From 6eea607b5f814faf98740fbd0d12957bd61918ac Mon Sep 17 00:00:00 2001 From: rohan-agarwal-coinbase Date: Fri, 17 Jan 2025 17:09:25 -0500 Subject: [PATCH 1/2] feat: Add support for deploying arbitrary contracts (#362) --- CHANGELOG.md | 4 + src/client/api.ts | 160 +++++++++++++- src/coinbase/address/wallet_address.ts | 106 +++++++++- src/coinbase/smart_contract.ts | 19 +- src/coinbase/types.ts | 33 ++- src/coinbase/wallet.ts | 16 ++ src/tests/authenticator_test.ts | 10 +- src/tests/smart_contract_test.ts | 4 +- src/tests/utils.ts | 29 ++- src/tests/wallet_address_test.ts | 280 +++++++++++++++++++++++++ src/tests/wallet_test.ts | 55 +++++ src/tests/webhook_test.ts | 4 +- 12 files changed, 699 insertions(+), 21 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f8f22cb5..81bb12b5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,9 @@ # Coinbase Node.js SDK Changelog +### Unreleased + +- Add `deployContract` method to `WalletAddress` and `Wallet` to deploy an arbitrary contract. + ## [0.14.0] - 2025-01-14 ### Added diff --git a/src/client/api.ts b/src/client/api.ts index c151c71d..9e380bf3 100644 --- a/src/client/api.ts +++ b/src/client/api.ts @@ -422,6 +422,68 @@ export interface BuildStakingOperationRequest { */ 'options': { [key: string]: string; }; } +/** + * + * @export + * @interface CompileSmartContractRequest + */ +export interface CompileSmartContractRequest { + /** + * The JSON input containing the Solidity code, dependencies, and compiler settings. + * @type {string} + * @memberof CompileSmartContractRequest + */ + 'solidity_input_json': string; + /** + * The name of the contract to compile. + * @type {string} + * @memberof CompileSmartContractRequest + */ + 'contract_name': string; + /** + * The version of the Solidity compiler to use. + * @type {string} + * @memberof CompileSmartContractRequest + */ + 'solidity_compiler_version': string; +} +/** + * Represents a compiled smart contract that can be deployed onchain + * @export + * @interface CompiledSmartContract + */ +export interface CompiledSmartContract { + /** + * The unique identifier of the compiled smart contract. + * @type {string} + * @memberof CompiledSmartContract + */ + 'compiled_smart_contract_id'?: string; + /** + * The JSON-encoded input for the Solidity compiler + * @type {string} + * @memberof CompiledSmartContract + */ + 'solidity_input_json'?: string; + /** + * The contract creation bytecode which will be used with constructor arguments to deploy the contract + * @type {string} + * @memberof CompiledSmartContract + */ + 'contract_creation_bytecode'?: string; + /** + * The JSON-encoded ABI of the contract + * @type {string} + * @memberof CompiledSmartContract + */ + 'abi'?: string; + /** + * The name of the smart contract to deploy + * @type {string} + * @memberof CompiledSmartContract + */ + 'contract_name'?: string; +} /** * Represents a single decoded event emitted by a smart contract * @export @@ -835,6 +897,12 @@ export interface CreateSmartContractRequest { * @memberof CreateSmartContractRequest */ 'options': SmartContractOptions; + /** + * The optional UUID of the compiled smart contract to deploy. This field is only required when SmartContractType is set to custom. + * @type {string} + * @memberof CreateSmartContractRequest + */ + 'compiled_smart_contract_id'?: string; } @@ -2766,6 +2834,12 @@ export interface SmartContract { * @memberof SmartContract */ 'is_external': boolean; + /** + * The ID of the compiled smart contract that was used to deploy this contract + * @type {string} + * @memberof SmartContract + */ + 'compiled_smart_contract_id'?: string; } @@ -2914,7 +2988,7 @@ export interface SmartContractList { * Options for smart contract creation * @export */ -export type SmartContractOptions = MultiTokenContractOptions | NFTContractOptions | TokenContractOptions; +export type SmartContractOptions = MultiTokenContractOptions | NFTContractOptions | TokenContractOptions | string; /** * The type of the smart contract. @@ -8649,6 +8723,45 @@ export class ServerSignersApi extends BaseAPI implements ServerSignersApiInterfa */ export const SmartContractsApiAxiosParamCreator = function (configuration?: Configuration) { return { + /** + * Compile a smart contract + * @summary Compile a smart contract + * @param {CompileSmartContractRequest} compileSmartContractRequest + * @param {*} [options] Override http request option. + * @throws {RequiredError} + */ + compileSmartContract: async (compileSmartContractRequest: CompileSmartContractRequest, options: RawAxiosRequestConfig = {}): Promise => { + // verify required parameter 'compileSmartContractRequest' is not null or undefined + assertParamExists('compileSmartContract', 'compileSmartContractRequest', compileSmartContractRequest) + const localVarPath = `/v1/smart_contracts/compile`; + // use dummy base URL string because the URL constructor only accepts absolute URLs. + const localVarUrlObj = new URL(localVarPath, DUMMY_BASE_URL); + let baseOptions; + if (configuration) { + baseOptions = configuration.baseOptions; + } + + const localVarRequestOptions = { method: 'POST', ...baseOptions, ...options}; + const localVarHeaderParameter = {} as any; + const localVarQueryParameter = {} as any; + + // authentication apiKey required + await setApiKeyToObject(localVarHeaderParameter, "Jwt", configuration) + + + + localVarHeaderParameter['Content-Type'] = 'application/json'; + + setSearchParams(localVarUrlObj, localVarQueryParameter); + let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; + localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; + localVarRequestOptions.data = serializeDataIfNeeded(compileSmartContractRequest, localVarRequestOptions, configuration) + + return { + url: toPathString(localVarUrlObj), + options: localVarRequestOptions, + }; + }, /** * Create a new smart contract * @summary Create a new smart contract @@ -8992,6 +9105,19 @@ export const SmartContractsApiAxiosParamCreator = function (configuration?: Conf export const SmartContractsApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = SmartContractsApiAxiosParamCreator(configuration) return { + /** + * Compile a smart contract + * @summary Compile a smart contract + * @param {CompileSmartContractRequest} compileSmartContractRequest + * @param {*} [options] Override http request option. + * @throws {RequiredError} + */ + async compileSmartContract(compileSmartContractRequest: CompileSmartContractRequest, options?: RawAxiosRequestConfig): Promise<(axios?: AxiosInstance, basePath?: string) => AxiosPromise> { + const localVarAxiosArgs = await localVarAxiosParamCreator.compileSmartContract(compileSmartContractRequest, options); + const localVarOperationServerIndex = configuration?.serverIndex ?? 0; + const localVarOperationServerBasePath = operationServerMap['SmartContractsApi.compileSmartContract']?.[localVarOperationServerIndex]?.url; + return (axios, basePath) => createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration)(axios, localVarOperationServerBasePath || basePath); + }, /** * Create a new smart contract * @summary Create a new smart contract @@ -9106,6 +9232,16 @@ export const SmartContractsApiFp = function(configuration?: Configuration) { export const SmartContractsApiFactory = function (configuration?: Configuration, basePath?: string, axios?: AxiosInstance) { const localVarFp = SmartContractsApiFp(configuration) return { + /** + * Compile a smart contract + * @summary Compile a smart contract + * @param {CompileSmartContractRequest} compileSmartContractRequest + * @param {*} [options] Override http request option. + * @throws {RequiredError} + */ + compileSmartContract(compileSmartContractRequest: CompileSmartContractRequest, options?: RawAxiosRequestConfig): AxiosPromise { + return localVarFp.compileSmartContract(compileSmartContractRequest, options).then((request) => request(axios, basePath)); + }, /** * Create a new smart contract * @summary Create a new smart contract @@ -9198,6 +9334,16 @@ export const SmartContractsApiFactory = function (configuration?: Configuration, * @interface SmartContractsApi */ export interface SmartContractsApiInterface { + /** + * Compile a smart contract + * @summary Compile a smart contract + * @param {CompileSmartContractRequest} compileSmartContractRequest + * @param {*} [options] Override http request option. + * @throws {RequiredError} + * @memberof SmartContractsApiInterface + */ + compileSmartContract(compileSmartContractRequest: CompileSmartContractRequest, options?: RawAxiosRequestConfig): AxiosPromise; + /** * Create a new smart contract * @summary Create a new smart contract @@ -9290,6 +9436,18 @@ export interface SmartContractsApiInterface { * @extends {BaseAPI} */ export class SmartContractsApi extends BaseAPI implements SmartContractsApiInterface { + /** + * Compile a smart contract + * @summary Compile a smart contract + * @param {CompileSmartContractRequest} compileSmartContractRequest + * @param {*} [options] Override http request option. + * @throws {RequiredError} + * @memberof SmartContractsApi + */ + public compileSmartContract(compileSmartContractRequest: CompileSmartContractRequest, options?: RawAxiosRequestConfig) { + return SmartContractsApiFp(this.configuration).compileSmartContract(compileSmartContractRequest, options).then((request) => request(this.axios, this.basePath)); + } + /** * Create a new smart contract * @summary Create a new smart contract diff --git a/src/coinbase/address/wallet_address.ts b/src/coinbase/address/wallet_address.ts index 47d851ba..13fab8fb 100644 --- a/src/coinbase/address/wallet_address.ts +++ b/src/coinbase/address/wallet_address.ts @@ -22,6 +22,7 @@ import { PaginationResponse, CreateFundOptions, CreateQuoteOptions, + CreateCustomContractOptions, } from "../types"; import { delay } from "../utils"; import { Wallet as WalletClass } from "../wallet"; @@ -380,7 +381,11 @@ export class WalletAddress extends Address { * @returns A Promise that resolves to the deployed SmartContract object. * @throws {APIError} If the API request to create a smart contract fails. */ - public async deployToken({ name, symbol, totalSupply }: CreateERC20Options): Promise { + public async deployToken({ + name, + symbol, + totalSupply, + }: CreateERC20Options): Promise { if (!Coinbase.useServerSigner && !this.key) { throw new Error("Cannot deploy ERC20 without private key loaded"); } @@ -449,6 +454,44 @@ export class WalletAddress extends Address { return smartContract; } + /** + * Deploys a custom contract. + * + * @param options - The options for creating the custom contract. + * @param options.solidityVersion - The version of the solidity compiler, must be 0.8.+, such as "0.8.28+commit.7893614a". See https://binaries.soliditylang.org/bin/list.json + * @param options.solidityInputJson - The input json for the solidity compiler. See https://docs.soliditylang.org/en/latest/using-the-compiler.html#input-description for more details. + * @param options.contractName - The name of the contract class to be deployed. + * @param options.constructorArgs - The arguments for the constructor. + * @returns A Promise that resolves to the deployed SmartContract object. + * @throws {APIError} If the API request to create a smart contract fails. + */ + public async deployContract({ + solidityVersion, + solidityInputJson, + contractName, + constructorArgs, + }: CreateCustomContractOptions): Promise { + if (!Coinbase.useServerSigner && !this.key) { + throw new Error("Cannot deploy custom contract without private key loaded"); + } + + const smartContract = await this.createCustomContract({ + solidityVersion, + solidityInputJson, + contractName, + constructorArgs, + }); + + if (Coinbase.useServerSigner) { + return smartContract; + } + + await smartContract.sign(this.getSigner()); + await smartContract.broadcast(); + + return smartContract; + } + /** * Creates an ERC20 token contract. * @@ -460,7 +503,11 @@ export class WalletAddress extends Address { * @returns {Promise} A Promise that resolves to the created SmartContract. * @throws {APIError} If the API request to create a smart contract fails. */ - private async createERC20({ name, symbol, totalSupply }: CreateERC20Options): Promise { + private async createERC20({ + name, + symbol, + totalSupply, + }: CreateERC20Options): Promise { const resp = await Coinbase.apiClients.smartContract!.createSmartContract( this.getWalletId(), this.getId(), @@ -486,7 +533,11 @@ export class WalletAddress extends Address { * @returns A Promise that resolves to the deployed SmartContract object. * @throws {APIError} If the private key is not loaded when not using server signer. */ - private async createERC721({ name, symbol, baseURI }: CreateERC721Options): Promise { + private async createERC721({ + name, + symbol, + baseURI, + }: CreateERC721Options): Promise { const resp = await Coinbase.apiClients.smartContract!.createSmartContract( this.getWalletId(), this.getId(), @@ -525,6 +576,45 @@ export class WalletAddress extends Address { return SmartContract.fromModel(resp?.data); } + /** + * Creates a custom contract. + * + * @private + * @param {CreateCustomContractOptions} options - The options for creating the custom contract. + * @param {string} options.solidityVersion - The version of the solidity compiler, must be 0.8.+, such as "0.8.28+commit.7893614a". See https://binaries.soliditylang.org/bin/list.json + * @param {string} options.solidityInputJson - The input json for the solidity compiler. See https://docs.soliditylang.org/en/latest/using-the-compiler.html#input-description for more details. + * @param {string} options.contractName - The name of the contract class. + * @param {Record} options.constructorArgs - The arguments for the constructor. + * @returns {Promise} A Promise that resolves to the created SmartContract. + * @throws {APIError} If the API request to compile or subsequently create a smart contract fails. + */ + private async createCustomContract({ + solidityVersion, + solidityInputJson, + contractName, + constructorArgs, + }: CreateCustomContractOptions): Promise { + const compileContractResp = await Coinbase.apiClients.smartContract!.compileSmartContract({ + solidity_compiler_version: solidityVersion, + solidity_input_json: solidityInputJson, + contract_name: contractName, + }); + + const compiledContract = compileContractResp.data; + const compiledContractId = compiledContract.compiled_smart_contract_id; + + const createContractResp = await Coinbase.apiClients.smartContract!.createSmartContract( + this.getWalletId(), + this.getId(), + { + type: SmartContractType.Custom, + options: JSON.stringify(constructorArgs), + compiled_smart_contract_id: compiledContractId, + }, + ); + return SmartContract.fromModel(createContractResp?.data); + } + /** * Creates a contract invocation with the given data. * @@ -777,10 +867,7 @@ export class WalletAddress extends Address { * @param options.assetId - The ID of the Asset to fund with. For Ether, eth, gwei, and wei are supported. * @returns The created fund operation object */ - public async fund({ - amount, - assetId, - }: CreateFundOptions): Promise { + public async fund({ amount, assetId }: CreateFundOptions): Promise { const normalizedAmount = new Decimal(amount.toString()); return FundOperation.create( @@ -800,10 +887,7 @@ export class WalletAddress extends Address { * @param options.assetId - The ID of the Asset to fund with. For Ether, eth, gwei, and wei are supported. * @returns The fund quote object */ - public async quoteFund({ - amount, - assetId, - }: CreateQuoteOptions): Promise { + public async quoteFund({ amount, assetId }: CreateQuoteOptions): Promise { const normalizedAmount = new Decimal(amount.toString()); return FundQuote.create( diff --git a/src/coinbase/smart_contract.ts b/src/coinbase/smart_contract.ts index 0f439a15..f7022aa5 100644 --- a/src/coinbase/smart_contract.ts +++ b/src/coinbase/smart_contract.ts @@ -6,6 +6,7 @@ import { SmartContractOptions as SmartContractOptionsModel, TokenContractOptions as TokenContractOptionsModel, NFTContractOptions as NFTContractOptionsModel, + MultiTokenContractOptions as MultiTokenContractOptionsModel, } from "../client/api"; import { Transaction } from "./transaction"; import { @@ -277,10 +278,12 @@ export class SmartContract { symbol: options.symbol, baseURI: options.base_uri, } as NFTContractOptions; - } else { + } else if (this.isERC1155(this.getType(), options)) { return { uri: options.uri, } as MultiTokenContractOptions; + } else { + return options as string; } } @@ -451,4 +454,18 @@ export class SmartContract { ): options is NFTContractOptionsModel { return type === SmartContractType.ERC721; } + + /** + * Type guard for checking if the smart contract is an ERC1155. + * + * @param type - The type of the smart contract. + * @param options - The options of the smart contract. + * @returns True if the smart contract is an ERC1155, false otherwise. + */ + private isERC1155( + type: SmartContractType, + options: SmartContractOptionsModel, + ): options is MultiTokenContractOptionsModel { + return type === SmartContractType.ERC1155; + } } diff --git a/src/coinbase/types.ts b/src/coinbase/types.ts index 0903f7e7..f62a2e1c 100644 --- a/src/coinbase/types.ts +++ b/src/coinbase/types.ts @@ -64,6 +64,8 @@ import { AddressReputation, RegisterSmartContractRequest, UpdateSmartContractRequest, + CompileSmartContractRequest, + CompiledSmartContract, } from "./../client/api"; import { Address } from "./address"; import { Wallet } from "./wallet"; @@ -1075,7 +1077,8 @@ export type MultiTokenContractOptions = { export type SmartContractOptions = | NFTContractOptions | TokenContractOptions - | MultiTokenContractOptions; + | MultiTokenContractOptions + | string; /** * Options for creating a Transfer. @@ -1134,6 +1137,21 @@ export type CreateERC1155Options = { uri: string; }; +/** + * Options for creating an arbitrary contract. + */ +export type CreateCustomContractOptions = { + /** The version of the solidity compiler, must be 0.8.+, such as "0.8.28+commit.7893614a". See https://binaries.soliditylang.org/bin/list.json */ + solidityVersion: string; + /** The input json for the solidity compiler. See https://docs.soliditylang.org/en/latest/using-the-compiler.html#input-description for more details. */ + solidityInputJson: string; + /** The name of the contract class to be deployed. */ + contractName: string; + /** The arguments for the constructor. */ + // eslint-disable-next-line @typescript-eslint/no-explicit-any + constructorArgs: Record; +}; + /** * Options for creating a fund operation. */ @@ -1468,6 +1486,19 @@ export interface SmartContractAPIClient { options?: RawAxiosRequestConfig, ): AxiosPromise; + /** + * Compiles a custom contract. + * + * @param compileSmartContractRequest - The request body containing the compile smart contract details. + * @param options - Axios request options. + * @returns - A promise resolving to the compiled smart contract. + * @throws {APIError} If the request fails. + */ + compileSmartContract( + compileSmartContractRequest: CompileSmartContractRequest, + options?: RawAxiosRequestConfig, + ): AxiosPromise; + /** * Creates a new Smart Contract. * diff --git a/src/coinbase/wallet.ts b/src/coinbase/wallet.ts index b23f3c3f..3626b434 100644 --- a/src/coinbase/wallet.ts +++ b/src/coinbase/wallet.ts @@ -39,6 +39,7 @@ import { PaginationResponse, CreateFundOptions, CreateQuoteOptions, + CreateCustomContractOptions, } from "./types"; import { convertStringToHex, delay, formatDate, getWeekBackDate } from "./utils"; import { StakingOperation } from "./staking_operation"; @@ -939,6 +940,21 @@ export class Wallet { return (await this.getDefaultAddress()).deployMultiToken(options); } + /** + * Deploys a custom contract. + * + * @param options - The options for creating the custom contract. + * @param options.solidityVersion - The version of the solidity compiler, must be 0.8.+, such as "0.8.28+commit.7893614a". See https://binaries.soliditylang.org/bin/list.json + * @param options.solidityInputJson - The input json for the solidity compiler. See https://docs.soliditylang.org/en/latest/using-the-compiler.html#input-description for more details. + * @param options.contractName - The name of the contract class to be deployed. + * @param options.constructorArgs - The arguments for the constructor. + * @returns A Promise that resolves to the deployed SmartContract object. + * @throws {Error} If the private key is not loaded when not using server signer. + */ + public async deployContract(options: CreateCustomContractOptions): Promise { + return (await this.getDefaultAddress()).deployContract(options); + } + /** * Fund the wallet from your account on the Coinbase Platform. * diff --git a/src/tests/authenticator_test.ts b/src/tests/authenticator_test.ts index e6482a5d..9e5cf5a1 100644 --- a/src/tests/authenticator_test.ts +++ b/src/tests/authenticator_test.ts @@ -54,8 +54,8 @@ describe("Authenticator tests", () => { }); describe("when a source version is provided", () => { - beforeAll(() => sourceVersion = "1.0.0"); - afterAll(() => sourceVersion = undefined); + beforeAll(() => (sourceVersion = "1.0.0")); + afterAll(() => (sourceVersion = undefined)); it("includes the source version in the correlation context", async () => { const config = await authenticator.authenticateRequest(VALID_CONFIG, true); @@ -65,7 +65,11 @@ describe("Authenticator tests", () => { }); it("invalid pem key should raise an InvalidAPIKeyFormat error", async () => { - const invalidAuthenticator = new CoinbaseAuthenticator("test-key", "-----BEGIN EC KEY-----\n", source); + const invalidAuthenticator = new CoinbaseAuthenticator( + "test-key", + "-----BEGIN EC KEY-----\n", + source, + ); expect(invalidAuthenticator.authenticateRequest(VALID_CONFIG)).rejects.toThrow(); }); diff --git a/src/tests/smart_contract_test.ts b/src/tests/smart_contract_test.ts index e396a5bb..459a2c02 100644 --- a/src/tests/smart_contract_test.ts +++ b/src/tests/smart_contract_test.ts @@ -564,8 +564,8 @@ describe("SmartContract", () => { it("returns the same value as toString", () => { expect(erc20SmartContract.toString()).toEqual( `SmartContract{id: '${erc20SmartContract.getId()}', networkId: '${erc20SmartContract.getNetworkId()}', ` + - `contractAddress: '${erc20SmartContract.getContractAddress()}', deployerAddress: '${erc20SmartContract.getDeployerAddress()}', ` + - `type: '${erc20SmartContract.getType()}'}`, + `contractAddress: '${erc20SmartContract.getContractAddress()}', deployerAddress: '${erc20SmartContract.getDeployerAddress()}', ` + + `type: '${erc20SmartContract.getType()}'}`, ); }); }); diff --git a/src/tests/utils.ts b/src/tests/utils.ts index cd0c9c9d..fe7fb62c 100644 --- a/src/tests/utils.ts +++ b/src/tests/utils.ts @@ -13,6 +13,7 @@ import { FaucetTransaction as FaucetTransactionModel, StakingOperation as StakingOperationModel, PayloadSignature as PayloadSignatureModel, + CompiledSmartContract as CompiledSmartContractModel, PayloadSignatureList, PayloadSignatureStatusEnum, ContractInvocation as ContractInvocationModel, @@ -390,6 +391,32 @@ export const VALID_SMART_CONTRACT_ERC1155_MODEL: SmartContractModel = { }, }; +export const VALID_COMPILED_CONTRACT_MODEL: CompiledSmartContractModel = { + compiled_smart_contract_id: "test-compiled-contract-1", + solidity_input_json: "{}", + contract_creation_bytecode: "0x", + abi: JSON.stringify("some-abi"), + contract_name: "TestContract", +}; + +export const VALID_SMART_CONTRACT_CUSTOM_MODEL: SmartContractModel = { + smart_contract_id: "test-smart-contract-custom", + network_id: Coinbase.networks.BaseSepolia, + wallet_id: walletId, + contract_name: "TestContract", + is_external: false, + contract_address: "0xcontract-address", + type: SmartContractType.Custom, + abi: JSON.stringify("some-abi"), + transaction: { + network_id: Coinbase.networks.BaseSepolia, + from_address_id: "0xdeadbeef", + unsigned_payload: + "7b2274797065223a22307832222c22636861696e4964223a2230783134613334222c226e6f6e6365223a22307830222c22746f223a22307861383261623835303466646562326461646161336234663037356539363762626533353036356239222c22676173223a22307865623338222c226761735072696365223a6e756c6c2c226d61785072696f72697479466565506572476173223a2230786634323430222c226d6178466565506572476173223a2230786634333638222c2276616c7565223a22307830222c22696e707574223a223078366136323738343230303030303030303030303030303030303030303030303034373564343164653761383132393862613236333138343939363830306362636161643733633062222c226163636573734c697374223a5b5d2c2276223a22307830222c2272223a22307830222c2273223a22307830222c2279506172697479223a22307830222c2268617368223a22307865333131636632303063643237326639313566656433323165663065376431653965353362393761346166623737336638653935646431343630653665326163227d", + status: TransactionStatusEnum.Pending, + }, +}; + export const VALID_SMART_CONTRACT_EXTERNAL_MODEL: SmartContractModel = { smart_contract_id: "test-smart-contract-external", network_id: Coinbase.networks.BaseSepolia, @@ -400,7 +427,6 @@ export const VALID_SMART_CONTRACT_EXTERNAL_MODEL: SmartContractModel = { abi: JSON.stringify("some-abi"), }; - const asset = Asset.fromModel({ asset_id: Coinbase.assets.Eth, network_id: "base-sepolia", @@ -786,6 +812,7 @@ export const contractEventApiMock = { }; export const smartContractApiMock = { + compileSmartContract: jest.fn(), createSmartContract: jest.fn(), deploySmartContract: jest.fn(), getSmartContract: jest.fn(), diff --git a/src/tests/wallet_address_test.ts b/src/tests/wallet_address_test.ts index 3a2a8246..474ad525 100644 --- a/src/tests/wallet_address_test.ts +++ b/src/tests/wallet_address_test.ts @@ -60,6 +60,8 @@ import { ERC721_BASE_URI, VALID_SMART_CONTRACT_ERC1155_MODEL, ERC1155_URI, + VALID_SMART_CONTRACT_CUSTOM_MODEL, + VALID_COMPILED_CONTRACT_MODEL, } from "./utils"; import { Transfer } from "../coinbase/transfer"; import { TransactionStatus } from "../coinbase/types"; @@ -2460,6 +2462,284 @@ describe("WalletAddress", () => { }); }); + describe("#deployContract", () => { + let key = ethers.Wallet.createRandom(); + let addressModel: AddressModel; + let walletAddress: WalletAddress; + let expectedSignedPayload: string; + + beforeAll(() => { + Coinbase.apiClients.smartContract = smartContractApiMock; + }); + + beforeEach(() => { + jest.clearAllMocks(); + + addressModel = newAddressModel(randomUUID(), randomUUID(), Coinbase.networks.BaseSepolia); + }); + + describe("when not using a server-signer", () => { + beforeEach(async () => { + Coinbase.useServerSigner = false; + + walletAddress = new WalletAddress(addressModel, key as unknown as ethers.Wallet); + + const tx = new Transaction(VALID_SMART_CONTRACT_CUSTOM_MODEL.transaction!); + expectedSignedPayload = await tx.sign(key as unknown as ethers.Wallet); + }); + + describe("when it is successful", () => { + let smartContract; + + beforeEach(async () => { + Coinbase.apiClients.smartContract!.compileSmartContract = mockReturnValue({ + ...VALID_COMPILED_CONTRACT_MODEL, + }); + + Coinbase.apiClients.smartContract!.createSmartContract = mockReturnValue({ + ...VALID_SMART_CONTRACT_CUSTOM_MODEL, + deployer_address: walletAddress.getId(), + wallet_id: walletAddress.getWalletId(), + }); + + Coinbase.apiClients.smartContract!.deploySmartContract = mockReturnValue({ + ...VALID_SMART_CONTRACT_CUSTOM_MODEL, + address_id: walletAddress.getId(), + wallet_id: walletAddress.getWalletId(), + }); + + smartContract = await walletAddress.deployContract({ + solidityVersion: "0.8.0", + solidityInputJson: "{}", + contractName: "TestContract", + constructorArgs: { + arg1: "arg1", + arg2: "arg2", + }, + }); + }); + + it("returns a smart contract", async () => { + expect(smartContract).toBeInstanceOf(SmartContract); + expect(smartContract.getId()).toBe(VALID_SMART_CONTRACT_CUSTOM_MODEL.smart_contract_id); + }); + + it("creates the smart contract", async () => { + expect(Coinbase.apiClients.smartContract!.createSmartContract).toHaveBeenCalledWith( + walletAddress.getWalletId(), + walletAddress.getId(), + { + type: SmartContractType.Custom, + options: `{"arg1":"arg1","arg2":"arg2"}`, + compiled_smart_contract_id: "test-compiled-contract-1", + }, + ); + expect(Coinbase.apiClients.smartContract!.createSmartContract).toHaveBeenCalledTimes(1); + }); + + it("broadcasts the smart contract", async () => { + expect(Coinbase.apiClients.smartContract!.deploySmartContract).toHaveBeenCalledWith( + walletAddress.getWalletId(), + walletAddress.getId(), + VALID_SMART_CONTRACT_CUSTOM_MODEL.smart_contract_id, + { + signed_payload: expectedSignedPayload, + }, + ); + + expect(Coinbase.apiClients.smartContract!.deploySmartContract).toHaveBeenCalledTimes(1); + }); + }); + + describe("when it is successful deploying a smart contract", () => { + let smartContract; + + beforeEach(async () => { + Coinbase.apiClients.smartContract!.createSmartContract = mockReturnValue({ + ...VALID_SMART_CONTRACT_CUSTOM_MODEL, + deployer_address: walletAddress.getId(), + wallet_id: walletAddress.getWalletId(), + }); + + Coinbase.apiClients.smartContract!.deploySmartContract = mockReturnValue({ + ...VALID_SMART_CONTRACT_CUSTOM_MODEL, + deployer_address: walletAddress.getId(), + wallet_id: walletAddress.getWalletId(), + }); + + Coinbase.apiClients.smartContract!.getSmartContract = mockReturnValue( + VALID_SMART_CONTRACT_CUSTOM_MODEL, + ); + + smartContract = await walletAddress.deployContract({ + solidityVersion: "0.8.0", + solidityInputJson: "{}", + contractName: "TestContract", + constructorArgs: { + arg1: "arg1", + arg2: "arg2", + }, + }); + }); + + it("returns a smart contract", async () => { + expect(smartContract).toBeInstanceOf(SmartContract); + expect(smartContract.getId()).toBe(VALID_SMART_CONTRACT_CUSTOM_MODEL.smart_contract_id); + }); + + it("creates the smart contract", async () => { + expect(Coinbase.apiClients.smartContract!.createSmartContract).toHaveBeenCalledWith( + walletAddress.getWalletId(), + walletAddress.getId(), + { + type: SmartContractType.Custom, + options: `{"arg1":"arg1","arg2":"arg2"}`, + compiled_smart_contract_id: "test-compiled-contract-1", + }, + ); + expect(Coinbase.apiClients.smartContract!.createSmartContract).toHaveBeenCalledTimes(1); + }); + + it("broadcasts the smart contract", async () => { + expect(Coinbase.apiClients.smartContract!.deploySmartContract).toHaveBeenCalledWith( + walletAddress.getWalletId(), + walletAddress.getId(), + VALID_SMART_CONTRACT_CUSTOM_MODEL.smart_contract_id, + { + signed_payload: expectedSignedPayload, + }, + ); + + expect(Coinbase.apiClients.smartContract!.deploySmartContract).toHaveBeenCalledTimes(1); + }); + }); + + describe("when no key is loaded", () => { + beforeEach(() => { + walletAddress = new WalletAddress(addressModel); + }); + + it("throws an error", async () => { + await expect( + walletAddress.deployContract({ + solidityVersion: "0.8.0", + solidityInputJson: "{}", + contractName: "TestContract", + constructorArgs: ["arg1", "arg2"], + }), + ).rejects.toThrow(Error); + }); + }); + + describe("when it fails to create a smart contract", () => { + beforeEach(() => { + Coinbase.apiClients.smartContract!.createSmartContract = mockReturnRejectedValue( + new APIError({ + response: { + status: 400, + data: { + code: "malformed_request", + message: "failed to create smart contract: invalid abi", + }, + }, + } as AxiosError), + ); + }); + + it("throws an error", async () => { + await expect( + walletAddress.deployContract({ + solidityVersion: "0.8.0", + solidityInputJson: "{}", + contractName: "TestContract", + constructorArgs: ["arg1", "arg2"], + }), + ).rejects.toThrow(APIError); + }); + }); + + describe("when it fails to broadcast a smart contract", () => { + beforeEach(() => { + Coinbase.apiClients.smartContract!.createSmartContract = mockReturnValue({ + ...VALID_SMART_CONTRACT_CUSTOM_MODEL, + address_id: walletAddress.getId(), + wallet_id: walletAddress.getWalletId(), + }); + + Coinbase.apiClients.smartContract!.deploySmartContract = mockReturnRejectedValue( + new APIError({ + response: { + status: 400, + data: { + code: "invalid_signed_payload", + message: "failed to broadcast smart contract: invalid signed payload", + }, + }, + } as AxiosError), + ); + }); + + it("throws an error", async () => { + await expect( + walletAddress.deployContract({ + solidityVersion: "0.8.0", + solidityInputJson: "{}", + contractName: "TestContract", + constructorArgs: ["arg1", "arg2"], + }), + ).rejects.toThrow(APIError); + }); + }); + }); + describe("when using a server-signer", () => { + let smartContract; + + beforeEach(() => { + Coinbase.useServerSigner = true; + walletAddress = new WalletAddress(addressModel); + }); + + describe("when it is successful", () => { + beforeEach(async () => { + Coinbase.apiClients.smartContract!.createSmartContract = mockReturnValue({ + ...VALID_SMART_CONTRACT_CUSTOM_MODEL, + address_id: walletAddress.getId(), + wallet_id: walletAddress.getWalletId(), + }); + + smartContract = await walletAddress.deployContract({ + solidityVersion: "0.8.0", + solidityInputJson: "{}", + contractName: "TestContract", + constructorArgs: { + arg1: "arg1", + arg2: "arg2", + }, + }); + }); + + it("returns a pending contract invocation", async () => { + expect(smartContract).toBeInstanceOf(SmartContract); + expect(smartContract.getId()).toBe(VALID_SMART_CONTRACT_CUSTOM_MODEL.smart_contract_id); + expect(smartContract.getTransaction().getStatus()).toBe(TransactionStatus.PENDING); + }); + + it("creates a contract invocation", async () => { + expect(Coinbase.apiClients.smartContract!.createSmartContract).toHaveBeenCalledWith( + walletAddress.getWalletId(), + walletAddress.getId(), + { + type: SmartContractType.Custom, + options: `{"arg1":"arg1","arg2":"arg2"}`, + compiled_smart_contract_id: "test-compiled-contract-1", + }, + ); + expect(Coinbase.apiClients.smartContract!.createSmartContract).toHaveBeenCalledTimes(1); + }); + }); + }); + }); + describe("#createPayloadSignature", () => { let key = ethers.Wallet.createRandom(); let addressModel: AddressModel; diff --git a/src/tests/wallet_test.ts b/src/tests/wallet_test.ts index e09a8fad..48690c7f 100644 --- a/src/tests/wallet_test.ts +++ b/src/tests/wallet_test.ts @@ -61,6 +61,8 @@ import { ERC721_SYMBOL, ERC721_BASE_URI, VALID_SMART_CONTRACT_ERC721_MODEL, + VALID_SMART_CONTRACT_ERC1155_MODEL, + VALID_SMART_CONTRACT_CUSTOM_MODEL, } from "./utils"; import { Trade } from "../coinbase/trade"; import { WalletAddress } from "../coinbase/address/wallet_address"; @@ -680,6 +682,59 @@ describe("Wallet Class", () => { }); }); + describe("#deployMultiToken", () => { + let expectedSmartContract; + let options = { + uri: "https://example.com/metadata", + }; + + beforeEach(async () => { + expectedSmartContract = SmartContract.fromModel(VALID_SMART_CONTRACT_ERC1155_MODEL); + + (await wallet.getDefaultAddress()).deployMultiToken = jest + .fn() + .mockResolvedValue(expectedSmartContract); + }); + + it("successfully deploys an ERC1155 contract on the default address", async () => { + const smartContract = await wallet.deployMultiToken(options); + + expect((await wallet.getDefaultAddress()).deployMultiToken).toHaveBeenCalledTimes(1); + expect((await wallet.getDefaultAddress()).deployMultiToken).toHaveBeenCalledWith(options); + + expect(smartContract).toBeInstanceOf(SmartContract); + expect(smartContract).toEqual(expectedSmartContract); + }); + }); + + describe("#deployContract", () => { + let expectedSmartContract; + let options = { + solidityVersion: "0.8.0", + solidityInputJson: "{}", + contractName: "TestContract", + constructorArgs: ["arg1", "arg2"], + }; + + beforeEach(async () => { + expectedSmartContract = SmartContract.fromModel(VALID_SMART_CONTRACT_CUSTOM_MODEL); + + (await wallet.getDefaultAddress()).deployContract = jest + .fn() + .mockResolvedValue(expectedSmartContract); + }); + + it("successfully deploys a custom contract on the default address", async () => { + const smartContract = await wallet.deployContract(options); + + expect((await wallet.getDefaultAddress()).deployContract).toHaveBeenCalledTimes(1); + expect((await wallet.getDefaultAddress()).deployContract).toHaveBeenCalledWith(options); + + expect(smartContract).toBeInstanceOf(SmartContract); + expect(smartContract).toEqual(expectedSmartContract); + }); + }); + describe("#createPayloadSignature", () => { let unsignedPayload = VALID_SIGNED_PAYLOAD_SIGNATURE_MODEL.unsigned_payload; let signature = diff --git a/src/tests/webhook_test.ts b/src/tests/webhook_test.ts index 448124ce..822105fe 100644 --- a/src/tests/webhook_test.ts +++ b/src/tests/webhook_test.ts @@ -228,7 +228,9 @@ describe("Webhook", () => { it("should update the webhook address list only", async () => { const webhook = Webhook.init(mockModel); - await webhook.update({ eventTypeFilter: { wallet_id: "test-wallet-id", addresses: ["0x1..", "0x2.."] } }); + await webhook.update({ + eventTypeFilter: { wallet_id: "test-wallet-id", addresses: ["0x1..", "0x2.."] }, + }); expect(Coinbase.apiClients.webhook!.updateWebhook).toHaveBeenCalledWith("test-id", { notification_uri: "https://example.com/callback", From 8a2d2428f8d635db26fc28ce639b1e9223a04216 Mon Sep 17 00:00:00 2001 From: rohan-agarwal-coinbase Date: Fri, 17 Jan 2025 17:25:00 -0500 Subject: [PATCH 2/2] Bump package.json to v0.15.0, update docs (#365) --- CHANGELOG.md | 5 +- docs/assets/navigation.js | 2 +- docs/assets/search.js | 2 +- docs/classes/client_api.AddressesApi.html | 22 ++-- docs/classes/client_api.AssetsApi.html | 6 +- .../classes/client_api.BalanceHistoryApi.html | 6 +- .../classes/client_api.ContractEventsApi.html | 6 +- .../client_api.ContractInvocationsApi.html | 12 +- .../client_api.ExternalAddressesApi.html | 18 +-- docs/classes/client_api.FundApi.html | 12 +- .../classes/client_api.MPCWalletStakeApi.html | 10 +- docs/classes/client_api.NetworksApi.html | 6 +- .../client_api.OnchainIdentityApi.html | 6 +- docs/classes/client_api.ReputationApi.html | 6 +- docs/classes/client_api.ServerSignersApi.html | 16 +-- .../classes/client_api.SmartContractsApi.html | 25 ++-- docs/classes/client_api.StakeApi.html | 18 +-- docs/classes/client_api.TradesApi.html | 12 +- .../client_api.TransactionHistoryApi.html | 6 +- docs/classes/client_api.TransfersApi.html | 12 +- docs/classes/client_api.UsersApi.html | 6 +- docs/classes/client_api.WalletsApi.html | 14 +-- docs/classes/client_api.WebhooksApi.html | 14 +-- docs/classes/client_base.BaseAPI.html | 4 +- docs/classes/client_base.RequiredError.html | 4 +- .../client_configuration.Configuration.html | 22 ++-- docs/classes/coinbase_address.Address.html | 42 +++---- ...ress_external_address.ExternalAddress.html | 48 ++++---- ..._address_reputation.AddressReputation.html | 12 +- ..._address_wallet_address.WalletAddress.html | 114 +++++++++-------- docs/classes/coinbase_api_error.APIError.html | 8 +- ...coinbase_api_error.AlreadyExistsError.html | 8 +- ...ase_api_error.FaucetLimitReachedError.html | 8 +- .../coinbase_api_error.InternalError.html | 8 +- ...oinbase_api_error.InvalidAddressError.html | 8 +- ...nbase_api_error.InvalidAddressIDError.html | 8 +- ...coinbase_api_error.InvalidAmountError.html | 8 +- ...oinbase_api_error.InvalidAssetIDError.html | 8 +- ...ase_api_error.InvalidDestinationError.html | 8 +- .../coinbase_api_error.InvalidLimitError.html | 8 +- ...nbase_api_error.InvalidNetworkIDError.html | 8 +- .../coinbase_api_error.InvalidPageError.html | 8 +- ...e_api_error.InvalidSignedPayloadError.html | 8 +- ...base_api_error.InvalidTransferIDError.html | 8 +- ..._api_error.InvalidTransferStatusError.html | 8 +- ...coinbase_api_error.InvalidWalletError.html | 8 +- ...inbase_api_error.InvalidWalletIDError.html | 8 +- ...nbase_api_error.MalformedRequestError.html | 8 +- ..._error.NetworkFeatureUnsupportedError.html | 8 +- .../coinbase_api_error.NotFoundError.html | 8 +- ...base_api_error.ResourceExhaustedError.html | 8 +- .../coinbase_api_error.UnauthorizedError.html | 8 +- ...coinbase_api_error.UnimplementedError.html | 8 +- ...nbase_api_error.UnsupportedAssetError.html | 8 +- docs/classes/coinbase_asset.Asset.html | 20 +-- ...e_authenticator.CoinbaseAuthenticator.html | 14 +-- docs/classes/coinbase_balance.Balance.html | 8 +- .../coinbase_balance_map.BalanceMap.html | 8 +- docs/classes/coinbase_coinbase.Coinbase.html | 22 ++-- ...coinbase_contract_event.ContractEvent.html | 32 ++--- ...ontract_invocation.ContractInvocation.html | 44 +++---- .../coinbase_crypto_amount.CryptoAmount.html | 18 +-- .../coinbase_errors.AlreadySignedError.html | 4 +- .../coinbase_errors.ArgumentError.html | 4 +- ...nbase_errors.InvalidAPIKeyFormatError.html | 4 +- ...base_errors.InvalidConfigurationError.html | 4 +- ...se_errors.InvalidUnsignedPayloadError.html | 4 +- .../coinbase_errors.NotSignedError.html | 4 +- .../classes/coinbase_errors.TimeoutError.html | 4 +- ..._faucet_transaction.FaucetTransaction.html | 22 ++-- .../coinbase_fiat_amount.FiatAmount.html | 12 +- ...coinbase_fund_operation.FundOperation.html | 36 +++--- .../coinbase_fund_quote.FundQuote.html | 30 ++--- ..._historical_balance.HistoricalBalance.html | 6 +- ...se_payload_signature.PayloadSignature.html | 24 ++-- .../coinbase_server_signer.ServerSigner.html | 12 +- ...coinbase_smart_contract.SmartContract.html | 55 +++++---- ...coinbase_sponsored_send.SponsoredSend.html | 22 ++-- ...inbase_staking_balance.StakingBalance.html | 18 +-- ...se_staking_operation.StakingOperation.html | 36 +++--- ...coinbase_staking_reward.StakingReward.html | 20 +-- docs/classes/coinbase_trade.Trade.html | 38 +++--- .../coinbase_transaction.Transaction.html | 38 +++--- docs/classes/coinbase_transfer.Transfer.html | 44 +++---- .../classes/coinbase_validator.Validator.html | 40 +++--- docs/classes/coinbase_wallet.Wallet.html | 116 +++++++++--------- docs/classes/coinbase_webhook.Webhook.html | 30 ++--- docs/enums/client_api.NetworkIdentifier.html | 4 +- docs/enums/client_api.SmartContractType.html | 4 +- .../enums/client_api.StakingRewardFormat.html | 4 +- docs/enums/client_api.TokenTransferType.html | 4 +- docs/enums/client_api.TransactionType.html | 4 +- docs/enums/client_api.ValidatorStatus.html | 4 +- docs/enums/client_api.WebhookEventType.html | 4 +- .../coinbase_types.FundOperationStatus.html | 4 +- ...coinbase_types.PayloadSignatureStatus.html | 4 +- .../coinbase_types.ServerSignerStatus.html | 4 +- .../coinbase_types.SmartContractType.html | 4 +- .../coinbase_types.SponsoredSendStatus.html | 4 +- .../coinbase_types.StakeOptionsMode.html | 8 +- .../coinbase_types.StakingRewardFormat.html | 4 +- .../coinbase_types.TransactionStatus.html | 4 +- docs/enums/coinbase_types.TransferStatus.html | 4 +- .../enums/coinbase_types.ValidatorStatus.html | 4 +- ...ent_api.AddressesApiAxiosParamCreator.html | 2 +- .../client_api.AddressesApiFactory.html | 18 +-- docs/functions/client_api.AddressesApiFp.html | 18 +-- ...client_api.AssetsApiAxiosParamCreator.html | 2 +- .../client_api.AssetsApiFactory.html | 2 +- docs/functions/client_api.AssetsApiFp.html | 2 +- ...pi.BalanceHistoryApiAxiosParamCreator.html | 2 +- .../client_api.BalanceHistoryApiFactory.html | 2 +- .../client_api.BalanceHistoryApiFp.html | 2 +- ...pi.ContractEventsApiAxiosParamCreator.html | 2 +- .../client_api.ContractEventsApiFactory.html | 2 +- .../client_api.ContractEventsApiFp.html | 2 +- ...ntractInvocationsApiAxiosParamCreator.html | 2 +- ...ent_api.ContractInvocationsApiFactory.html | 8 +- .../client_api.ContractInvocationsApiFp.html | 8 +- ...ExternalAddressesApiAxiosParamCreator.html | 2 +- ...lient_api.ExternalAddressesApiFactory.html | 14 +-- .../client_api.ExternalAddressesApiFp.html | 14 +-- .../client_api.FundApiAxiosParamCreator.html | 2 +- docs/functions/client_api.FundApiFactory.html | 8 +- docs/functions/client_api.FundApiFp.html | 8 +- ...pi.MPCWalletStakeApiAxiosParamCreator.html | 2 +- .../client_api.MPCWalletStakeApiFactory.html | 6 +- .../client_api.MPCWalletStakeApiFp.html | 6 +- ...ient_api.NetworksApiAxiosParamCreator.html | 2 +- .../client_api.NetworksApiFactory.html | 2 +- docs/functions/client_api.NetworksApiFp.html | 2 +- ...i.OnchainIdentityApiAxiosParamCreator.html | 2 +- .../client_api.OnchainIdentityApiFactory.html | 2 +- .../client_api.OnchainIdentityApiFp.html | 2 +- ...nt_api.ReputationApiAxiosParamCreator.html | 2 +- .../client_api.ReputationApiFactory.html | 2 +- .../functions/client_api.ReputationApiFp.html | 2 +- ...api.ServerSignersApiAxiosParamCreator.html | 2 +- .../client_api.ServerSignersApiFactory.html | 12 +- .../client_api.ServerSignersApiFp.html | 12 +- ...pi.SmartContractsApiAxiosParamCreator.html | 23 ++-- .../client_api.SmartContractsApiFactory.html | 21 ++-- .../client_api.SmartContractsApiFp.html | 21 ++-- .../client_api.StakeApiAxiosParamCreator.html | 2 +- .../functions/client_api.StakeApiFactory.html | 14 +-- docs/functions/client_api.StakeApiFp.html | 14 +-- ...client_api.TradesApiAxiosParamCreator.html | 2 +- .../client_api.TradesApiFactory.html | 8 +- docs/functions/client_api.TradesApiFp.html | 8 +- ...ransactionHistoryApiAxiosParamCreator.html | 2 +- ...ient_api.TransactionHistoryApiFactory.html | 2 +- .../client_api.TransactionHistoryApiFp.html | 2 +- ...ent_api.TransfersApiAxiosParamCreator.html | 2 +- .../client_api.TransfersApiFactory.html | 8 +- docs/functions/client_api.TransfersApiFp.html | 8 +- .../client_api.UsersApiAxiosParamCreator.html | 2 +- .../functions/client_api.UsersApiFactory.html | 2 +- docs/functions/client_api.UsersApiFp.html | 2 +- ...lient_api.WalletsApiAxiosParamCreator.html | 2 +- .../client_api.WalletsApiFactory.html | 10 +- docs/functions/client_api.WalletsApiFp.html | 10 +- ...ient_api.WebhooksApiAxiosParamCreator.html | 2 +- .../client_api.WebhooksApiFactory.html | 10 +- docs/functions/client_api.WebhooksApiFp.html | 10 +- .../client_common.assertParamExists.html | 2 +- .../client_common.createRequestFunction.html | 2 +- .../client_common.serializeDataIfNeeded.html | 2 +- .../client_common.setApiKeyToObject.html | 2 +- .../client_common.setBasicAuthToObject.html | 2 +- .../client_common.setBearerAuthToObject.html | 2 +- .../client_common.setOAuthToObject.html | 2 +- .../client_common.setSearchParams.html | 2 +- .../functions/client_common.toPathString.html | 2 +- docs/functions/coinbase_hash.hashMessage.html | 2 +- .../coinbase_hash.hashTypedDataMessage.html | 2 +- .../coinbase_read_contract.readContract.html | 2 +- .../coinbase_types.isMnemonicSeedPhrase.html | 2 +- .../coinbase_types.isWalletData.html | 2 +- .../coinbase_utils.convertStringToHex.html | 2 +- docs/functions/coinbase_utils.delay.html | 2 +- docs/functions/coinbase_utils.formatDate.html | 2 +- .../coinbase_utils.getWeekBackDate.html | 2 +- .../coinbase_utils.logApiResponse.html | 2 +- .../coinbase_utils.parseUnsignedPayload.html | 2 +- ...nbase_utils.registerAxiosInterceptors.html | 2 +- docs/interfaces/client_api.Address.html | 12 +- .../client_api.AddressBalanceList.html | 10 +- ...ient_api.AddressHistoricalBalanceList.html | 8 +- docs/interfaces/client_api.AddressList.html | 10 +- .../client_api.AddressReputation.html | 6 +- .../client_api.AddressReputationMetadata.html | 22 ++-- .../client_api.AddressTransactionList.html | 8 +- .../client_api.AddressesApiInterface.html | 20 +-- docs/interfaces/client_api.Asset.html | 10 +- .../client_api.AssetsApiInterface.html | 4 +- docs/interfaces/client_api.Balance.html | 6 +- ...client_api.BalanceHistoryApiInterface.html | 4 +- ...pi.BroadcastContractInvocationRequest.html | 4 +- ..._api.BroadcastExternalTransferRequest.html | 4 +- ..._api.BroadcastStakingOperationRequest.html | 6 +- .../client_api.BroadcastTradeRequest.html | 6 +- .../client_api.BroadcastTransferRequest.html | 4 +- ...ient_api.BuildStakingOperationRequest.html | 12 +- ...lient_api.CompileSmartContractRequest.html | 11 ++ .../client_api.CompiledSmartContract.html | 18 +++ docs/interfaces/client_api.ContractEvent.html | 28 ++--- .../client_api.ContractEventList.html | 8 +- ...client_api.ContractEventsApiInterface.html | 4 +- .../client_api.ContractInvocation.html | 22 ++-- .../client_api.ContractInvocationList.html | 10 +- ...t_api.ContractInvocationsApiInterface.html | 10 +- .../client_api.CreateAddressRequest.html | 8 +- ...t_api.CreateContractInvocationRequest.html | 12 +- ...ent_api.CreateExternalTransferRequest.html | 12 +- ...client_api.CreateFundOperationRequest.html | 8 +- .../client_api.CreateFundQuoteRequest.html | 6 +- ...ent_api.CreatePayloadSignatureRequest.html | 6 +- .../client_api.CreateServerSignerRequest.html | 8 +- ...client_api.CreateSmartContractRequest.html | 11 +- ...ent_api.CreateStakingOperationRequest.html | 10 +- .../client_api.CreateTradeRequest.html | 8 +- .../client_api.CreateTransferRequest.html | 14 +-- .../client_api.CreateWalletRequest.html | 4 +- .../client_api.CreateWalletRequestWallet.html | 6 +- ...client_api.CreateWalletWebhookRequest.html | 6 +- .../client_api.CreateWebhookRequest.html | 14 +-- docs/interfaces/client_api.CryptoAmount.html | 6 +- ...client_api.DeploySmartContractRequest.html | 4 +- .../client_api.ERC20TransferEvent.html | 28 ++--- .../client_api.ERC721TransferEvent.html | 28 ++--- .../client_api.EthereumTokenTransfer.html | 16 +-- .../client_api.EthereumTransaction.html | 40 +++--- .../client_api.EthereumTransactionAccess.html | 6 +- ...ent_api.EthereumTransactionAccessList.html | 4 +- ...api.EthereumTransactionFlattenedTrace.html | 40 +++--- .../client_api.EthereumValidatorMetadata.html | 20 +-- ...ent_api.ExternalAddressesApiInterface.html | 16 +-- .../client_api.FaucetTransaction.html | 8 +- docs/interfaces/client_api.FeatureSet.html | 14 +-- ...hHistoricalStakingBalances200Response.html | 8 +- ...nt_api.FetchStakingRewards200Response.html | 8 +- ...client_api.FetchStakingRewardsRequest.html | 14 +-- docs/interfaces/client_api.FiatAmount.html | 6 +- .../client_api.FundApiInterface.html | 10 +- docs/interfaces/client_api.FundOperation.html | 18 +-- .../client_api.FundOperationFees.html | 6 +- .../client_api.FundOperationList.html | 10 +- docs/interfaces/client_api.FundQuote.html | 18 +-- .../client_api.GetStakingContextRequest.html | 10 +- .../client_api.HistoricalBalance.html | 10 +- ...client_api.MPCWalletStakeApiInterface.html | 8 +- docs/interfaces/client_api.ModelError.html | 8 +- .../client_api.MultiTokenContractOptions.html | 4 +- .../client_api.NFTContractOptions.html | 8 +- docs/interfaces/client_api.Network.html | 18 +-- .../client_api.NetworksApiInterface.html | 4 +- ...lient_api.OnchainIdentityApiInterface.html | 4 +- docs/interfaces/client_api.OnchainName.html | 22 ++-- .../client_api.OnchainNameList.html | 10 +- .../client_api.PayloadSignature.html | 14 +-- .../client_api.PayloadSignatureList.html | 10 +- .../client_api.ReadContractRequest.html | 8 +- ...ient_api.RegisterSmartContractRequest.html | 6 +- .../client_api.ReputationApiInterface.html | 4 +- .../client_api.SeedCreationEvent.html | 6 +- .../client_api.SeedCreationEventResult.html | 10 +- docs/interfaces/client_api.ServerSigner.html | 8 +- .../client_api.ServerSignerEvent.html | 6 +- .../client_api.ServerSignerEventList.html | 10 +- .../client_api.ServerSignerList.html | 10 +- .../client_api.ServerSignersApiInterface.html | 14 +-- .../client_api.SignatureCreationEvent.html | 18 +-- ...ient_api.SignatureCreationEventResult.html | 14 +-- ...pi.SignedVoluntaryExitMessageMetadata.html | 8 +- docs/interfaces/client_api.SmartContract.html | 27 ++-- ...client_api.SmartContractActivityEvent.html | 38 +++--- .../client_api.SmartContractList.html | 8 +- ...client_api.SmartContractsApiInterface.html | 23 ++-- docs/interfaces/client_api.SolidityValue.html | 10 +- docs/interfaces/client_api.SponsoredSend.html | 16 +-- .../client_api.StakeApiInterface.html | 16 +-- .../interfaces/client_api.StakingBalance.html | 12 +- .../interfaces/client_api.StakingContext.html | 4 +- .../client_api.StakingContextContext.html | 8 +- .../client_api.StakingOperation.html | 16 +-- docs/interfaces/client_api.StakingReward.html | 14 +-- .../client_api.StakingRewardUSDValue.html | 8 +- .../client_api.TokenContractOptions.html | 8 +- docs/interfaces/client_api.Trade.html | 22 ++-- docs/interfaces/client_api.TradeList.html | 10 +- .../client_api.TradesApiInterface.html | 10 +- docs/interfaces/client_api.Transaction.html | 24 ++-- ...nt_api.TransactionHistoryApiInterface.html | 4 +- docs/interfaces/client_api.Transfer.html | 32 ++--- docs/interfaces/client_api.TransferList.html | 10 +- .../client_api.TransfersApiInterface.html | 10 +- ...client_api.UpdateSmartContractRequest.html | 6 +- .../client_api.UpdateWebhookRequest.html | 8 +- docs/interfaces/client_api.User.html | 6 +- .../client_api.UsersApiInterface.html | 4 +- docs/interfaces/client_api.Validator.html | 12 +- docs/interfaces/client_api.ValidatorList.html | 8 +- docs/interfaces/client_api.Wallet.html | 12 +- docs/interfaces/client_api.WalletList.html | 10 +- .../client_api.WalletsApiInterface.html | 12 +- docs/interfaces/client_api.Webhook.html | 20 +-- .../client_api.WebhookEventFilter.html | 8 +- docs/interfaces/client_api.WebhookList.html | 8 +- ...t_api.WebhookSmartContractEventFilter.html | 4 +- ...lient_api.WebhookWalletActivityFilter.html | 6 +- .../client_api.WebhooksApiInterface.html | 12 +- docs/interfaces/client_base.RequestArgs.html | 4 +- ...configuration.ConfigurationParameters.html | 4 +- ...base_types.AddressReputationApiClient.html | 4 +- ...oinbase_types.BalanceHistoryApiClient.html | 4 +- ...coinbase_types.FundOperationApiClient.html | 10 +- .../coinbase_types.MnemonicSeedPhrase.html | 4 +- .../coinbase_types.PaginationResponse.html | 4 +- ...coinbase_types.SmartContractAPIClient.html | 26 ++-- ...ase_types.TransactionHistoryApiClient.html | 4 +- .../interfaces/coinbase_types.WalletData.html | 8 +- .../coinbase_types.WebhookApiClient.html | 12 +- docs/modules/client.html | 6 +- docs/modules/client_api.html | 4 +- docs/modules/client_base.html | 2 +- docs/modules/client_common.html | 2 +- docs/modules/client_configuration.html | 2 +- docs/modules/coinbase_address.html | 2 +- .../coinbase_address_external_address.html | 2 +- docs/modules/coinbase_address_reputation.html | 2 +- .../coinbase_address_wallet_address.html | 2 +- docs/modules/coinbase_api_error.html | 2 +- docs/modules/coinbase_asset.html | 2 +- docs/modules/coinbase_authenticator.html | 2 +- docs/modules/coinbase_balance.html | 2 +- docs/modules/coinbase_balance_map.html | 2 +- docs/modules/coinbase_coinbase.html | 2 +- docs/modules/coinbase_constants.html | 2 +- docs/modules/coinbase_contract_event.html | 2 +- .../modules/coinbase_contract_invocation.html | 2 +- docs/modules/coinbase_crypto_amount.html | 2 +- docs/modules/coinbase_errors.html | 2 +- docs/modules/coinbase_faucet_transaction.html | 2 +- docs/modules/coinbase_fiat_amount.html | 2 +- docs/modules/coinbase_fund_operation.html | 2 +- docs/modules/coinbase_fund_quote.html | 2 +- docs/modules/coinbase_hash.html | 2 +- docs/modules/coinbase_historical_balance.html | 2 +- docs/modules/coinbase_payload_signature.html | 2 +- docs/modules/coinbase_read_contract.html | 2 +- docs/modules/coinbase_server_signer.html | 2 +- docs/modules/coinbase_smart_contract.html | 2 +- docs/modules/coinbase_sponsored_send.html | 2 +- docs/modules/coinbase_staking_balance.html | 2 +- docs/modules/coinbase_staking_operation.html | 2 +- docs/modules/coinbase_staking_reward.html | 2 +- docs/modules/coinbase_trade.html | 2 +- docs/modules/coinbase_transaction.html | 2 +- docs/modules/coinbase_transfer.html | 2 +- docs/modules/coinbase_types.html | 3 +- docs/modules/coinbase_types_contract.html | 2 +- docs/modules/coinbase_utils.html | 2 +- docs/modules/coinbase_validator.html | 2 +- docs/modules/coinbase_wallet.html | 2 +- docs/modules/coinbase_webhook.html | 2 +- docs/modules/index.html | 5 +- docs/modules/run_wallet.html | 1 - .../client_api.FundOperationStatusEnum.html | 2 +- .../client_api.NetworkProtocolFamilyEnum.html | 2 +- ...client_api.PayloadSignatureStatusEnum.html | 2 +- ...api.ResolveIdentityByAddressRolesEnum.html | 2 +- .../client_api.ServerSignerEventEvent.html | 2 +- .../client_api.SmartContractOptions.html | 2 +- .../client_api.SolidityValueTypeEnum.html | 2 +- .../client_api.SponsoredSendStatusEnum.html | 2 +- .../client_api.StakingOperationMetadata.html | 2 +- ...client_api.StakingOperationStatusEnum.html | 2 +- .../client_api.StakingRewardStateEnum.html | 2 +- docs/types/client_api.TransactionContent.html | 2 +- .../client_api.TransactionStatusEnum.html | 2 +- docs/types/client_api.ValidatorDetails.html | 2 +- ...ient_api.WalletServerSignerStatusEnum.html | 2 +- .../client_api.WebhookEventTypeFilter.html | 2 +- .../coinbase_types.AddressAPIClient.html | 16 +-- docs/types/coinbase_types.Amount.html | 2 +- docs/types/coinbase_types.ApiClients.html | 2 +- docs/types/coinbase_types.AssetAPIClient.html | 2 +- ...ypes.CoinbaseConfigureFromJsonOptions.html | 2 +- .../types/coinbase_types.CoinbaseOptions.html | 2 +- ...ase_types.ContractInvocationAPIClient.html | 8 +- ...types.CreateContractInvocationOptions.html | 2 +- ...ase_types.CreateCustomContractOptions.html | 6 + .../coinbase_types.CreateERC1155Options.html | 2 +- .../coinbase_types.CreateERC20Options.html | 2 +- .../coinbase_types.CreateERC721Options.html | 2 +- .../coinbase_types.CreateFundOptions.html | 2 +- .../coinbase_types.CreateQuoteOptions.html | 2 +- .../coinbase_types.CreateTradeOptions.html | 2 +- .../coinbase_types.CreateTransferOptions.html | 2 +- .../coinbase_types.CreateWebhookOptions.html | 2 +- docs/types/coinbase_types.Destination.html | 2 +- ...inbase_types.ExternalAddressAPIClient.html | 8 +- ..._types.ExternalSmartContractAPIClient.html | 2 +- ...e_types.ListHistoricalBalancesOptions.html | 2 +- ...se_types.ListHistoricalBalancesResult.html | 2 +- ...oinbase_types.ListTransactionsOptions.html | 2 +- ...coinbase_types.ListTransactionsResult.html | 2 +- ...nbase_types.MultiTokenContractOptions.html | 2 +- .../coinbase_types.NFTContractOptions.html | 2 +- .../coinbase_types.PaginationOptions.html | 2 +- ...oinbase_types.RegisterContractOptions.html | 2 +- docs/types/coinbase_types.SeedData.html | 2 +- .../coinbase_types.ServerSignerAPIClient.html | 2 +- .../coinbase_types.SmartContractOptions.html | 4 +- docs/types/coinbase_types.StakeAPIClient.html | 14 +-- .../coinbase_types.TokenContractOptions.html | 2 +- .../types/coinbase_types.TradeApiClients.html | 8 +- .../coinbase_types.TransferAPIClient.html | 8 +- .../types/coinbase_types.TypedDataDomain.html | 2 +- docs/types/coinbase_types.TypedDataField.html | 2 +- .../coinbase_types.UpdateContractOptions.html | 2 +- .../coinbase_types.UpdateWebhookOptions.html | 2 +- .../types/coinbase_types.WalletAPIClient.html | 8 +- .../coinbase_types.WalletCreateOptions.html | 2 +- .../coinbase_types.WalletStakeAPIClient.html | 2 +- ...s_contract.ContractFunctionReturnType.html | 2 +- .../client_api.FundOperationStatusEnum-1.html | 2 +- ...lient_api.NetworkProtocolFamilyEnum-1.html | 2 +- ...ient_api.PayloadSignatureStatusEnum-1.html | 2 +- ...i.ResolveIdentityByAddressRolesEnum-1.html | 2 +- .../client_api.SolidityValueTypeEnum-1.html | 2 +- .../client_api.SponsoredSendStatusEnum-1.html | 2 +- ...ient_api.StakingOperationStatusEnum-1.html | 2 +- .../client_api.StakingRewardStateEnum-1.html | 2 +- .../client_api.TransactionStatusEnum-1.html | 2 +- ...nt_api.WalletServerSignerStatusEnum-1.html | 2 +- docs/variables/client_base.BASE_PATH.html | 2 +- .../client_base.COLLECTION_FORMATS.html | 2 +- .../client_base.operationServerMap.html | 2 +- .../client_common.DUMMY_BASE_URL.html | 2 +- .../coinbase_constants.GWEI_DECIMALS.html | 2 +- package-lock.json | 4 +- package.json | 2 +- quickstart-template/package.json | 2 +- 444 files changed, 1949 insertions(+), 1852 deletions(-) create mode 100644 docs/interfaces/client_api.CompileSmartContractRequest.html create mode 100644 docs/interfaces/client_api.CompiledSmartContract.html delete mode 100644 docs/modules/run_wallet.html create mode 100644 docs/types/coinbase_types.CreateCustomContractOptions.html diff --git a/CHANGELOG.md b/CHANGELOG.md index 59d95512..7f16349e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,11 @@ # Coinbase Node.js SDK Changelog -### Unreleased +## [0.15.0] - 2025-01-17 + +### Added - Add `deployContract` method to `WalletAddress` and `Wallet` to deploy an arbitrary contract. + ## [0.14.1] - 2025-01-17 ### Fixed diff --git a/docs/assets/navigation.js b/docs/assets/navigation.js index 3be608dc..0d27f15c 100644 --- a/docs/assets/navigation.js +++ b/docs/assets/navigation.js @@ -1 +1 @@ -window.navigationData = "data:application/octet-stream;base64,H4sIAAAAAAAAE52dW3PcRpKF/4v86t2VZHm89hvFy5g7ksUhKTs2JhwMqLtIYtUE2mi0LM7E/PeNBvqCqsw8ebLfbPGc7xSqgUIBBST+8a8Xffrav/jpxWxRp6Z/8e2LZdU/vvjpxVM7Xy/S6r/Gf//Px/5p8eLbF5/rZv7ip9ffvpg91ot5l5oXP/1jjziZz7u0WkHGNwfRyHrz6sc337188+9vS8zbalE1s/SuXuFWfaPqHfjP9apvu3pWLaIxltMJpPkc7jot133V121DQTM5jX6f+mpe9VUwYmJzom67qllVs42J7h/pcULS6mRZU+idkgGefK3b1VXVVU+nXar6tuMTNCsTeVHN+rZ75oMOBgq/DJCXJPSy6VN3X80Sz55azIjVKnm7y1YCEcSuMZG5qOhOgXxuGLc7SLUP9naETOji2F1A01vw7dCLiQeRgxmH9Gd3X9DkNDq4b1B+OpzaV4CLD3L2Hd1A48l9CfrMsK6t5rNq1Z+2Td9Vs/6y+dLOhjPadfpjnbzzE+V3w8+/9qlrqsVwmrtPXSzadrvBN331uW4ePixTd8Q22243+Lar5imWVliYiCM6M9CJ63oxP64DsdMKPG2b+/ph3REzwFJKIYdxJvWpcybztgnEDAfH+RfvauObUkoh/XmkJqfQ/mRBk9Po4AmC8tPh1AkCuPgg5wShG2g8eYKAPi/sMK5zIZmeh/N7svDwIfw+LTyxkCP3bh8Sa0ZoP7eswUhyj1dcsaDgvm+bzdhNp6f99T5xejMcOODI+ZdvxrFHzbw8K468WDfz2HwB+vywv6/bnptrmR4cclU9L9pqflM/NFW/7iJZthVH3qTuS+o2ttBvptucqKeq20/vI1m6zwk7Zj7pWXEkPxVX9S48elxFj6ffqsUiRX6Y0hDAj/8TDtnbmKjf0qfHtv0c3iDhc8LiMXzA87JvT57atTvbz5UW8CwtF+1z/ECEPivs/Pr09cvdTkhcsah6AP/h9asYXTGY+P4xdWn9dNt+Ts3O5AQYFjficEueDMgMAfzJbOYuMCFbOMqfhHvWQOTFour71KT5befO4hi7F/1rtajnm2k0t9CDbGbUdmbEr8UYjkhA8FqDRUSaQF1nYGMozrnGMD2REPL6wrNakRfVepZ6eizR5CY6DTPKG+98nelsWD97PKwCb+da21vOq9cvX16n1bJtVk43RTCwKVvndfqz6ubBfOQNhFJnYOgzw+qqZ2YPmc6ErZu5O/4cRA4mOMoAlxNEjSVC60GdEWMqc1DkuKCoEXh/8eJTp1IKeZGSM4nQ5BTanzBocgp901f9enXerJ8CAZkJxQyX+T54J7NQf027taDNNDt95WbnwGUFiedwcIImt9Dvr07H66hNm5I7YmhyGh0cRSg/HU6NLMDFBzmjjW6g8eQIBH1mWDtPi/Ouc3+Zqc6ErRd9PVxe7S5CPyyHO7AOG9isqF8ubkMZqt6Ep/7PtvvsEPciB3M5T01f39fe9akmd9BXXdu3s3ZxUT3Vi2d/7EQ2J8q/tMmFBC44ODhOIpAaEFQ9A3cGgVJKIMkD33BYAR+a2WNVN+N+1vvPBal6Hh78lTkAH0/95sgWiHL2AMPBB5D7AzY6cb9UTxx+KyRw/qRRii1suYyCuYqaBfuNNhxsADvfhT4r7DpV89ANZN1g4x/qVZ+6+I1qx2kH7h6/doerUkohg4OU66VCqaHJcHABzoAkxRSWHIZMjx2yahdf0m7cevu8W1lvF4k4UBi7FX2T0nz49eq2IdYqNDmNvk6r9SIasDfZMYcFX4+dKRkg1SVSTqOP4YdD/BHdsjARMXoA7E+8FTULDo57jJ2NpkY/20THOGOgqmfh5EiIbGbU7nwfGZYsTyyEGqCwEwWm+a/tYt30Vfd8/rXu36fVqnpI3CId5TfDp3MOJ6eQUsiTWV9/qftn5pdCPiqMGG8UOYWmbqgYDirg9nnpHTGKnEITo6Uip9HR8ZLx0+HciGm7+CBvzFQNNJ4dNZHPDGsX9bzun3+tFmuPX0gp5GZf9KeilsWM2KxKtl2a36Rm7qALKYVkrzVtkxlDrSEQSwdHrhgcs1AQWh/glwXY1QBqESB47z9yyz9fi/e5mdaBbte3KOhBy0GPYNMR5HKsombB5PzGdrFB9LGOfE7Y+IADxd9LKeRF2z1V3E9cGCj8ZhuZ4dvyUCEfb86Ys49hsSLiy2rBFbXssUh/hqbJTfTmQWoHt5VAhD/nncogyp8nTmUuKnjWgj43jDpvKWof7Jy5cqGLI89dqh7AuQfouEfnJqrhXOFdt6l6As6+g29ZQhHxnZFjhBrB7qTIGQv0d17DFIrhd2rsJULZM7llISKIcV6IIdZ9Cp948H4noYb7qdIDUoP+VMkAjznagJWJ5I8tYaDwzJF0T9wunQojx41isSI+LudHvbkGfTgs8j6R4TADVt7hs1UggL+XT1QeKLh3I5sXRe3VUuxinb0503kwci/W5BZ6/74JRk5lLuos9VW9cK4PFLUL9ofkUuoix1MWCd2LLSzz3qL7kuIo8Lc102HYdAmIPa87ThzojwKZzocFRwJs9OOo0UCTE2hnRCiUPpAcFXSDiR9PGg5yL3Iww9rSRb3ovROMqmfg/lRSUbPgaMszjxNCHOeZ0MFlc4potwOzEzvuXLulxECkYXTiiOElExK46ACDnUQgN8RoegbuDTKFlECyw4zusAIq+4e8q5b1wNzbjdK44En31KyfMp7Q5gn/zS0aC6zQAiy64yzBUm2jwU1UARZagLWu2CU0V9pIc/4lkIXSRtpnA8EspTZUf7V6tqg2/zZFToU57tXrDCgro2q0nQqhQIFNBSnUCA1KsylooWbQVpkswM8tKAS/Ga9EaAYUIN52VZhbDcKAl+EUoFAjtPrijAKd6BAOvbahUKUcwY3nqxVupkRI+xlGhVqKIdh+3kcjl2qIZnYC5rdX1pgU0l7loNAqgo6VDjdC3B+1yPf+TyRvQymwnQiBtGtZBXWQQZg2ddVoBx08kZTfA6h3sy3tvFTMo77/iySptfohdOIg+M5XAWCS6iUyAxEkUfs2AOQeDCG6fGCDTNkZiTTzCwEwqnAROdZyLIzJTTAlr1dvUDcilxJrqHAgvnjgSYduZQQJLgpCuOKEeYHa3UauS6Dy3SKSTrrhp7LdgoFOtuGnsvXKgU7g1MSmHNWrkd6kSnkbecCLMo2a2HpIJqapzOApDDQ9NCbZTiZPK76Mcw6OGD/SZbkrlnNU5xl2mAyr9xpxisfPOHoQdux+8pHDLzT7qbiML4rUnFyeXsnXy5q6/By3mC+KM8x+KqznixIVI5EGH4yAcYqTyDvu1ALNfmrk9CwdFD9+vIWPM6O8L8rILMGEcqWczhn/h02znpbx43InkXdMUiBDK/VrsQ9axGSq/eoJthPloYK/eo50OHy75q8ZUFpgAi77a2RoJipFe9jYyThYggll8V86ZzQelcZMAqE5mGqVAKaTcwCTDqoA41RhhGlcQVkjEZlRKqgpqycJA6QrZWUN7F6JeeHKslYcCXJbQxSXBU0w3cFccsy3nTBPKTFr8PdKyDOrohrUQu+xlTfxbPBeTFPz2qgEeWOg6cx4KgwevShdalMHIaL51Ut1uOVDWaCAqR4iDIjO1MjUY2wnzFPKZBr8vRLy/EqZBt4yojRULFOPkQ7IL+tlGtBRRpBCp0/NgzKounp6FLASiXlpPZiwkZJEZswp5IhsF9jT0aU+wmaarnlQBqx8p0coFpzAFL+zomwvzsT116w0zYVyQB00PUIYQvSy0hCZMdpwklYNzcIftCyT7JvCEKIzB4dqYlOiARF2aAA3jTDNqY9lRKmueA654wKvl8lWybKTMQHm64WyjKipmKYatbKIiMxJ51E7e2mg6bHd3XTCPL2wkRExFUOqXnjIoE7FkBqdlIfm4lb9Ght9UBNcUWYGcrdqnnsUnk+hL59LPcEuq75A8CimqbJoCkHfmVDKMRdZ0euror6JAd2IXAozTu2FLi00LkmHw2fvOpL3G9lyC25I8OkqdhmBWTnQSxdgHvFLorfoMZz+PZkX6fUo2+nnxdbsNA/MWPm/6kbjMUI9LwyIrrz8rVP3QorG7H6ZGFG5hWJ/VVh7qxqxuHaFfhvFAhPKV3AN6igjSOrroBA6cRB8qnMPUoLov80KUyw7kYxfaIWpmpVIjO1KiodeJ9AqAPTPS7BQcHAUIS9//OHV96/lLVT0aSARZXq8MOajFiLNNnlxgS8EiFTX64V7VetFom5wY2ApZhmiyN0IXNFWZmh6N8QrQCtjdIcb5FbalEmGJRrFbZZpIuPM2pVWVGHwYlARPBEhxQE81V+q3guxS98Ifin10FwBFxGDbG6kU/5ChqkGL8Y9J32purr6tKDOS//xKo/7LnhSUrNMH0xjzkpqnG2EeYHTkhrr+mG6M5qriaoHp3jDuZ6ju3ASMcjqYaaRyTNHWZRVmGCOMw6qMaoHpnCjlRqGrDCT/Dr9/boZtiQLhd488y9vjExRyMVN2jpY/jKCXiLq7o3FcDeZRiaN7KBCTpHdrjkoAU+8FxntHx8QSef6y7KFkrz+UxyAL94+i/ajD4ikc/1o2UJJXj8qDoKfv4h2bGc6lHA7Yt2qeuOZbAeXNpCkPfgc7WOKEWwD17/AGc3z+lY3gZTtU7fRzrRsfhLXZbmYoHods9cBVuSj9GqID4ikcz1l2UJJXu8pDsDnvtytBiErl8j1mjSQdK+nMi1ghj5/rSYRhFA+13GmL5bldaNmAQnsJ3rVLGxmU7nu0yx0gtdphRpwA1/3VJNcfyCb6zjDFcnxuk8aED3wwT89zQVE0slONGyhJLcbpQPxjzzVHnOGjZ1Y+fMpfRqlzp7Mp4JUum1k0rhOKeUU2euWiRLzQl+wsaIISLQVdN+Z1nAi0aeay8vxP1Vip1leMjPQiffsOcD6WImPRj1FfPJCDTB9RBbXO4Wa4Xq9chACGlX8X8UDJ5XH9YvQc2yvb6ZSRKRKl+sJwMolkh0kDCTd7aKpVjB/n1A/VdO3qYv64ps/FouUeoHxt9UqnVxdHkBF2c4BtBXlwLLO7R/rukvz4lVOjZZJPWZa9SfdA3yweA/datHDQm9Pbs7vrk5ufwYrNuMm74Rgdeb0w7t356e3lx9+ubv4cP3+5PbGo0oHwLf75bZhov2+Wnp46RD46R40a5+e7K/93Y1/pvais4/v3//v3dBnH6/fgWZumbke9MFm7+n64Sg+/1qv+hU4fLZsYQFH5myoVbPddy62QD9CtYGYVerqalH/M51VfXV5/0tK8zT3Y1QbjOlPlvXf0vNt++HT/6XpG0Z2RGHB+LfVqp6drPvHUIJwOSGp6lIXTxE2HPMhnPCBh9+kqps9DjshscsWBoDu26uqf7zpu7p58LlTNTyXzNrmvn5Y4y8132Uqalw41bnFWSHnntopotz+QTj0XOpTB08VIOkAkOeP34vOqpvtyVfb5qqsXr3vxa3vrlILV+s0UQt733clTS2HnfdY2q523NFtvCstVKOLVRW/8TKmQMitmv4ifw7zysBW5QZqm7aPPtNbVERkdm1rptuzY3RKRW5zmzqrGjfcsbSi3+Y2TSKcEuDlL1Qt67uUTw3lhuw0XPuvLq25pgTuxOjgOFl0qZo/j3OGAFrYUMhYJ+pd/VT316maPdoTZplkeFHc8AB9U5UFVkBI5sDoL5vHPbf7QSRA+PiYy7Njg7ZOJmqo1BTPOdiYkM3DO8dszcRHxJylVV834xvy0ajSS8QN+2Y46OAiInYfuYp3Xe4koq6qhxRO2ZuIgLGWwPbR2HCSdBORu3t2R/RfYQ2EbR92PDZwYidCxxNtOGxio0OO6MTMiILeV4v7tntK8+1VJp+kOlHU9sDY1hr82KzWy2Xb9ZFTE0bA8La/aNdNJGvqwLePVu26m6Xzr4/VehXaHt2Kwj421bp/bLv6n5Ec4cIR9dNykZ5SE9oWacMh+99uONdEchSnMyvMP28iZ4TKl02M2WBOks0cSMqXUkST1v3j5hmKmfGdzD1wqiOvhUfriZ4gm5wlqG68KZ/KOh5iIz6ptTusG8UFTTR4R1MrghiNu3uqtM95FsiNKtLI7Fap1c4BejDg5k6u+a227v4jtDOAZu55pypYtrBZ9VXTo8vfvYZq419/O7+8Ozs/vXx/8k6/sy25mce5+Tw+8XCX8pc9tUZPhOxtJ+3DKEoXZ2jwiRSlt0dnrXxXxN6E2vqmCN4O7eMl9sZMQrxvmYjNGuqr31VFWVu5QVMdtylqlXe5ERnYLvdeNnw4BaFdfxRw55Lxin6cX3vnvy1XeuCthu5hvTkfs/CpnLm4vLr8W3oev6hLRlhOIi27ixqLk1Yi72Ozilw35Yma2ZmehvaDXI/It/VTatfs7zNV4yPhfrhLdNdrVYTEUSHF1BECyqOLDVAinGLpYovqqveHpImK2walfLds/ARqVfEWzV0387tWVguTLc6EXKP1Ot6y3TkaVPRWW/9HXhhbb/kfSlFsu9VFrW29xSPSqLhdtvSxWj2CNm7+TLVuI9yWcFRX1HLgQQxW6Taqzbu/883CbYhduuCq3eO+sPedP9eXYqp3QLVx8RsqEU7t8fI3XY7D8t1KFkkWGyS01PbYVZjF5sgAXJK53JjNjGA/KwMbkumojegmdZXhfpWjpza4Y62Gx0eGDU/oIjjTUS3XyweLrs/Bdh3hsstXm2epmT7PhVzT9dqtsu05GlRxFa3fvdN/t8qKhsrWZ0Ku9Xo9Utn6HA0qk4rWjy/uE0NRoeTab9QmlRtQwFGZUmsTmLO30EY2gzmHywBcWdTamK4oLmpuSacVFoWbUdYtNbdhiwYVTMvW93nlT9HoXin6qbe1qCEq2jiSlCKiSpOIKXV0Ls3NoqdUeuLci/qbemtl6U3Q1Hs4cO95ek1P0cJNuR3UvM3f4zPjccXowE3N+klQFUeeNL1a0+vXOAm6yQ6RBUKcAGkA8Ol5aDPN9NilHqBlLRoPLh0Av3kLaFuAbfMRGI9dyDF4PxyNNz0IduGw8aLEjAMXegd9T+4ludiG7st3UdRCbWPFk0Iny/p0eBxPf1Ivj7HdxbCAvyPPBxpWlJaNJKEw3Ymy3jfpqW3q2ebTHVePXWV9US3PkS6UcVU9bB/8wF9tK0e70oUy8i8PXF3yfaY7UZb6bhcfCOwodVzqPzO/KZGHHNSQOb4dEmp+6UH87dGm/B7bwnjqwWn9CKIsXnm/TYdq9/Akarc5siBhgdsLXeRmdZje9EzsoXdLeLsb3umia5/+Z9U2VhnSPMyzs/GxNBperjGxfQicbqjxxXdyC7GbCz+/Pn316vvvI4m5hY55/TIYsjfQET+8fhXMODi4kPFUx0dM9FzAcMs4kjA1cBHDRWIkYmqgI4bJWjBl6uGCtqeFSE5u8WImz4869InSgxavBbAjjWVj47zZCgylJiwielNGXtw9X3E/F/QeF1x+lyuQq36WS42dzLQCW6q4omH01kmTF0V8kFRNY79HKsvUg2+SqknuJ0mV4vS7qT6XIPRewO5rjrENMVxe2Oai6Ewra17ebBllPu5wU4YdKlSPG8TUswfXTmz3DEVY2A3JxB76iMPimCNiOAvTFwyFmoAPJ1+2h4TeDdgtCZ+1T1XtnUsLNQ2/qNNizrIHsYcevykU+3VVDxcUms9oFi9m+wYf+TMXag4+TrO4TVAcXEjoeNYsXky9QjeplFXqMUqzgWcs6pV2gwXQrTsseUEAf+l44MWWjnc79K5UwHXq112T34TXuv+QYhP0XyN/n3TdZx9uEJs0/J3aklnbfEldP75Sftv+nL7Cvh/B0gR+gXlaVHr1lRw66ADnfrg7f1b1eN8bYQcxID6k/reUPr+tZp9JbOEA7EX7cLKs5e1WE50bAHlZdatUPPZI8DUbSOm2U6+h6M7wDuksLfvskVwzyvTCZ1S+yA+8if16r6H2beWTcWJ980A0vhunv5oO2vin9nk39Ao6aN2WpX0xTrSr/AKbbJj68TWjZSVNNm1LUz/pJt+Ar5v5dGjZNW74Z+4hbvF6uGR8MxGNsDevfnzz3UvlawUYs9c4FOWsa+OmYocL19bsBN1mZoH347UMTe6w1UetbXYuN9nGk8NT3k5iMpSLB40zlZks/eF/DVcoTaL+Gt2UtFVAArl3llKLKR7VUmAHjUOx1+1squJxUt5rL6NJ8CizWPLVLoU0EXkc431BAC0dXoK/KgXCgNnLjcQwVPWlL5WZKz2i9voVwGZyns0dfthnprHLZVqi68Wp1jqZGSUMLl9ZIEP0qdxlaytjCJ7pMV1dEjPZuRqT9bUwE13IMVtfBDPZhdxl66tfCF84cIJ1m8gMEAabr73hqHIzocVT188UXK6zaGZJLoUotSSVG8KAycvx1uFAmmm1Mt1STUqY7cEp6kPAJj9Xm2TlBTcNOZWZLP29Mw1XKCkiN60zLVRG+VCjF7DXI/rf9RflCuZOZZGMF+0VWqm0iOCtLYWqqS2yUVFMoZZKm+i9tKzCTZOXoxYsAxG5nqOLykAu/+DwErTyZACfyT22WpUMwHO9Q0cvitsZqstJssue2TmKx0nRqp3Z/EztkK0iZzZdOJwEpbaZDZ+KHS4qaWYHqC4nyaxkZsdIC5mhFjDzc3Kbk4XLGthhhs9JU6uk2SG5nGIHfpfSYPHJR6KUIM8ZSyyfFqID90aUBx+CMqJ0D5tCbo9qsTKc+nVKhOUwE8Ais4bX5Cbbf2hLiwAuKwk9raVEqHKTTRb203I8q5mp1/PTIgolILLrAkJqMcEDbApWU/tkuZgL0RO5zbZqF6hkIWa5xKWSabEy3Cf6lBDbY6fgko9qiGGxMuTjggp1IrI5WikElZUJGR53a8RyMAnEPqLKTbZeXUHDFkqKSHZI9B4RfgTTS/D3Z/DSrgffqk0yemdXY6t6k248Y6aBSylkqq8BW9RcjLhaZQmDmkkdJnfLTBE73LLugg3dKyli+Q60x93rLbpe5EzBFkKTF52SBWdjt3rViSlwq4AE8nEBqQVU6v4wd2eYeh8W0wNr6+A1eJzhjjKyHoUFvIdnTvAINwAyY5b1nj7A+lttPQ+uQYXWpRYPgiPoTmoxQU1sBaupbbJdCltFK3KbDStgq3jdYSbgJ+O1BMOBEwJrnYbB4iuPSirQqcolEYeI1FrU8klJBbaXYAY3JkitQyVWYUslJhqvDpjcUo/p7vVOJsOswNzQMJh865nWKXKvcSjcKVERW1y1zqSCzHWIZpeYNLCKweLjlzgUvmGw+eSeVQgtnl4SUeEVwpyXlW9cN3fW09uHvxUPI//79/8HM0pnlRopAQA=" \ No newline at end of file +window.navigationData = "data:application/octet-stream;base64,H4sIAAAAAAAAE52dW3PcRpKF/4v8OrsryfJ47TealzF3JIsjUnZsTDgYUDdIYtU3o9GyuBvz3xcNoNGoysyTJ/vNFs/5TqEaKBRQQOKf//eiKb82L358MVtU5ap58ZcXm6J5av9/uZ7vFuX2P/p///enZrlo//i5Ws1f/Pj6Ly9mT9ViXperFz/+c0Sczdt/2W4h45ujqGe9efXDm29fvvnXX3LMT8WiWM3Kt9UWt+obVe/Af25V67qaFYtojOV0Amk+h/tQbnZN0VTrFQVN5DT6XdkU86IpghETmxN1VxerbTHbm+j+kR4npNyebSoKfVAywLOv1Xp7U9TF8rwui3aP4BM0KxN51W71un7mg44GCr8JkDck9HrVlPVDMSt59tRiRrRab3cZJBBB7BoTmYuK7hTI54Zxu4NU+2BvR0iELo7dBTS9BR+GXkw8ihxMP6Q/u/uCJqfRwX2D8tPh1L4CXHyQs+/oBhpP7kvQZ4bV62I+K7bN+XrV1O2mX6++rGfdGe1D+ceu9M5PlN8Nv/zatnRVLLrT3ENZx6Jttxt82xSt5vH9pqxP2Gbb7Qa3bZ2XsbTMwkSc0JmBTty1k+HTOhA7rcDz9XJTLcrbZVGPuxuVh41O3DyxUUHCYkesHqrHXU3MaXMphexGzrI9OpzLE9sEYrqNu/ziXT99k0sppD8z1uQU2p/+aHIaHTzlUX46nDrlARcf5JzydAONJ0950OeFHc9UXEii5+H8niw8fAi/TwtPLOTEvduHxJoR2s8tazCS3OMVVywouO/bZjN23+nleAeDOYHqDhxw4ozSN+PYk+aSnhVHXu1W89gMCPr8sH/s1g03ezQ9OOSmeF60E8Lb6nFVNLs6kmVbceRtWX8p670t9JvpNicqPoNEPifslBmyZ8WR/MWFqnfh0eMqejz9ViwWZeSHyQ0BfP8/4ZDRxkT9Vn56Wq8/hzdI+JyweAwf8Lxp1mfL9c6d7adKC3hRbhbr5/iBCH1W2OWH89cvDzshccWi6gH8+9evYnTFYOKbp7Iud8u79edydTA5AYbFjTguMpABiSGAP5vN3CUzZAtH+ZNwzxqIvFoUTVOuynn7b94sjrF70b8Wi2q+n0ZzS1fIZkYNMyN+dclwRAKC1xosItIE6joDG0NxzjWG6YmEkNcXntWKvCp2s7KhxxJNbqLLbkZ5652vE50Na2ZPx3XtYa413ETfvn758kO53bQXVU43RTCwKYPzQ/lnUc+D+cgbCKXOwNBnhlVFw8weEp0Ja69m3PHnKHIwwVEGuJwgaiwRWg/qjBhTmYMixwVFjcDjxYtPnUop5FVZOpMITU6h/QmDJqfQ7bHT7LaXq90yEJCYUEx3me+DDzIL9bfysLq1n2a3/0aNDcBlBYkni3CCJrfQ727O++uofZtKd8TQ5DQ6OIpQfjqcGlmAiw9yRhvdQOPJEQj6zLD1vFxc1rX7y0x1Jmy3aKru8upwEfp+092BddjAZkX9cnUXylD1Jrxs/lzXnx3iKHIw1/PWUz1U3vWpJnfQN/W6Wc/Wi6tiWS2e/bET2Zwo/9ImFRK44ODgOIlAakBQ9QzcGQRyKYEkD3zDYQW8X82eimrV72eN/6STqufhwV+ZA/Dx1G+ObIEoZw8wHHwAuT9goxP3S7Hk8IOQwPmTRim2sPkyCuYqahbsN9pwsAHsfBf6rLAPZTEP3UDWDTb+sd3Yso7fqHacduDhgXJ3uMqlFDI4SLleKpQamgwHF+AMSFJMYclhyPTYIdv14kt5GLd+ej6srK9btH+gMHYr+rYs592v17aWWKvQ5DS6bWc74Q0GjCY75rjg67ETJQOkukTKafQp/HCIP6JbFiYiRg+A/Ym3ombBwXGPsbPR1Ohnm+gYZwxU9SycHAmRzYw6nO8jw5LliYVQAxR2osBy/ut6sVs1Rf18+bVq3rVDdPFYcot0lN8M559YZp9UTnRns6b60p55mF8K+agwYrxR5BSauqFiOKiAu+eNd8QocgpNjJaKnEZHx0vGT4dzI6bt4oO8MVM10Hh21EQ+M2y9qObtsfRrsdh5/ExKIff7oj8VtSxmxH5Vcl2X89uyFWB0JqWQ7LWmbTJjqDUEYungxBWDUxYKQusD/LIAuxpALQIE7/1Hbvmna/E+N9E60GF9i4IetRz0BDYdQS7HKmoWTM5vbBcbRB/ryOeE9Q84UPxRSiGv1vWy4H7izEDh99vIDN+Whwr5eHvBnH0MixURX1YLrqglj0X6MzRNbqL3D1I7uEECEf6cdyqDKH+eOJW5qOBZC/rcMOq8pah9sHPmSoUujjx3qXoA5x6g4x6dm6i6c4V33abqCThbVcCyhCLiOyPHCDWC3UmRMxbo77yGKRTD79TYS4SyZ3LLQkQQ47wQQ6z7FD7x4P1BQg33U6UHpAb9qZIBnnK0ASsTyR9bwkDhmSPpgbhdOhVGjhvFYkV83MxPenMN+nBY5H0iw2EGbL3DZ1AggL+XT1QeKLh3I5sXRe3VUuxinb050Xkwci/W5BZ6fN8EI6cyF3XRXjZWC+f6QFG7YH9IzqUusj9lkdBRbGGZ9xbdlxR7gb+tiQ7DpktA7HndceJAfxRIdD4sOBJgox9HjQaanEA7I0Km9IHkqKAbTHx/0nCQo8jBdGtLV9Wi8U4wqp6B+1NJRc2Coy1PPE4IcZwnQgeXzCmi3Q7MTmy/cx2WEgORhtGJI4aXREjgogMMdhKB3BCj6Rm4N8hkUgLJDjO6wwoo7B/yvv1bxxztRrFf8KR72Z6sEp7Qpgn/yS0aC6zQAiy64yzBUm2jwU1UARZagLWu2CU0VdpIc/4lkJnSRtpnA8HMpTZUf7V6tij2/zZFToUp7tXrBChrvWq0gwqhQMlQBSnUCA1KsylooWbQVpkswE8tKOQSvhmvRGgGFCDedlWYgwZhwMtwClCoEVp9cUaBTnQIh17bUKhSjuDG89UKN1EipP0Mo0LNxRBsP++jkXM1RDM7AfPbK2tMCmlUOSi0iqBjpcONEPdHLfKD/xPJ21AK7CBCIO1aVkEdZRCmTV012lEHTyT5Fw6qw2xLOy9l86jv/ipJ6tcHIHTiIPjOdw5gkuolMgMRJFH72gHkHg0hunxgg0w5GIm0yZEa6KjMReRYy7EwJjXBlLQCv0Hdi1xKrKHCgfjigScdOsgIElwUhHDFCfMC1ciNXJdA5V96RSSddMNPZbsFA51sw09l36mVA53AqYlNOalXI71JFSc38oAXZVL1yfVIYCUSrRLlMCs14RS11rdFn4hpKnNSEAaaHhprbSeTpxWVxjlHR4wf6bLUFcs5qfMMO0yGVYmNOMXjZ5x8cnHsfvKJpxVo9lNxeWIUqTm5PL1CsZc1dfk5bpFiFGeY/VRYpxglKkYi7ZSTiekk8k47ZUKznxqZdkgHxY8fb+HjzChbjDISSzAhfwKAzun/h02zngLy41InkXdKUiBDK2FssY9axGSqGOsJthPloULGeo50OHy7lrEZkFtgAi5nbGRoJipFe4jayThaggl5UWM6pzeelMZMAqE5mGqVNqaTUwCTDqob41RhhGlcoVwjEZlRKqiVqycJA6Qr5XIN7KjEvHDFXCuOBLmtIYrmgiaY7mAuOebbTpinlM41+KMS8sxqrwY103ts5Q1DGzyKaWpa85Ug7w00nRlPhcGjZyVZbWonRDS/KqsOt3woCxRm1UOEAdGZ2p96jO2EeUr5T4M/KiHPrwBq4C0jSkNFQPUY6YD8vA6oAe1lBCl0+tQ8KIOqF6hHASuRmJYMhAl7KUlkxpxMjsh24UAdnesjbKbpmgdlwIp+eoRiwQlMUT8ryvbiTFxXzkrTXCgH1HfTI4QhRM8rKJEZvQ0naVXeLPxRyzLJvskMITpzcKgmNiUaEGGHBnDTCNOcul9GlOqK55A7LvB6mWz1LzsZE2B+ZD2QXgdkaoAREYmTzqN29txA02O7u+mEeXrBJiNiKoZUvaCSQZ2KITU6KQ/Nxa26PDb6qCa4onwO5A5qnnsSnk+hL59zPcHOq9lAcC+mqbIYDEE/mFDKKRdZ0euru7RuiwHdi1wKM06NQpcWGpekw+Gzdx3J+43q47iR1gO3m0ssIzArBwcN+TOOWoYZ/TGlCaUwBQL0KNvp58XW7DQPzNj6v+pe4zFCPS8MiK681K5TRyFFY3a/RIyo3EKxvyqsvS2OWFy7Qr+NYoEJ+avFBrWXEST1NVcInTgIPtW5RylB9N/ShSmWnUjGL+rCVM1KJMZ2JcVDrxNolQ2a5w1YKDg6spCXP3z/6rvX8hYq+uSRiDI9XhjzsQ6RZpu8uMCXD0Sq6/XCvWr8IlE3uDGwxLQMUeRuBK7UKzM0vRviFdaVMbrDDXIriMokwxKN4jbLNJFxZk1OKyozeDGTqbMo7icipDiAp/pL1Xshdkkfwc+lHporTCNikM2NdMp6yDDV4MW456QvRV0VnxbUeenfXqVx3wZPSmqW6YNpzFlJjbONMC9wWlJjXT9Md0ZzNVH14BRvONdzdBdOIgZZPcw0MnnmKIuyMhPMccZBNUb1wBRutFLDkBVmTh9cA9VpHnarbkuSUOhNM//6xsi8ygvUuEmDg+VvIugNoh7exAx3k2lk0sgOyuQU2e2aoxLwxPue0f7xAZF0rr8sWyjJ6z/FAfji7bNoP/qASDrXj5YtlOT1o+Ig+OmLaKd2pkMJtyPWrao3nsl2cG4DSdqDz9E+phjBNnD9C5zRPK9vdRNIGZ66jXamZfOTuC5LxQTV65hRB1jiic9or/iASDrXU5YtlOT1nuIAfO6L5GoQsnKJXK9JA0n3eirRAmbos95qEkEI5XMdZ/piWV43ahaQwH56WM3CZjaV6z7NQid4nZapATfw1VI1yfUHsrmOM1yRHK/7pAHRAx8y1NNcQCSd7ETDFkpyu1E6EP/EU+0pZ9jYiZU/n9KnUerseUd8Akml20YmjeuUXE6RvW6ZKDEv9GUeK4qARFtB951pDScSfaq5vBz/Eyx2muUlMwOd+MCeAxI11WUPxNhPfMpDDTB9RBbXO5ma4Xq9chQCGvVRAxUPnFQe1y9Cz7G9vplKEZEqya4nACuXSHaQMJB0t4umWsH8fUL9VEzfps7qpu//mC1S6oXTf2qFZzfXR1BWjrQDDaIUmNfv/WNX1eU8e5VToyVSj1lum7P6ET5YPEIHLXpY6Kez28v7m7O7n49AsWLTb/JBCFZnzt+/fXt5fnf9/pf7q/cf3p3d3XpU6QD49bjc1k203xUbDy8dAj/dg2br5dL+iuF9/2dqL7r4+O7df993ffbxw1vQzIGZ6kEf7PeeuumO4suv7Xl5Cw6fgS0s4MicdbVqhn3nagD6EaoNxLQNqopF9b/lRdEU1w+/lOW8nPsxqg3GNO2w8ffy+W79/tP/lNM3jOyIzILx7UBQzc52zVMoQbickLKoyzqeImw45n044T0Pv20bM3vqdkJil80MAN2sb1rUbVNXq0efO1XDc8lsvXqoHnf4C9T3iYoaF851bnZWSLnndor4jMBR2PVc2Z4a4KkCJB0B8vzxe9ZZ1Wo4+WrbXORVucdeHHz3hVqQW6eJGt9j3+U0tcx32mPlsNpxT7fxPrdQjc5WVfzGy5gMIbdq+ov82c0rA1uVGqhtGh59prcoi0js2tZMt+fAqJVK4+Y21VaVcbhjacXMzW2aRDilzfNfqJ3a3pfp1FBuyEHDtf/m2pprSuBBjA6Os0V7Vp8/93OGAFrYUEhfJ+pttayaD2Uxe7InzDLJ8KK47gH69ijiQxIHRn/ZP+457AeRAOHjY64vTg0anExUV6kpnnO0MSH7h3dO2ZqJj4i5aOen1ap/Qz4alXuJuG7fDAcdXUTE4eNd8a5LnUTUTfFYhlNGExHQ1xIYHo0NJ0k3EXm4Z3dC/2XWQNjwsOOpgRM7EdqfaMNhExsdckInJkYU9K5YPKzrZTkfrjL5JNWJooYDY6g1+HG13W0267qJnJowAoavm6t24IxkTR349tF2vatn5eXXp2K3DW2PbkVhH1dFe3G4rtur9UCOcOGIarlZlMv2QiaWkdtwyPjbdeeaSI7idGaF6Wdb5IxQ+WKLMRtMSbKZHUn5AoxoUvt77J+hmBnf/xyBUx15Ldxbz/QE2eQkQXXjTfmU1/EQG/FJrd1h3SjOaKLBB5paEcRo3P2y0D5TmiH3qkgjk1ulVjs76NGAmzu55rfaeviP0M4AmjnyzlWwbOFq2xSrBl3+jhqqjX/77fL6/uLy/Prd2Vv9zrbkJh7n5nP/xMN9mb7sqTV6ImRvOx0fSYZdnKDBJ1KU3u6dlfJdEXsTKuubIng7tI+X2BszCfG+ZSI2q6uvfl9kZW3lBk113KaoVd7lRiRgu9x73vDuFIR2/V7AnUv6K/p+fu2d/wau9MBbDfXjbn8+ZuFTOXNxeXP99/K5/1IwGWE5ibTkLmosTlqJvHaeEbluShM1szM9De0HqR6R76plud6xv89UjY+Eh+4u0X2jVRESR4UUU0cIKI8uNkCJcIqliy2qisYfkiYqbhuU8t2y8ROoVcVbNLe9Nrlfy2phssWJkGu0XsdbtjtFg4reauv/SAtj6y3/QymKbbc6q7Wtt7hHGhW385Y+Fdsn0Mb9n6nW7YVDCccjbrKilgKPYrBKt1ft3/2d7xduQ+zcBVftnsbC3vf+XF+Kqd4B1cbFb6hEOLXH89900w/L91tZJFlskNBS22NXYRabIwNwSeZ8Y/YzgnFWBjYk0VEbUU/qKsP9KkVPbXDH2naPj3QbXqKL4ERHtVwvHyy6PgXbdYTzLt/un6Vm+jwVck3Xa7fKtqdoUMVVtP7wTn+7/as5an0i5Fqv1yOVrU/RoDKpaH3/4j4xFGVKrv1GbVK5ARkclSm1NoE5ewttZDOYc7gMwJVFrY2ps+Ki5pbUWmFRuBl53VJzGwY0qGCat75JK3+KRjdK0U+9rVkNUdHGnqQUEVWaREypo3NpbhY9pdIT50bU39RbK0tvgqY+wIF75Ok1PUUL9+V2UPP2f4/PjPsVoyO3XO2Wgqo40qTp1Zpev8ZJ0E12iCwQ4gRIA4BPz0P7aabHzvUALWvReHDpAPj9W0BDAbb9R2A8dibH4HE46m96EOzMYeNFiRkHLvQO+oHcS1KxDR3Ld1HUTG1jxZNCZ5vqvHsc75gwfVIvjbHd8DHvvLYHH2hYUVoykoTCdCfKercql+tVNdt/uuPmqS6sL6qlOdKFMm6Kx+HBD/zVtny0y10oI/3ywM0132e6E2Wp73bxgcCOUvul/gvzmxJpyFENmf3bIaHm5x7EH4425fcYCuOpB6f1I4iyePn9Nh2q3cOTqMPmyIKEGW4Uusj96jC96YnYQx+W8A43vMurer38r+16ZZUhTcM8OxsfS6Ph+RoT24fA6YYaX3wntxC7yfBdOxYsvXqyarDm5EIvP5y/evXdd5G01ELHvH4ZDBkNdMT3r18FM44OLqQ/v/IREz0X0N2njiRMDVxEd2UaiZga6IhuhhhMmXq4oOFcFMlJLV7M5KFVhz5RetDL9F0EdnizbGycN0WCodQsSUTva9eLW/Zb7ueC3tOC84+BBXLVb4GpsZPpXWBLFVc0jN46afKiiK+gqmnsR1BlbXzwIVQ1yf0OqlIR/3B9wSUIvRdw+IRkbEMMlxe2vxK70Gqp53d4epmPO94JYocK1eMGMUX0wQUb2z1d5Rd2QxKxhz7hsDjliOjOwvRVSqYm4N3Jl+0hoXcDDuvQF+tlUXnn0kxNw6+qcjFn2Z3YQ/cfMor9uqqHCwrNZzSLFzO8Nkj+zJmag/fTLG4TFAcXEjqeNYsXU23RnTFlabyP0mzgwY5qq93VAXTrtk5ahcBfr+54sfXqww59qE/woWx29Sq98691/zHFJui/RvoS665JvhYhNqn7O7UlbYPaE1XTv8d+t/65/Ar7vgdLE/gF5uWi0Eu+pNBOBzgP3ZJA+3Pjfa+HHcWA+Fg2v5Xl55+K2WcSmzkAe7F+bE858h6viU4NgLwp6m2ZPWtJ8DUbSKmHqVdX6ad7cXVWbprkOWAzyvTCB2O+yK/Kif161FD7tvKdOrGoeiQaH6vT34cHbfxT+6Yceu8dtG5gaZ+pE+3KP/smG6Z+8c1oWU6TTRto6nfk5Gv37T9Ph5ZD47p/5p4cF++kS8Y3E1EPe/PqhzffvlQ+kYAxo8ahKGddGzcVO1y4oGcn6DYzC7yUr2VocoetPt9ts1O5yTYeV57yDhKToVw8aJypzGTpbxxouExpEvV396akQQEJ5N6ZSy2meD5MgR01DsVeLLSpisdJeae9ASfBvcxiHdZsIGki8jjGS4oAmju8BH8pDIQBs5cbiWGo6ptmKjNVekTtnS+ATeQ8mzv8sM9MY9fotETX66TixTk70fDhNGtVzowRBpevLMch+lTusrV1OARP9JiuLsCZ7FSNyfrKm4nO5JitL7mZ7EzusvW1NoTPHDjBuillBgiDzdde4lS5idDiqat1Ci7VWbRLq+qYQpRaksoNmMDk5XirfiDNtFqZbjUqJcz24BT1OWeTn6pNsvIOn4acykyW/mqdhsuUFJGbRJoWKiN/btMLGPWI/g/9XcCMeVBZJKOWgELLlRYRvJimUDW1RTaKpinUXGkTvfeyVbhp8nLUmmwgItVzdFH8yOUfHV6CVoEN4BO5x1YLrwF4qnfo6F14O0N1OUl2ZTc7R/E4KVpBN5ufqB2yVcfNpguHk6CUb7PhU7HDRVXb7ADV5SSZxdrsGGkhM9QabX5OanOycOUGO8zwOWlqITg7JJVT7MDvkhssPvkAlhLkOWOJ+bNJdOBoRHnwkSsjSvewKeT2qBYrwynRp0RYDjMBLGlreE1usv1HxLQI4LKS0LNhSoQqN9lk7UItx7OamXrJQi0iUwIiuwohpBYTPC6nYDW1T5ZLxxA9kdtsqzyDShZilktcKpkWK8N9flAJsT12Cq5qqYYYFitDPpyoUCcim6NVe1BZiZDhcbdGLAeTQOwjqtxk6wUkNGympIhkh0TvEeEHPr0Ef38G7yV78EFtktFryRpb1Zt044k2DZxLIVN909mipmLE1YpnGNRE6jC5W2aK2OHmpSVs6KikiPlr3h531Ft0vY6bgs2EJi86JQvOxu70whpT4KCABPLhBKkFVOr+MHdnmHrlF9MDK/ngTX+c4Y4ysuSGBXyAZ07wwDgAMmOWVYoAYP2ttp4+16BC61Kzx84R9CC1mKDst4LV1DbZrvatohW5zYZFvlW87jAT8HP4WoLhwAmBtU7DYPGVBzMV6FTlkohDRGotav5cpgIbJZjBjQlS61CJVdhciYnGiwomN9djunu9k8gwKzA3NAwm33qCdoocNQ6FOyUqYourltJUkKkO0ewqmgZWMVh8/MqIwjcMNp/cszKhxdOrPiq8TJjyfv/X7/8Ps7urxmcrAQA=" \ No newline at end of file diff --git a/docs/assets/search.js b/docs/assets/search.js index 20e15994..8050773a 100644 --- a/docs/assets/search.js +++ b/docs/assets/search.js @@ -1 +1 @@ -window.searchData = "data:application/octet-stream;base64,H4sIAAAAAAAAE+y9XXPjOJKw+1dOtG63ve3q6e6ZvXO57Gnv1Nfaru49cS4UtATb3JJIDUm5yvvG+99PSKIkgEgA+QV6oqvvqixk4kkQSCQSIPh/vmvqL+13//H//Z/vPpfV/Lv/ePVv31XF0nz3H9/NFqWpun8vVuV3//bdull89x/fLev5emHaf9/9NC1W5cljt1x892/fzRZF25r2u//47rv/+28HXT/9fNB2Np83pm0PqsqqM819MXO19aUArf/23apoTNW5YMe6Tn949ZdDZV+KxcJ003JOqG5iC6Uq3kuGACrTfambz0QCR0qKsFrfLcrZ9LN5piA4UlKEYvczsRUcKSlCWc3NV0rtewFGxUB3f10simpm3pZth4OwBKSDYF50Ba/SSS+KbQPbygDMY9FOl3VjmECWuCJUZb5201XxwKWy5RWxurorFtNZva6YnWbiapChAb3617Lt6qacFQty/wZFx+vp4eqpfR5uA5XeH4FkjAMSKHFEREg5YyOFCnRFfM8bt6Ox+5VeNxL1GsVOIusTqo5S6iHT/fHarNZd0ZV1hSM6lpf2zXaG7hmDSid7UWwzWEYGYJamK/CDZchjSYuQos/nHRNxLyd9Xrse2DVF1RazjWLk2ihAMgH10Zvv0CwB7HVV/nNtpvPiuZ1u6nki9zkXG9Snj72oqwfTdn0V07ZrTPFZRh5SqQ8/WzfNFkoPPqRSH35bQ9k9T1emKev59knL2AMa9dG7+rOppu2XYtVu6rqvm6VBLmXDoxRWqQ9/15TzB+M4BC0jUqozDF9Tzad3ddPUX6ZtV3w2io4zqVvfHFO101lddU0x66ZbaBVLYmr1jWiXRdMd65ub1aJ+XpqqE1oR1atiBhAX3B4fOX5JMRAab3UBVUxdaAwtVllzgGCM5QcSjrgSAek4i5IwntO12tYke9KmjLTj4LPNh9qoueatKaEZfvMjqXJLQlb13MzKZbFIepxj1ZaErOqDgypwOxtHBECSjGL3sz5ZkgDoS0n7WrFELLftuiYHiaSRe0Ni/YxUcy/AqNhp36Yu5rOi7c77B3dVPdWz7eRybf65NsnpIq1AvPgvHyozn66K50VdpAYiEmfiKU23Y7qlEk188bUzTVUsth723jTEBg6Iv0zzxmAkjRtqo0TT3nTF57J6+LAyDafvBsRfpmljMJKmDbVRaIF4jAOmmJ1GHD+kVdMEsHfcNsXcELuELfMy/cAjkDx8pwlCc9Bq1dRPzhJxqoWO0i02J/T0Oe72X8LNartXpFtdl4s506VGREdbCiQhiCuEaHvIFg5pVMp6ggWKPciCQCWdbmHBzhDbTwjQvZoskPUKk+9KUx71aGH+/NNPPx6H+XTaPa+SSyss5slBnYj2ZG817Jr2wffFk0mu1Jyyozkfv1ait3FNDJ2Aa+quntWL6fb/ZKKhuA7UYfHPgxqK60CZzY9MIkdWB6ctH+gcOyEdgPt63UzvnjuTclAAhyOr3GdwqaZYtyGknFBod4t69nnalZye48hq4jya8uGR7vkmA2kdpO7r9LFoH+k0R0E1EMwaFSZBr0MJ/oZJ4wrrACG2XgAS7I5LCCE4aSO2oLzyI+w+wXXymkFjWyfAQ9rRQUMhN8ICTJQ9sBgS1GWOSVYk21Fg9IhvUDUz7LMsFr4BEuIivQyCx0IvJENctOUjHsw6NrAvyocMKssBTIuJgqiMwCgNuTTdY81txYOwZv9rHrgt1YtqwtyVXJatpCYKZlczSIPe4MQDWTlgJpWrQYYWn3UI0YorNGLIAlRMjlsGFuvECRAYJ1jAwVEjK4iOFV7h8PAH+mOAxLP9SUSn9zem6MzhkBkm3Q+JSHs++uXOYOXENz1Bu0POtOtMi3oJIkzn6tDF24dQmOVnGHCgRYrodzLuaZOEtLTrUQMvBA0vCks0kigkw0AT4jMeKiZYw4CiIzcmZjqMQ1EiYzomJCrAQ3Hioz00qj/4eeegorKjnPxLE5AbMH3cibOpjAEl7CqzUOem7coKP1FGaV1leYAfinaBdflR2KOiPKDt53I1vSu62WNZJfeS0rhDdWrQ/sC/XFdz4nmSsOCIQz5YPXm8gy2gMdgjiOSRToG8X1fz6T/XdWfkpENdOrhwN/yvTTXULmgLjdz9vKpZXc+xWqvbAWisLheA85/fx93Bt5vyoSq6dUN6jAFZ6dNcV6TzfWmWCaAR2Zah5okcTNyWkzPbqtRg/ed/Y5on02xEaLEjICc+1blVuTvJ2mAHTYhjAmhDNiPUJMH3M5t6sdi8czjF5BjjxL4yfeCynS5XMxnnQYcKHtAlN+917ldDpD4JCIpvX0if6ktUPsGe5ItYLzocmeIjHI1EIQJPlHX8OSo73oZ0koK6Nx1tEo1AQu0INA8VtRmFAMVvSXEwSWNH6WQxFpRxtBgPSjhbHFeaOFy8lSW8LeQLjLgsAF6yIS4JMC8F3Tf1ckoayj7XUIciXldL4VwNMjSwM5FznC+X21TJaSLTWMTZDETjzGI5Uq1KKdZMqVW9lGqGVKpOCjVb6lQzZUpJlf6+PaNH8RqOhNRn7I4IMuudHKSRDeMai26W35mQu/+MHI2HCFg+DGqGUGaqNVMnryCjhdSpQIee9e/m7rGuP9NHgisoftp1V96X/XnPdYPbFQ6CTAB1pFYctEoqtTd9NMWc9OghaECdDjTw7BlPXfd5E0c39Iw5Axv1XHdviaBXWBCcoyIT3PS+XHTYXhdlPGrKgLrTjYtWwphHLaqIPL+j63Ey+hpdL4PzL8+rrj7DrYmORUdahA0qJK29LLsEl0wBDNibpgIIduu/2V54yMiWhwVHvZgjgcG4miPSInATXlyfv/phv5TAvAbvC4hXB7uBdpVqrUDNE1s+2UCAvTF3fpueFUNYtrwiVh8HMKGO0opI25eBf02/uRuCsuW1sd6vl3fJ6SMKdtCgjXabfhU8CnaLfB0cj2W9CCN4nL6WPIhXiFPpCMYr7LF0POSifpDAWeKKUPuT47jPi4XYfC2KiJvMPpOrF9XsaTW3b9W6IE/FYs11FHtZGc4gYPjl1SkxYhhKjBgygFWTYwbPZHnQAINRowYsGDpsgLFocQMWihA4wFjUyIEEhg0dImik2IEEhwseImiE6AELRg4fYDxe/MCARM7RSUrKZI3FxIcQMB4xhsBikYMImI4XRWAhcWEETEaII9A9DhFIBPoYNpLAo3w2FX/WPIoLoZyAons0jVkvbzfK9wIpQkhm5Nc1wwyslzThZogeo5FiDrToIm4OwkgBHR26eKigOkyGj6tpbbb55FFykyjaYgcNumiL+gH1GniEzVaRo926vhRmKyvZhENlYmDQ5aGvLgEkpO4OM0sGasXPkoCh4VM+XJqdqDLMdNWUyS+FxJAOCjTBEPcjBpmwVyQScMpqtU4u/0M8e2FNoKpOf94lCLQX1gRKB38hGmTwR3lYBPftPyyq404DkebgIRB9BkY8LMLE4T0u6jyRxlkWX6f3xmw+GDgVuEdfjTbkqinrZvOZSSXagD5NbE3kEXDtD10Us9nmOp1F+i6xcGcNqtP1fXYkxW5eX40m5P1ic4HSZpt9s2RLXmMdDol8PZqYxxug265YrriUvhpVX1CmNwOC477EnUwh4DSL1dRUs3q+eSjsmc/TIkRMLATOtsORDruTEx8soi3ZweonnDW71wCh8zVd3RQPZnMZm5ByoEkFFfVsEZdARmXFz1gyfwwwJvLZw2oUdENe7p3t7cbX0q1w5aUNapqmRmcsoxCTvSpOQw4aRTXGhVgFES8OlZehgFAF+QpkqzKWeWCbchd9OEzmigsilay/cLCsiBxC5YfjaNDpuk1+Kh5Pu9eWD5mZuIF4JWkcHGy97tRoD7ry4bbrO/ZaAkJ29GV0YZsfqXs2CW82UJkbXnFus/Xlw54Vi4Uita0ud1vjd6kwLU3csSIPya7o1lrDca8rH27/dSVWrh9CdvTlxq5Qx6Yo4BX+FJWgTx8SYnrtDmgdxwRmqj9lg2QTIGgEtNT7rViU86Krm3emKxD3igXlpEs7SkPCldN3TnzjQzls7NX2CULa/fZkzC9l9zhvii/FghhdBHBBffrY7aJoH9FBfYD1qEQfcDOunrZvYF6s6hnWZQVAfWX6wOZr2Smg2moy9ta7hVGAhdTpQ98ViwK/8R1APSrJ8Ojv782mh5mpCiqkTgXanowui/XMdPgzOl556eRDDErg+llBiG86AnFRVqn3CxCIvZYsiGI6KZjTvcz2vfSb5DvUx4LiI19bNFp1k4NQ2vKjRaE5lXB1zJCDfE9MGme/p0wkscR0IOYpdwgQzFE+D/FIuuIztfq9jEL1/d1c09ZUqVBrSDEQ5cG4I7KbPf5abjYGy1mx6G99fL2bYdpXP/xwbdpVXbXp5kLqkY5nxMqIxoL+0Bu+qcIHGTHffiPiUz4HJzYB+4U4og2kj8ZxjPC6fC91bb4UzZzaz4PCY3XuOACtR4dbQqEbJ0DJfZcMS+qwCVp6L8XgJrom7nKXsOBo13glEIiXeUVaInY1jxyzINw5yoA8fKA5lRBKcjqaMqC2XdF022NzQlJHUQZQU801MC01GSDv62ZZCEfx5KBEB9DxPGXRoa70OhYc5UKvQXWE67wsi0I7keumMdUslUkeIlhiPAin3e1PL6VA7LLidfHmU1H1XhvCb3qVTyAV6RZxDBZPOj4VcZ7B4Oxu42XR2KI6MEfHT6dxZHVwZtsr66a4wewTDcV1oO7LomMjucJKQCZ5MgYiMbjzLygE1HkAAAK/9x/C+PEV7O5utpovqvXxxONT0ZSbbYMw1FHo+1OGD4x+ZINR+wT/XY2Q7YHn9dFUc/uOdT7cyVEVF3L/+ZAA63m9XC1Mp9GSJ5auTLSXRbmwNjkFrAdNeqSvfvjbL6c/4UfMRhxDzhgrwTjlkujNNuWl8crdevuuGavayVGY9qC2hiYS6XyqgQYRWvBZId688MqPkcYC68RnrjwThckqGIeUn8IioVNSMBMtC4WF6uquWExn1IjpiOUqEIEN+/L2s6YIqm05lXUR8nO8bqX0r+8ejdNYB1kk9DVQFIOy/rEoyGufKARp3WNR0Nc8UQzqesciYa11ojC0dY7dVelrnCiI+boqG9NO0ykul8ORU2gPXGBiNwRhiTWs2vZTfzddn27b3EFuviIvZQ+JjZa1jwIQ/UiwDWQZ+zgiJV9PBsS6nAQiyQNRIXGftIwTEr5micBjfMgShUf4hmVQX/zzlcdd5deoI3te+VFy4nCthNS4b6b0pYwAEu0lDCqWKR8emW010KCHViA+EBJ6ftivhMRg7N78rp6bxQXiRe1jQWn/3VwZQats0oskrbasCV3FYdo2vawa1n+UUkCY1U1jFsgtFb8lBsI8IKcLrBddub2eb/9plA+o6SIoJ+0g6Q8wxaueID+8FDYcbqj3l7e0FvIFxDFbkdzDDlQ66UWTrQJYGdoteF7e1QsmzkFYEeiuaA3i810hJEtcBuV0GtQF830p8WtZKXdi1zPB+Y+9AaE8XtmuFsXzFNMz7coHclKM2WNRItypg2DJSKtfNXVXz+rF9L5YlovUaQGHwheVwpTttDNtVyWDDLc32FJShM0nj5/MFBPpOBADOSnG/e5o85RI4YpJIfZLu1XRPU5XjbkvU29OOjCwOAPK2mLtf/zYd73Lbc9Lb7IGxUbaZk3VT9hoDbdA4ClePAkbZ78fuFPEB0xsXN7Ui6IqdFAPujRph5uX6b7obV+Ga6P3wr8OQa7mptp8xNN6/cVU6yUEcCzKmbiPff910Zobs6oXZUGtc+LKYh+UZWSQ6F1RVvYcQiE6ymoR7d9S/LVemPbzM5nKl9cm47aXL69F9rFePD/UFRfME9fi2vmVN+aJQzUQ1mXiNtVQWovqrLkru4bft3x5EZm9sPlQbePn9+m43yopfvUX9yWIYY2k7z/YhoXy6V8q0yBvbfBYhsIaQMuiKh74SL64BtSqKZdF88yF8sU1oOb1sihTp6g9loOUBkLxVHRFKt/qIRykNBDQe38eBm27D4GC3hb2UGgbwwiUzSbQtDGzukm+euN7GFeWicPYFouSELbDbD2OMeEsQz9CqYCOJLOhAjMR4iTboPQI59igGtGn2IbGyc6wgSiUE2xIHOz5NZCHdHoNCYQ/uwYiEU+uhaHsfvtx9/36m/Kh2uabEmDD4tKeu9rp294csct3JWcDEGESUJRsJc9+4dEymI50wgyLhD71ATPRTntgodbV9hKQ+bR/ICw0QIkaYCvp6RNbWg8J88ZLgAf90ksExkrKDkthX30Jy42Ulk0CEPKykUaQvAODRaS8BhPWmUrRbgeYEvBBWT5ezLswaF786zAU3mFSGTGWvKxypD7ZezFDxYggFRIZIVINVosOV0FbZTFrGIoSuFLAsNFrmIwUwlLQ8HFsGI4YzCbw7J5+bYr5/lgE7nAzICHt50vTPdap4CdU7+QgnWwXyNhQuNg8pGKMIFAvq4pzlzoiE6a5Qx2PicO4XeahbDvT3CyLpqP2nbCo+JAtookStePbKtICwTOE/Ze0Ecdu0qBDbVrI9nO+MWZ+3pjdVbrbz57Hqb3y0ieKXUXCFdOWkb6xcah1axop2VGHCC/6zK5Nu16Qn9xO6sWen1W98Cn25md5lgCl5InGUc3XzlSbD/ehr0qP8sLqtKFbY+bChj2qUIBzR8rmEtYbzP2tdlHpmHDufsW0zaDqCaAA0TKWrdGxkIp5fJ6jnApG2U6XqxmZ4iDGhQh1DdzENyj/gp3EmmWkPSU6DRp2u0z2oiKYYfrAK+s+OC91AJcXpg08pYi8ASgzQuIgXC86cwCbK0sdRLAouQMSGjZ5EGEjZQ9IcPj0QQSPmD9IAYb6PLG7v0BPl3Vy5f4t79ravVqhQ+v3ZZVuHOvB+zQZabELCsknflTAHK6bFC/DdksXcxE42lqOg4dcyqUZKSs5Eih6HzoGSduNZgIiPhiGYsR+NYyGuQlry+oBuXMeHTKeJmVU+6MwiONhMVZAVUZYUR/1FMlB014bl+6KiI6W80oxaDhLzewXllfsOOPQQvdpA2s40TisysC3kfWGPx5coaW1XEEi24g8q5TmJZ1bQqIOfZeZ/1Yv1lVXNM8XX8vu3e6+CuRXQtMKpH7saf9puU2GGJNtxhFNIL2oJk60V+h14vSL/FjyXlVG2P4Y39NedLr5PqQSfUi3rjlOJ7d3GlNW2GXFi6iNsulhhzTtv7zKJ5CKdEs5Bktf4wCoaC9yoHDQ4YpPQ4tPMDCH9sa9fgQwARqU0RC79zEu7HY9CmpuVov6Gf0OGcAFaNBBw0Q7Pg46pMEg4G7QAygI1+ahQNIHUwAI5EkU3MNAfzcUeia0b4aigMp2utmAbqoidRcRAOQKs4GCU9XZ5nO8ZfeMygIGBcXrSHP3WNefr0iO2SeY2HpobeW2Q2wb8JY42AFMW08GzAp1pVMK8qglA+Kqqf/HzDrEy9kpTFdTBtT9bKbAOlCVAfZ+XSWPEyQgexUZ4NryQci205Cj3ep18/q5S968nGw8S0/GvnhGD4Ei3fGMGQ6hkLe3lP6avn01BWvryYX5fr28S5+PwoAeNOVCvU1/LBAFeov8WiAd0wqlFB6/ry0v8hVmPwjPfIXeFiJDL+oHDVhLTQ7/2tRLqWvdqcjx2Gvpg67zgD0Vi7V0lO916OAF1xGYwzDD8mOchgHrxB+H8UwUnoeBcUgHYrBI6BMxMBPtSEwEyju7aJcd3lPsn1wESjP6zV/h6p21nHdnlVeU02Gte9ia2asfqLVN9lK0Z3A7eF3Wofjl1SkHYyemyHF6+tNPHJBeTovkfN121uyEBTmIiTgch1ovynnZPf+Gcft2WakjxeQvvfrw+UvHrJC3QqyufQR0ghmDgJptfQb8BIuGSC7sAhS4JVwAw7rpwSmy6bDpSx5AkZHud4jVTbjaAbY68Jw+lVX3VzHWyV4NDy5xL8JG+enPOpBbPdkof3ylQ7nVk43y57/oUG715Hvir5T65U5Rxp75g1bXxMVHTM5XPykNoZ2iLJxXKs7oKqMvutJxRVc5PdFV1b1SGOJ7NbkYNZzlVU5feVV1GmNmryYXo4Y7v8rpza+UnPlVVl9+peQir7J6yOGOCRuTslnC4HxdW18sYkP2WrIQ3nRN8jozDONBT552dDbz+A2J3svjMp4qQeJyM1xKhSnnoCcf5Y9KlD9mpVSYdg568lH+pESJy9RxKRXmnYOefJS/KFH+kpVSIdI46MlH+Tclyr/l9eoKa9ujooycatNP3vnnVGsCOs07A51qTUGneeegU61J6DTvLHSqNQ2d5p2HNHIbR0UZObWmotO8c9Gp1mR0mnc2OtWajk7zzkevtOYj5F40m1NrPkLuVbM51RZEeeejV1rz0au885FG3vWoKCOn1nz0Ku989EprPnqVdz56pTUfvco7H2mkYY+KMnJqzUev8s5HP2rNRz/mnY9+1JqPfsw7H2nsCR0V5cnAN03xLKfcq8nCeLteLeSHTU72arQYvSOU0fM5/hlKsBb6yRznrNqqrtq6MfMbUyXf2rPLis+q1VP8rShexZOhePoROYYGoJriy/aZzaeYM8k+lSevg3VUOX1EvIIBtJanQAcMfXmJj0S7rQTVStZ9Lcxm8jXooy3KKvlKZxyt16D0CDEfpoKeH/qrVCEM+6CiXQT7PaqA0FiHFaO1U44rBmwPPC/UZ6hQcJRvUAUUKnyACoeK//oUk3R9tyy7TgnWUpaJ97xerham0+ijJ5auTLSYD3vhWPFf9UKTekFZwhf5YVmgJmFg1hWfy+rhdbEoqllyfnUKS0Mz5MUsfp0TyoUsrn3hV8MYtk96MSWIu3r70Ym2Kz5zYAbiSlDrqtd7x+0hE0CFEtyqaLpyVq6KqkNdIQjAASr4cMDA2rzHY74m33V0CksH1oxb5+QoiW2EvX2YRuC0hVKTbEfFZjKg9WMAYgKpIraW32iDMaeICyvTBZ4tinKpgwupEsMCXfLDyjQF5tKnQXFpR0wnIaAKJ8jkw9C20P1J2IvtQBba3XZIJPzVfyAT8fY/JBQ+cwRCETNHSCjcShoEIiymkTBWvoCHNFCgBrZE3hULQlnCEiA78zAohU4+BOXGyj+kACgpiHAjBF8WKLuyWJT/m1zWITFPXI0CZJ2VMxabtHjmMqPWz1hiwhKay/upaldmVt6XatCuRlVyb/2f9gh+CiBcHyMLkADybttO4giu1wYitGvzpWiQE++urFJCAj3dW7Xy5vreRHFSwgYh5iTiCMUS8zkioDWW6M8QYTA2cQujKfZiOhD3dbMsGG1xkNPBWLfzKerqCZ/EFmXD+EHNrsjGF2EufgBlxg1m4MrpgczQcNFWCgKNtJMC6ktMqG/KtmvKu3V6gwJD62pTIw7MW6FeGJq1hvWILomyVV66fsK/H8gvLLso6lM7p9c22UnRnkpvGkjxvujKp9jtWCGQg6CQJRhCfLp5g7oiCZIRhxTkCdSpmTuRHkwOZ4ifTNNudvlXTYnN10GAgKZsqB3iElMUaYe9xTQBane52/qzqUL31MGwkIi0wyEuxgpWi74fC7Q1FLs9L+/q1E32YaSDuCrU7luZ7Xq1WqS+3RNGGyiRAv7V7Uq3m8TYvWnidw56RWVTSeLOQbg2/J2DvmEhiuidg2EM5J2DeI74nYNhEOydg0iST9Xnqv5SkUmOciISx881xTzpYTZlxJ4MuyNwrI24DbAzRbhHYtVO2hiJVo7ORFi10zIQ0eq7zY+kyi0JWdWba5unqKjJqt0V0gBoW0Ouv5cRNn1Ntt4WkVdOs9ySEHc55Gd43F5H+fxOfMitVk39ZKYsEFiYDOT5WcQ12YdyUn+L2C1z60Jfi300JVA18jrsQfWUa7CTCNjrrwcMpGuvkxD4T8APMIjffodABn0PPwb2Jcec75066bP+wbjQSbzNpy4wh/s9FEdSEcWUD4+IPgHC7GU1cHYzHSE6cYl8cQ0oyjs+HhL5DR8E0LrqvyiK+/66xwTIa2DJoLIgEV+m8Z8e41UaIhbiRZooFvY1GswDxBz98R8c+tQPAmF7QhQzPbkMRzEmhLXtZBXAHqMBRUbadIrVTdhzgq2WbDkhwCg7TqA6hTd3MJj493Y4lK+bupjPCisUZ4PaqrKw4s4dYVApR444pJjTRhhO/EEjDiX6jBEGlXi8CMk73BCN+0dvPxSuRX6eyNJ7Ppg0Ygx9WdF+rKUukT53C8qS5/vkKa26iSVG6RHxFK0LEpmk700z7sJtXyFn1baxSZ6utRioGdsoAm0NcmBgrD4iEHPTdmWFebPBpXDl5G2BzGHa7UDJYcYr32QkyY/hKKQDQK9do+qu/51qviung4HPILkYpARqFKPdvzM7bdP3jrgknqgYhpMVOOCwUwKx1uHj6MNwMgFQt6GlAWKtg15sH1uFttKOVP5QtIv0u9Fu7UcZTvVQAIHbfjgUHWcHwq2OsglxtEm8DzGAIG5FJEEIuxEDEuqGRBKFtCcxgKFvS0A4ds/8tNqcb3e+kHht/rk2yX4aFhQf8bsrZXVPdhqSzROxPZKs2xSbIk6FpSCHunRw/Wf7u7l7rOvPlKfqikifp9l8w3i7xp7el4suuYwKMkwgTchmG7RCFHWnOzVXpDCPWlQRq7or78vZdmExXTe4oQJRAoqkoE7na9MPupWvlZNR+aES5CvfW+7QfFq2q0XxjBr9h2oHQlQAu01/KxblvOjqVMMeyklb92mvKL36ceucDCSTVh9NkyZFBiC0rEgSA7kUHkBQ1sJJBFQcPQDAB9LJ6uemK8oFsf6jEAtgmAo9lHkzgPESocOSwlcpD+oQkbxTdoRQ3q8PHcu7ZsmCeQCDEs2jULDhPMBCiudDMH/1O8SNOyq9VPWgoPANpdTxZag2yuHloVkgxcemfio373/YO6M4lIGoMo+1tUTEwe0joWjemFXdlh2ZxZZTapfdnvPZrCuf3EQ2snUAeR2yrcrIdhKIcxDSYbj4Wnb0DnyU0qMgd5WDkA7D72X3OG+KL8Xi7KkoF5sdWSIQrEGbztuSp8JRduIJ/fhmUbSP5Ic4lNXsTzyioawO0bUpVmSUg5CAwY7fft/uTyaihl2h7CtTqxrk2rSnl66Q7Ippy6M4wNzcF+tFN8XdQ2pT+JJClHuzvaN8mt42tDFcKSFCa5on00y3GzvNFLVos1kC4nQo66Df7rebrebtCa8Ge94vJjnSsT8EAuH0X7Qp4ocAb4yZnzfGjaSEyCewbpEZqe+B7OYdkzqHRTDCUanMPkwBoPqylw6I1ilLDexUI/ICx4IjJAUGlaEzApY1snTAEICSC0hDYBMBQwpSFiCNgd/TG4IQd/RAFKcX7nLzKYpdqfwhjlUPNsbpDRAHOXbVxCgnjnDchaIgOFJ6CLgttQAJYRcNBYTbOANgCHtlqf5B2x5zewljRyyBM9vM5WY+Td5z5oA4UlKE9XbPjorgSEkRDt8Mmj6aYk7rrYAsAwdwkRebnndJGD2WgNRxHvb+kUslGGACqMG2jW094tVEJuBAhSLc8S1DJpqjQAb2V7BrxQ/KD0tK9wP8lypwVU6Ir1B4FsLZp80FNunj+zDRUFiP6ZdXpwIoV1qJahfQbRdOZfdMpfKklaicQ0bbslzCqCYJrbceHBQdeHZ/JQiWl64Bd0oxi8BjyTFWgYPa8MtAyyDhOnCIQFoIpjHQK8EhB20pCIIAXcDv95RQIyStHXcY5OwZ5fHCEEOZUoMNFW1e1/FRmhaSFJ9YpbVmEGHCaUCwKYQvdSVBSe954UB/tlKT+2Y4W5VnX8u6/Vg0xXKbF7XOvt2vq91nLmzyqKh2nppJMIkXwSex43rirRhdsJ4NQuuchp4Mq8xptp9XfrEH7Nrd//F71HWL8gYYNHq0M3zcvZN0430zeITWAer+trrHsAH2/eTHUfuJ9xhCb1mZblTX4dT3rXSMo9H7zoC6GVWhM1jNnewAww+gjtQkr/EfufvDdYf9dzj7XvHL6L0i8XXRB9O9zFwCV/wNdZDQLPK38boIdgpZlO2gO400l8AVfyudBLD+EJKOFZNCTyDdS16gf3yrPcPqE2PFn26rR3rD0L+M2Cugqr+l3uHZf+glYwWm8FMI9JZm997qZbGeme5yXc1H6ipgvd9KP/GNP3SSseJUoP2T2cfLFb55Llej5xf7KieDv/EyiJerwX+d3ba//FWaI4zCyrKAHjp0ftSzgL8YwZgiXXFQbeLkXuJ28LMrfHZy2gBrAjMxwLAkV7dSWMVSrREtxuLWKCy3BNZksWMcCwSBbtoScShLtUgSjMXNkYdbCFtCYUMx6+rmmWDKTmD8AMKqdwL9wAwlemmoTZSDCpwBwvAibE7uQINknnh6YNvJCj6QtgnCEAV76AEJ2SxuaCKxLn+X1AhX2BbKAhekhRohjIaFmW0b2ypJgEOwTh7qsK0UBT1IExXCH5J91hk9W+Bqf74sceIMlOGcxk3HFFSAiSh2ODYAL0Rg0kpdbxIbmPHJqPyZnYA3nMAFlMyJGgOr9/wV5t0kcGx6JQMrTKMUYCXUTJDhyY8FK57kktCRuYxMLJ+zINzTV38Fp6YDZ19DCJIxC/10enwxZVZXbdesZ/bRZUyNE1fwWHvXzr8v2+/L6tE0/f1PqWahTZA4OsmkyJwLCWBSF0iY9lBU/KmOPsMRgZizGmcyw5LlenqxeQvFpjBX0aYoKpUuT3g2QnOJZyDGxIOCk082kbes7suHdePeEIT1+Y6o5/VXTd2ZWWfm/49sGnC/iVu05mPRPdJYLalxMIvNzj6NcS+SDdDeANhc8twyXlkKyo2zHRCvfhL5nbA5EFYSabbIIXPng1B57Dqx6sljoMoBHTUzaa8gCew9Nmx8HCUP3xwLjjtSDhuP1h8YY2Gzv2jZGonzCL09zMbrzy5kfAf0UA61/TkoPfIjdNKow79yHuY+WzpsBKXHiuBlPuAAeCLHuy+NTvB6AtLsrteCpIonrMZK5hf2BaNhyr7QSJkFpzpxWuFgIfaxpJFYj0IefXvtoh16p1BRcbdLqRt0pwDTEbdLpxhuA2jWVNMvvn8t242rosfcaflRpiMkxgRRDj9lIZQhmjf9Ys5OupwVC9QZCvW2OEmwjNNQGjH+uE1DWgdotlH8geH8QGrNAAi8zEjfx+nQD4KxfLmC/obIOUpHa9oe/fEIGxtdo/jlMWuVkNQLdR17LRD8VdKJehXBxhqhOxFszNCxEg0QXxt5Utg1UlhQulZCPRkW1ES98VNrLE8gFqB6hcdZc8HVStdevuWSx43HVn/E4rVbuH2V13BodMxaLkCtuqZDAyfXdgFavTVeDNWasp3LARn7K2n5UaZxJMYEUQ4/tSOUIZo3stZzpUdugROQYJxG0VjXjdEgpNWcZstADwc3vlNrOEDgZUbwfs0D/SAYo5cr6G+xuV40CtNWaI0z2LDoes0vj1mvhaReqJvYa5ngr5IO06sINla2rkOwTK0TJYyNr808KezaLCyosTYLPAUWykSpoVPrME8gFkx6hcdZh8HVStdhvuX0R4uHVXqc4jVXuC2V11xodMyaK0CtuuZCAyfXXAFavTVXDBWYdq+qp3r3QSTBwiuhZNRJGcMywRamT9kpjdh2Dw2Ipi7ms+LoL456Xqx5TuJQYzed5rpt5NZiLeV0my36MKO3iP8r9cgI0Z/dEddUpHvIM/XF4GMMnxv+V+qFIZw/uyCinUhXn2fqf/ADRCRLLf0v16xhoD87IKqlSPesZ+qCoYdICOqx2dah1AuG7cOMpferNDC3EpVeYwWW+sqhN9LEPMF1xHzUfVfjNoF+NMe3Xy3EwBqvHETwLVec37C2q89gJOvTjpWyUwGKvqSLhTL7cBGxsx0k9OFWHMntUs3O5IAxTTKmKyY3SwanrNAmeu6Z3CDajlqhNTRdNrk99J03s0WAzUFXlLpDGJCWbhNiPB0fbJLFjyEvP8tjkb4LwlzklccWZe+Buooq5hoEpqgPfOw+tSuF2YVzJcbdsQbq1tq2HjSEwN8Q+bP4GLZroTa+ujvheREitrLn4DoMIrW6k1A7/RAYl5mOQOCMoJyDAMdljsMQOHT0iQiIW/9YRBDaWu1ffO1MUxUL+0Yg4skIlIpRVv94kgmuKD4bgNOHa+3UeYi9ltumqNp7o/Z4SI1yEsMZs7k0NlxGbyPS6Qf9xoo8vOi5h3+Nnhdk+bPbxRqIdMohQ58LPLbw+YaBdtS7t7maNIbzZ7dLtBHpfEOGnhd+eOnO97KuDgb5s8MFW4d0jiFvV0N4uN19rduCxSydvs/YjhDJn90s3Dz7fob66HyefuY/sshpLdj/JbZHcjVoHOjPbpdspcPy4aXWD7EnGOiF/RXVeyn094JyNW+U588+mGqkQxd8qeVE5PmhM12p44KwzIvlsvZniQK/ybJVl6vAn5N7KvJQGWWYfsYpaDLqNMpYZuumO7g2K67HcWarr7gVLM/9qBWXewJrFVYlaHPV1h1ce1WDY5zZGcJfrvWaQRnOeP2wi2B7KhzAHHKNCL5cYGCfWIsVEIYIvZZY240QLNCMzRA2pJthrACC2BTKoYS4HTSDCmJT6IcXmq0xXpfQDDk0WkAj+KA3gV4YIm4D3YCE2BQ5QhNxi6gGKcQGyRCusNrDOtgNCWKPdUdl1Q51B70YF2qiPocjD3PrW6I7BWMOcSdmWLYl6jMoxRi9B6I4AWIMCM9vEgvU5i/UYfrU9MS2JMP0g/3mc2x2YdujP3uk3g+AZGInUqHy47wbEKxZ+mYA2ATsKYtErj5NMWcnWnOrzkj8iYgErT75cOYcLnHGNg5PL1RYtSlFMpOQoDPMHoJJg4SuP1GI3xGJ+mflN0QoBmDeD4l4aM23QyjYyXdDwsx6b4YkgK30+Kbv0V8FCUmNkhiPVj4J/opPiQdVBBsreph+I/VhZQYjUd+0E7g6fXM1DrKoW0p604JrMtjEyYf/X+u6G6k59lX9sR/61krSaw4KD3zXtJEzvmMNc6CuP+LjHppJermA/by9xo2ctXUKJnLUsrYAa/sjPnTfUNJBf/ZjBxo4Fi6lzhMeio0ZEO3PZRz/Sw55LlfHf8VTEnRvF8IThi02Mmo3njYjI6ipcy6BmDWtBJEFEweBmekZg9Qi3xfnBgY25mSQW3bUIW7vag7+Rh/sveDAdO1hn0SWOgDQjByugGIJ2SlwrOC5h7QZEkfBsYPrMtKWyJwH1hZr074vi92nHxaXbs3HRimBYCIbkshNd3/48RCpYw21fStuQsEgQm3OBgYMBVE0OlI7lH2xWCq0LzLOPqRdmXTrcW8bYxQmyUQjjzrg8DTUQUYeWykUwXhiDKMUjWjoiPdshn1ZeZsmgYnZmXEIVTdjEnDJ/ReHTG/LxceyVhfvPp7/XiwWprvpis+Gvt+Slh9lFYLEmCDK4VcrCGWI5k3dtbWRLKsHZCit3hAnMZBxmkgj+Tdiu5D2ezQbKPKoojtBL93DghTfcveCG4W0taTatwIPKbzr9NK9Ckb4lrsU0CKkrSvV/gQ9HlyEktriAAReJgbZJ46hHwRRxuUK+lvyfKlwPKaNUY4UYDNR2dP8pipOWSw75f4VYaSWB8VaGB30mO2PkNQLDX87CRz8VeIIehXBxsrtEggGajuHhOmjuAmK+ZoOQ2a7guugGK7mROhWW5sfnhR2GyQsqPauYvBpsIgmugMNuWGibIPiaMFsqSjTa3X51D6GJxBLLnqFx9nbgKuV7nL4lrMHGZ5Zd2AxxxOhifXGEGfo4EG1hot47yLcV5V3MdDomP2MUG/V3NlAAyf3OAK0ersdMVRrgfHedF/q5jN4v2M8HIpJjrLQSAJMoiXwC46ommgDhrOCvdgIFp44teUzViPXp20waQtCarnd0KmxlsrdOUXHHk37lIj7J9Z4uVy5/4vMoNQREaPk9/khcDQ7Y5fE5GX88qM/WnvJCvyd95B7YaA5FB83ilzw4INGxFfUVnnsWhoSka6igRYlVj5hN11qfWYVjYVEVrFx1mTDCqWrMdtO/GPCgLEfjXgtALWR8ioAgYuJ/z1S1cgfAZmM+T1CvWgfxrOmqg/V7LEoq6u5qbqye6aH+wgFo0xmWI4JpiB+usNow7Rx8JMMbb14MnvR18/9vQCjt8VJhGSsRtJYSYzZNKRVhm4bhR8X0gukFiKQxAuN833AD/4iGcmXK/CP4RtndMYqwh7l0RgwNLrGAQQwS52g2Et1Hnv5EP5Z1I16HeEWy92hKDZqd62U8fFVlC+GXUxFJKVrquRz4RFNdFs+tfryJWIxql96nLVYoF7pkgwwnvuwCdC6D1i8hou0rfJSDg+PWdGFuFUXdnjk5PouxKu3zIvC/ngcdNeBDnhdL0x7Ua2XBzOeiqYs7hauIUnx70+1p3ERxwQ/badbJvD03xVV8bB9MHrAJ0elcnB/gnX4P3yptOn3KnOwv/rhb7+c/sTp0RtFNLM4ffkvFtlq3W1dKD2pEpcdJVRGIEwSZSijL6oo0ZTh3dT9Ez3Ij2TzSaDuvA2hkR/J2wSkjIhGW8APIj1eU+mPQeHxR+Q+STD8I3PMXa6G/4/sVEhGVZxbZ9z4xkQzGW5ZTBIDkniBLmAv68FfuJ2hFwcbJlO3QNqi1EEiBsbzEY4ENhUBCyns7IZbnAwyUWnYVM7BKRxbMjkFx8k0+FVKkwyutZzHiMNUeXTibALcfsqJBBQyJocA0KqmD1CgycwBQKmXNAghWlPjjWmeTHNTPlSmYRwFTYqPMmniKCbpYvjpNK0r3bLxKwks8VGtPwHrH6NBNFY3+RuDtMLRaxXosUSuHnix3uNX/q12nUFLkC6uUOw3wwcSuTTbLnfxZKousRGp3WJBhm+1C8ENQrqyQrEnBR4PskO9cF/6sxtZhUkXt2fsQcHO067vlqVT9MaY+bbDXZt2vejGbUAMzrfauZJts+9sfxu5s6UfGr7zlQ9V0a0b86/UA2GmP7thrIEOwfvY0Tvy+aHW6KmtC7/8i6zC9xsBwN/56+zLFfCnxJvk7LVQ0gKltTJoFOISk4yGKSzjOFZprELSxumtMzRszG7eaJYpR21pS7PEZUqWi0MGlvlKQQGyDWKTFGabNSD0MtOVvUEZ+lEwcfUaQu2UawrDW6U1mcUNzTqtEYzVmOBElqpMdQSDFSc9VbtHNPkFrNWeEgnW55kctVtDPk3KmkRrwiS3i3XmZCiEPXYSlJOePInMOhySic7MgrrITo1ZYYJAfSsoMgewuPX8PBlfmTwPNN4js4zI4nU5RsUcq5ZlSs4zdahsWD52oGZYdpyjZWCt0tNlntl0b41HVfHQVMeMxlNwxkwfjEbU87t0d8uGVOXDe1Y0bxZvquREJUYoOU7xkc6g31I+1YkFxxzshJlVz3ZicZPHO2FWvROeEVA7N7csmu68rrqmmHXgNlViyZWUHydjh8OYIMoR8nhpZYjmjR/1tOVHboITGGGcZlHZRx6jRWhnPhWbBnw8gc40N6tF/fyinQlG+JY7E9AitIOgmp0JejyRM8Qv2ZOA+r/lbjRsDtoRUM0+5D2Y2PFPR+vYbQYSfMudyG8Q2jlQzW4EPJzgBYnF/KW80KDub7nz2E1BO9Gp2W2cBxLsMA9l25nmReevEMS33YWANiGeyNTtTNAzCvSq9Wr+0ks1GOFb7lFAixz60/jhNfR8cPmY5IleX+BlMi6HM2nAD4Kcyua4GdAm8f0OwVBMm6GWF4FNS5yTkC/lERZqLdZZFgrXlwjzVFaQLNvESx+EdUqLG5Z9gogcYZk45mbaJA8aUcZphYUsK+VBDMJGrTAFa2F0YkWdQg5IvdAU65xnC/0qmWz3R9VCjZVv2iWYpjcBJ8zNPxVTrFablGVWS6dnisk6E7XMXvmUTbFYa/KW2SyZxinWyid0qZ0KUzvNYLVJXma5wnRPsVtt4qdbbR+mHkqhT1MHBZWOU4PPgcUy0ZockwdLY9MfD11rhkOdBlfkVpmmcEeq4YmIh6001yTBwdmEhyyeMBCwsSmBS63l9ZP4Mb/Og9dy3cmT3EOB6OG5YeGRznKD1YoPc3uWMyYLAq3SBMGZF/CUWnMBeQrAI6q4fYa3xxMqeXiSY8fTiZ05z4dTALX8Nsdd4zm1XLT8zHjQP2ofGseio06Nw9S6x8axwOlz4zCt4sHxCKqdUO2Kz4ZxYDwkNk5KNVr7JPwzIaka1BFusVDnXZeL+UaqrB4+rEyDuFhfaOBJqMocZqscHMhhL+1MN9vwQGMHOsO96WaPv5ZtVzflrFj0Yq+LRVHNTConKWylZN1/1O4RN5x2XJvfTxLNH+swfdlr86Vo5mP0Eq/CP3TXcK2lHb0W9odBQ4cP61987UxTHbrNSBNJvOI/aqeIWE07UM3vHLGGj7zRsSu6CfvM19RWgLyRvOr+wB3CtZV2QFrUDQaNHH74vxWLci4N3VFtYdf0B37kBzOJR5hFj/vYtpH3bg6FMscCXl1/1KftGko8Ysx/3oP2ja7Qk0eID+VGXYMfzosd/09fZW9Ogh3NDGTZBOvoIKR8peygJ7brNRZ/YVP0lndkmzjrk4Qh/BUIhV4cWIetUAqdidZwIsCoDfwYj0hODF+i0KwAhcLLmYTDxPxpNsEMTSOoA7Nu4XEnFOdE0uCPjKllf9ZoYH+GSSYNrjDdwOaMMfEgzFOcgvh2siYjrHGCaYllkXyCQlimNVVxLWRNWji7BNMX1xrqRIYzhDelsWxgTW4IKwTTHNoO+5xoXxh9PHRYXnoqND6XUCAm4nkjeeQMOUWQqPWmAxx+wPPTmfleHnNoNenQScBKzht12hb201Rcvk/GQPrul8rHcrWog7+AVyXB8T1o8txmXy56ZqUvM9IpTbs28eHMvXksV52kE7tnoVdOAup5Yo4DxuHxna7E1ybZlPwr3a1iyPiulORBMSgsr0l0lkkOvoOUn5oc+ivtw5IJUNQZSddrqR6NTOClT0Q6bIoHIX0wKy122xRzA176El/3hOVGSZYlqp9Efsen0CJKIs0W6p5NXcxnRdttRTNbd+LVlsdYja1LbWNJxx4lVg8bOXoF8ihP3a3qj/zILUtJxxdFz9tu3vAxlFGetFXPH/kx780kHUkUPeNDw0ZOn+y05LbdqemP/JCPhpIOF4oes9W48bAoderEKjhu4LPfTbX/wAhtLlf2v4PpAU7wEiaUhCcucCKTT597I9Dc2ZVETJxAIrisKYLESvaFEVqmt0vxgkMacwJgWHrkwW3vJnl/5QzzXtRrBNUBj6AWDf2AEfpOAGMI2x3wrKA6BowJPBfB46c7C4wFXLeBt8HaUD2Uxu6o+gLiLVV4XJKqnwiGYHKXBxpsNDruuMLsjUm4WIMFtSs2GBY0LOYISO2HHQrGUpaHQuPsiLnVSbfEjhbSxloaTDC+KMMK0ULMoYQeQWkE1qghDJY0AXOAiPdD/N6qvCGSRMXsiAy7ruaWSBIwuScyoNPbFIHQ3LVC1Rbb4GS3afzM2iFB6BhrXYFFmSDLktYgGIXIJo+k5c7m88a0raUoHWrmaZaTMM64zaWU4Bu3lagbOOrNFXx8eF+BSBtCQi/nDazUDPijcLzv8jRgO0Xmep0RjTNNfcyGTU6lqQAZZMoqKPmCHWuwjA+XkHax45o+3ID5OxvRXP1uh2iGZJrDlySkPCLC0vRH6jmxmSbajwGxvvaFEqGwLzDaujtQtcIaHGgF5sOnkWs/cI31YqSV9deOeBOQ68gQvfaaEg+OWV+GqFXXmlHk4eR/v/vSPWe5GRIdb/qPEkziRYgBQFBPvBUR5/O20qMYewJVm9N8tRVhDtvpKz9RIwCNnzrDN2LP8Or8VrqFazj1eJ+0TwyaPXrOb8Te4Fb4rXQFy2rqEUBpP7AbPH4WcKdrnAYZVvmtdATHbuoxQWlXcBs9Gbihcn+HsqOHZk467Pg3XvC1T3IdTUdsphLdZhRYHkB5JmCPE6maIZvtqTawpq+4AYIJikrP9LtxfpFnRVgQchbozK4rML7b8BKbgx+YDsROVw7aJIMrwRmh4FTCZuVyL0jThI6GbRfP5SCNkjgftkVcN4S0SeaQSFYNk/+9ACnnP5TRPOno9hoqxEQ8mvGnHoWkssGJPAEpZBSMNexpyMGQIiOKhg5q56Yvm8wt9+VG3Kexa1TZntmbSh6nKELx2CQOSVyziYYhZfShcAQjjjbQUDSiwaWzSzbs4zk2xxLA6D0xt7erb4UlMHE7YA6j8saXD2ithD61rL2uoNgoq6J47ZPwz/gVUlhHuMXCmerzdbOpYiOa1bITr64chmqkJXUNJW1b8S0eNm90RKWSkMdyo46ZfQ7G+j99VFyurH9GZltyvw/SCXq2AxtNCx2KYVJCg8LjPkR7BTv8I+Nx9pJD+zUfbJpY8ohhA+IL7X1h7CLbKy9dYAfakVL7hN9mqVXWvlwsdtmXGWd15dQmXVkdzKM9nCQW/4GII3OvfZSj8hQoJiJ3GVWj8RReMhJ32fSicADMmnR+LxYL0zFi8IjgKJNRqv5JrAB+koppibVd9CDRTjC7fSeD2nIZqxGRa5tLislldrvNHF6GjfXU7ar+6I/8YCvpmJjweR8bOPWw+wuGR2yHY43fzKPvTSYdENPqAfvmjpwQcwom9gk12gWs84/eGXyjSYfEhN0BaPJkhxi1J3xbXeDw7FFfp1V79oGjgUcdqZycXXLkGHqf+XL+womSL1fOf+K7c7SIKMIoiHQHwOlTLHrQzECNSUyMRVDgrGiDxs+fQmMWSCdJrg3K8NrUsNvC5KO94mM7MDvD6/+Z5cp6Wb8lNJ0ahlvi3kJGqDs6lCFclye1gur8aMbw3CDTJoFDRFkldo1iu7IZlNESa2fnWBy7twNISHd3QF9Eq33C9zqYk4gyNqYjwYMNPQaXj+UbUAclA06ACCod7gRUBUYFOHuX8VgytjNzLDXOTuOgPuleo2UkxVlgwNgOAu8XEBhMX0B2ARQU1rBnjHYEk3SEUwY2CYfPwduhBsaV8h51GhazSz3kVN2nTiMmd6qHfHp71SCcvSg1d491/Rneco0HjRHJcZaqKYBJtARhARtTE21AxJ51Lz+CqSdwtfnMV8lj57Kctp0tbAKw6eOdY/Ru8S12CLcr4Ha6lbpCvBPMzcKM2gmGFX4LncCxmbbZLe0EbnPHtjZ7ZWO0x6C+b6EL2CbT9relPcBp7EAHWK/m404Fwwq/hS7g2Ezb55b2Abe5U/F5crPbLjp2BH7YXXP+xIqxN3tqjtWIHAt1jMRwFeLkoQmoGypy2DAGPS9WidJLohEiPWuSjcILplEiO29+iMJLZoA0fcCxobbDvfKjuzhnb8z/O8/Z7XfE/ObI4fZQJmg4wKBZeVwhya5xLWK6R5xFIkfJtYjnMnEGSZwn1x6mG8UZJHKoFIvs/fJjefSGOSCiuWM+bF0ixUTukpBXDimB5kGEfQkVUeI0cJvTQ+dAJRR4gSQgPNqphJJhndxDPxaNbhodi420iz6oULyNbtnJcCEoQrHboHkLApMqDewYMDQSZ0DyARgYwbinDXcMjGSIy3fWgbGmvbWexkXtrQ9JdTfX05Dp3fUhoeL2OtwBj897V3TTJAfCZT1fL46Em98A/33U9uNR3euzm4vpx7PbXw/KnoqmLO6G6g7lUBPDlg6s7/zD27cX57dXH95PLz9cvzu7vUlU7AtwCKLLdFLFE9yiPKAiOIrbJxHOyU4BB8kP/B2yVkrW5iLrpGRdLrJVubKOf7HY9ip06Oyl3LX559q03VnzEIumt6qtopxB5+48NQtqdZOdTLoJbJMC1der1FfoYISjHBvDisNfF605+3gVmlp2nnZXhtPgxAjcqy4Yfocs3tsjiU1ACmRgwuRKBSE+EioCYdJEow0fJR1qEDisvrnpvWVj5hdNk+gyTsmx+qlfKbm3uhYGnsZ9aRZzKsleiM9ghUj1yuy6/o1pnkzzrlglphJfgPNQvBBzVi+X1rAdBJm7X7Fh5ptP7979v9NtEPnp+m3Ynl6rWxxlTU8L7gxtxJpuu19+8bVsYy8v9QCehJihNd3ZqvyHeb6tP9z9j5lFXtrrGTwJDYbXRVvOztbdIwXDE1IhMUVjGjKKJ6XB8oGK8UGb4MYUzexx2+HSvXNQXqH+piwW5f+aN0VXXN2/N2Zu5ggKQErM0tWbefama8rqIYlgFxbXvMui9UHcZV9jEgGUYrKQ9pKT9U/gn3Dr16h2uKWiUwkUCHozilUoOrHYy5lzW2o7HkwX/zCBW09AHvkEbbNC4d3Wh6vwTA668FghhcF1Wmua7T9VgC1t+ZBXRdt+qZu5DrKlLR9yMZttPmpdfzaVUs9wFOYD95ZOImpwWaWN3G6j4qtqbr7qULsK87b1h2TegtjcH3AJDRH4fd0sN0HBub2oE5EPNKqi26vRwaSrxoyedTHancaAF/OOaGg1G6lNNP0Rl/cpDMo6P6ILOT9T4cRTMnoippIpzL3oGZfKpjDJUqZW8kNVmU256ccknsK0SZksqXg68yNlVuQ0oHwiJE1/VESlGQ83z0ng5FNbaEJzTl2U7X+2dfWuFDhER4VCgw6XuYGFbXwpa82UZbXpl/9ezOeNadt/N1+7jQNfTPs/+Op7iX2B6VAiWrMdLlz0gmeDmg4tnKxpoCERPyRNZQQTLETegbMU/rCqUJ++W5eL+U1XfDYf9il8Lbtg1czHQbLnU9XmswhQPoZN54uiXGZ8ULD+MSzbVFpWD/n630A5sGtZPhWd0bLQmYgr032pm89XQJzKs8pWyD3qpWVcqWZV+a9gzrQxq3Wn2gddlS9g4PDKqvfa/XGgc+Tp68F0qqa8hA2b88HhC7t4pgx0jv9UgpeisR8NdFXaaM/n17Lt6qacFYscTwrU/gJWbr/EWswCC1u+fQO9I1vW7kKAa/OlaOZqdnlaR7bq8dBn+hBHu2PGKniBJ2g2h3SUvQqgd2TL1lUu20DNI1s326wpMtgG6B3ZsvtiPYNuH+XZc9A2shX68W483M1rTVcPjuwIbbH0jWzJU7EoN69pnRfVdkWuZRGgN7QYHmdBYgH1aZUMph41/8sYe0y2ZLDXUf6yJs/q1XNwo4SbLbVVjm5e9ICcnmkn1r+/P03ub1ANOglUhdsV+LJ98xi/J+CWR+8I7F5wRu8HDGpxpIl7AQMDFXYCknC4EwZxUFdtKMu1rOdmoUG8V8TKp3LIP0NnJOjcnwdnJfSpmWFJGh0MSdSJD7fTY1JraWhXXUbu1nTgMRo68kFTRlrzdVU3iCVEmvagKSPtrKhuygfEOgHh6Q6qMvL2aac5Jh+SRna05aeu2nv7/Lgc/KAwZw/ZnsjfV6bSUYYa8/q8TafUAbeVjTbPHFprjghICY0/J8SdHO6yeqo/m/O66ppipuIPPY0Z6edmtaifA0f96Oiuuuzc7y9v9ah3yrIzv1svulK5wR2d2X3kxfX5qx/0xuhe3cie5uL6/JdXp6pm7PSNb8fp6U8/qRrSKxzZkr3Hu6qe6hkyrYs1CtQ9sn3IhBnWJD9FlokbndrEkkMZzVx9ipCpRPclOEGZyYKPxfOiLuabgKzo1o2iHYDmvBFqDlNgtZnXOMMa1dY6kOKMttyvK5UUSa8nI+k/13VnLpVwbWWZe8qmlsPhTbVu4mnNO27fmLYrq21lfeGzat6fmlMaw4kqXmIV2r+cr7wYPWodzSZrb01teQ3ofIFoinbsmhJYaZy51rNNvSuGKxjN0rumLuazou0yGouoY7TdH8JJ+rRhOU7Rc4zCnKBHJLxe2gzSyfm0PXlOzTMnb8KJedRMrXBanmmJmgljs9NOyONCQPlpVuZTQJ+FRD0K8QlI7vPgnIjHPRnN0/CiTTj0SXjCPpz4FDxrY5x4Ah6xQa50+p1jjeDke9qwDKfeuU+Mdioc98x0zoNzLOKcdE/bpHnKnbXcIJ9wR6ww1E63s1JayJPtiKSW8FQ7h143DtU4zS5MOKil3rOd/RYaqLg5kvHMt9BI3V2UvGe9WW6Qcs4bcxZW/4w30ize+W6SScKz3dG6JOe6kwe50Se3sWe2T1jHs0NJiHdn/z399erm9sP11fnZ2+nrs7dn788vaBCToBJOnuvE71/cE+Qng95EPywOwDDzay4LLpUmIUMkyVykRD5MwkLJdLlQ2KQWkY6frnLxgpkpIQ8HRJGAlDpyQYJZImGLYJcKXrNA6wFp2zDSOH4rJTI2UkZSMsanC+ZdJFzElIpLFcmeSJj4iREXD5cDkbYeKRXgt19wzS/hYiQpXLJEPkLCRk41DEKGWFZBwoVMGLg0QG5AwsCelANzsoQF/b6XS0J+tSvFQU4iuDyEfIESJTYTEORML/qVSAnL+SAsauUu8heENflwdYFZfhPZWAvrIJdsDX1Qi1guD18SEs2soAKthx9c2ENrluDL2sey1OX+NSH3atXiSdOyAbZxCi9qJ8FYa++oWuGL2mliyYvaWPJXP786/cuRvSnbz4g3cdPse0W67TygbWc15jB1mnavKCvt0nTFvOgKla5x1KXMzHsFPk1MjpPQxID/XJVT43yL0neb+yJ4b/nxKvB9S1/nvizWJR54Q7F6Uy95lU9sUSzGQYXIMweAaH44huR43ceuW53X0UO+ASBLUo2mWJU8mKOgJss707bFAw/nKKtGNKubxiy2AzmaZgz2IFdcwkX1dwEkgneLtpLlb66q3dU/6HHvCLyI5/EJAu4HtwMI69XxSQCq7D7/JCzbWwGooMvKwUnwYwAm5MwyURI8HAwKubkcrGTfB/bUkANUImZ7RQBWcB1jumUtf/mpKperhVmaqgt+idwH9qVexHMGMHTcJ9AyKj40BK3kSKPYbG8agtZwqXhigl8NASs4VxIvwcNGkBXcLJ6a7GvDPVrJ4UbZ2V43hK3heuOt7fjfYt091k35vyT3OxB6Ie8LUWg532GzKPleEFnN9YahBZ4XRNZxvEhekt8FcVXcLp6W5HVDwCpOF8nM8LmBnqzmcsPkAo8LQus43EhLW/72fd1d1usK72sdgRfxsz6Bjo91m0LFvwKoSr41BMv2qwCqhk9FcRL8KYCp4EuxlAQ/CoMq+FAUK9l/gj1VyXeGiNl+E4DV8JnBlnXyqdtTHP2Vxm8ISU1f7oWyqwEQrSQr0D5KudYQuFrKNYouyLyGwHUSsHhqUh42BK2SjiUxk7KyEWyV5CyenJGjDfdwtVRtlF+QsQ2h6yRu463u++d+q5/uoF3Bl/TQAImqix40kaaPhtB1nXQQXuqlIXRFN43jpvtpCFvPUaOp6Z46AK7nqnHsXF8N93RdZx20QOqtIXhFdx1u+VA8zQtiX9xTDzEyRNK54ujMUXSeGDpnBJ0lfs4YPeeKnfNGzhnj5uxRc56YOWfEjI+XmTHqi3tgjyNHpJwtTs4dJWeKkbNGyHni45zRcbbYOHNknDMuzh8VZ4qJs0bEGH+8rNcVOR62pF7UGw8wdJ2x1TKqvngIreyKQWyxJx5CazriNDHDDw+BFd0wipfhhQFkRSecpmb7YL9HK7tgkF3sgYfYmg4Ybm3f/+4/O0hPIA8kX9IPQyiqvnjYSpr+GITX9clhfKlfBuEVfTOSnO6fQXA9H43npvvpELqer0bSc/11oMfr+uywDVK/DeIr+u5I6/v++2PxYKju8iDzkj7bhVD11sc20fTTA2BdDw0hS33zAFjRKydp6f54AKvniTGsdB/s4+p53yQx1+96PVjX40LcUl87QFb0smAr+/71bbksyemJo9BLetgBhaqLtZpF08cOkXWdLAgt9bJDZEU3m+al+9khrp6jRdHSPS0ArOdq08xcX+v3ZF1nC5JLve0QWtHdwi1t3xezaEwxf774WrYdfnvOl3oRjxvA0HG5QMvo3DMTgFZyulFs/l00AWgNt4snptxXEwBWcLwkXsqdNmFkBdeLp6bfexPs0UrON8rOvxsngK3hfuOtbfnfd8Xivm6WZt5/8xLt+0DBF/HCYRIdRww3kYovjqArueMUPNsjR9A1nDKJm+CXI9gKrplKTfDOcXAFB01iJ/voaE9XctMpC9ieOgKv4ayTLe/cH9GuV6u66cz8rG0JR4pBwRfx12ESrbskoCZSuk8iiK52p0QcXnCvRBBd524JAjfpfokgtsodEzRq0j0TMXCVuyYI7Iz7JiI9Xe3OibgFgnsngvA6d08kWh4477Ypx3hbzxJ7yZyyx6F75M1uHNUzbx628qE3GFx86s3D1jz2hmBmnHvzkBUPvuGIGSffIGjFo28IbvbZN6BnKx9+g+nFp988cM3jb4EW9/3xG9N2ZbVtLaovHIq+pF8GWVR9s9dQmv4Zxtf10REDpH4axlf01Vh2ur+G0fV8NoGc7reD8Hq+G8vP9d+hnq/rwyNWSP04bICiL489Ad+f7z/uSY6wXcGX9OUAiaonHzSRph+H0HW9eBBe6sMhdEUPjuOm+28IW897o6npvjsArue5cexcvw33dF2vHbRA6rMheEWPHW55y19fm7ZeNzNz8fWxWLeUO+hhyRfx2BEUHZcdaCUVnx2DV3LaSXy2147Ba7htGjnBb8fAFRw3mZvguRPoCq6bRk/23fEer+S8kzawvXcMX8N9p1vf8t+X208bb4/1XZti9khw4AHRF/HgMRYdFx5qKBUfHsVXcuJpA9hePIqv4caJ7AQ/HkVXcOR0coInT8EruHIiP9mXJ3q+kjNPW8H25lEDNNw54gn4+ZOb8qEy84/F86Iu8B49KPySeZQAjWouBWguzXxKyATdnErUCGleJWSCYm4Fz0/Pr4Tw9XIsJHp6niVigF6uBW8DN98SHgm6OZeoJdK8S8gIxdxL/EmE7/+46YpuTb4WD5B+SY8fwslyF4jdYjnuA/GMyHMnCGyG1r0gnhEZ7gZBWMC/H8QzQP+OEBw//54QyAT9u0IQVkjvCwFGRJ47Q2BbtO4N8czIcHdI4GnY38PaJekvTdGtG2OdZEQ73biGF5kHEEhKn9CKt57KfIAxRusjW1hz+F/dQhij8hkuliWU73IhDNH4UBfXDsqXu3CmaHzKi2UN/dteqBGj9bEvrE38r38hzFH5HBjaEuvR7LVsTloejFnW8/XCMWbzMzAVBO4AcJT5LbNVdhZQCdq4VRiZWd7Vc7PA1zixZTB172SDBKabPVJq78vLa1415bJont+Yql72h6sIHID096+4XPQZcoiTmARXTflUdIaA5Hihqj/NEPNAQyJbhtUorlffnmam1H+UkNc+q6uuKWZdf6cz7bkMJOU0czMrl8WCgmGJ/AsOHBWqrj7r6mU52137SgDyBBWcWlMvmTSAqEbbJGdcv1WASZVb/4PpzsgD2BHiMQBz9bp7NFVXzgrbv/pztl0MPXef9+JnYCW+xU4loDB2jncqlMwrSKTgfJPGg7VGovl/mGcF4IMi2tzIJ+/V6tA7ysayYHcSRoH+oGhc8t9M08bnJpoBR30Z7XD8piVq+vsQNIYCqFV1DDtW3K3Lxfw/f79VQLdU5eM1X7ch20ez1Bm8Q31j9Z6qrlSG717PWNwPpjs/ZijeFF2hYASoNKdFfuxxVywK+4l4UUdfAB1vvB4o9Fpnr/B1UDFk6J6TnzOA6qXkDQbySZKzap6ML+NMjgY2nRu6JEJ/EKhABv1YBlaroJfOFAoOg6inBAfgdFmskoNwU4g6EN9ZekNWbvUey9OG5JY8Mhh6vZHMQIRiMtCAR7I0BSOZeboTglA7QVWW9Go4BoRfGKep/C66/0e4f+7/QV6Vhs09qDwP64YMPMDG04aR7gjXPLEEkQgHBRbLzz/99OPPB5jptHtekRvhgHKyk//+lMF0crAn0FCvi9bcmFW9KCOhDhbwxNXGhu0VxpjfFWVVxVw7ifmoLRfzRfdoGrNe/lovTPs5EtujuX2Nudn12tzXmIv9Y714fqgrPXRPYS7ym3pRVMUb86TDPVCXl1qvuYf6cnGfNXdl12j2cV9jLvZtwEqf6g5iLz3R7UBODtLkduotCbsvGdLJTgMTK/HwfjelkG6nIQ/d37+I8XoVefg+tfOZkK9XkevpijtfryIP300dyaWg8HYa8tC9LZabozBCwqOWPJSb82aL0lQcF2yLCtwwsHH1EbEJFKYaKtBiW2/WB82TabZvSkS2AwNovrwW2dzcF+tFt/kw1falPTIaoEDA5qQNZnV1Xz6sG/rUakuq01w29fI/29g2V4rK0qBFV9XNsliU/2v6c3X0SM5XoMXW1clccQDKlhTQkHflww8QvwcfbR4oD1W1XWF7UyAR1ReJZqJ+PCr/++8XV9M3F+dX787e3hz0PhVNWdwFNDsi6KzUHj1l4XZbbmqeTBU5vumWI2TddmIXjnbg0TraHSm8vbYhon6WgKF2ubC60ASwjG8spQmX3g4TYmsPSeq6uPSZyDQt4ZAkh3HV1F09qxfvN/8VYA70ZCDdy0hJB3oykG6LSjFtJRkY2zKyuZGm24ln4Lqv183r5y62QZWms5Vk7InJs774zog+/MvhvVvUs8+3paw/2kpyMf5qyodHyVQ4cdVk4Oy+/lq00VRBCvGgIQvdVTU3X2V4exW5PKMY0dGSgXIePU+U5psPjw7pPd/kvjTiAaN3p7GEkci5rJ7qmXv+Pxw+HwuTY+grv55w01j1+PLUkNqykH8aioBGOSSFUysNtBHMspAbSz88IogKvBH0D9gFvZD3PWG9gMN+z1g8cOl/LxYL1Ta3FOZm3+S3+hBM0YCh1txW7AvrWwJpzm3NO9M91nomHNTl5j5rHjBLAhx1ryw7811095CGfIfaRpQSJ47OUqGRh2rF3NurR4rZphRyIYEzwNeb25Lr4otVqZohntqsdrTlgxJ6ryl3q++urFFr7YO6Eft9jj4/rgVvyyq6X8W1oteb1ZK7pi7msyL2mhjFAFtdVu4vRXyvF4/ca8pK25jNzYI6vAddWYkJqQUEMyPJgKYG0g3N86qrp4PXafxEg10Mn2LYSiXjDUe3LYNNKDg2CFIJcRBS+iCoSuV1KzQp5c0rFDN92zOBStv0xCCS3hNL4QGvjGHyL3TOzVP6cPc/AtKjhjFYJd2zALqkFil5tZNgpaxwWHzx1/cweLiX+fh0kkdNuWeEToi9liZFSb2lhkOajBGSjOi4AEXnxwLby9oiZ5J2v6Nn//2ncj9e/cM8X26OnHWJezb7CkKCyHCgNyPgvN5cXJ59ens7fXdxc3P29wsZzMTXhoILapXMtChg0nSLh7Wf+2anu14jn7VdmPt8uS3l1c1qHcdcuEXOmof10lTIJnFKv0if9wnYHd01Xf7MADTOQwthAf7rvD/Ji/mEtztgfMmX9GABGqkLA5pHzYeFkAVOLIoLPP1PVUv4YI1bFyT7kj0gyCPtA2AjqfWCMLagHySQnYvM62730Qvcw3eLjz2nAbWzmmlgdGBeWzSmmD9TWscXeZkZDsbgT3N+SyjMdQFI1oQXAwTWAvfbb3tNO2DvwVsX+GXRa4TdJ8RQOxxALZ40si8BxgmeFhqM9uAwapnnj/DErNNHEnKwxwkMGOjLacern1+d/uVoibIhITtUyLk77Xh8zj67nhXxXUeuFbg9R6EVqV1rEjx2z1rIjDiNR8ImnMUTkiPOf5HICae+JOTxHV48MW5/V0Ka2t3Fs2L3diW06awtwYGj87dUYiB6K4suuadrFcLHa2WR3FGx9R7LY0Mzi5y/kxtBoOziwmpEsWIEjBYdptBIu6AxLN4OKI1vtm4aU80i9zhEG+4orctI3UuMQRL2Eclc56LmcxWosiH8ZwSM4DGTVICPXFfzab0yTeIdG7cc3lOuq/kHT7tvv6vdkcK6TNeQ0DU4qTgyBTJBB48RTex7tbB4J9grtqIKe1MDTXl7cf3u6v3Z2+nN7dntxY0a9ImvWG7EiXezD3kyTVpBmVJxncN9abgxOxfOBjxoyEC3KNvOKSgaZKA2HWp6sJJuV1LIgsMkJbKShLwEFoO0iJ/jSZMW3jEePVLK631pUuRLfUw2TPIAg0hJGvBI06/toUDxL+sxOTFJDQwoJZnBJJUOIvxxOC5hagmAQsQuBHiMqEU6htNRlI8VsXzB0hIWMjxeeRhNScMyGJMJtiQgOrHGoEskKpNsyAQlg6xsb02z+WbiYvN0RNGmryrLnB5Y0v5zXVv48HJ2W4a0lP0vRyvcKDuth9KU5esOWrhGgeonr00GSkRrEhCItBYJ0/CieZiIHMWHscjRO0jEj9qRZJhoHSTjR+nIjoWJzkEySlSOZ8FG4yEkahSOJ0NG3yEwYtSN58JG2yEwapRNION2emJUTSDCRKlBJEpkimdCR88hLnLUTGNDRssxOmKUjOd7vX6+NKxZ0RaWMTHyynGik8O/vj+lpZeHegGV7B07FvcJ9gt4WHw/u0zd1+PZAW75KVsCnie6Nw2/h7saFIee+Wpma144ehQV8vjLkUf77Ji3ENn8Gl2C/HzsR5uy70zbFg9HG+/X1fYkhKfyWBa5AtlyBuu9fV6Z+eaTphSAoRCPBGrTsu3qppwVi2nyi6d+WfSS79eDaPIzqEAtnjTWfN84/pIQzUVZImKUcl06HhjrxSW0u+tgo6c/8cC2suzMiZtwqdTIG3FFPSMemBM6Bi5KJ7ICbmi1e21munmJpujsz3Z4XsgrinZC/bs5N14dXgv5dQxlkR7It0uQcUFS0fIvaaXMbAyWlpWbIVFT8iFYamR2RMSZzkgQaPH5CREzIltBgCbkLkTUg7f3VNh9nTkt0HNqk4G2rNSJ3S8KMnIPjM+L3tHBUsf2dZTZ4/tkWGDcbhmfMrXXiOXE7jjySdMHUbGs+EOpNFo/xtq8sHm4OS4cXznFsAvqjdD5UDWwoHWV21LIgMo1Impvu/3q3ba5rM/mefY6xdCxJO6TfK5uWwZprmtD2JG+2X1Jj00ycXRQoBxdzFAxBccKEVGUlNAQ0YSYQIXFtYveIjMlAu6oQ50w7Q5TfHg3iKMD3MGyaDqE/3PL4R3CRsxzgX47uNodKaxPcA2JHCPefh4k1mlSMBNHC4nL1Rae8R/Ktou60CSjpSMD4aYFpC2YhwyRs0zjEXKVSEZyWiMNSUpoIDFJ81OSkDdDIR+6ew9A2V587UxTFSJgR0uGzpmaS5OA2NmUx4Y4hoJCJBxHYZKmk0AoUHz6h8m5LxL/2CKKdaAqL2/yy4EkZPTHA5nUb8xqUT+bRofa15aH+jZ6ZAKFeos6JcHk+7BKvGeFQjxqyUMZ/TIMihD1PRjuM8ZcT4N71JSbaTi08S+NpBlx3xfhkK1X82hmMc120JCBDvG9ijQg4SsVHMZ4ojONh0tx8pY68eQmZqGDS2ty6BAr+CQfYQ3PICzbi+vzVz8Ig95eRZY43aP95dWpGHenIwsvkCNZ1VVbN2Y+bU01j+RInHL4HMle7MbW7reMq92RwuZIXEMkq9MUDHF1GlHHXZ0mCXmrUxwpFOttT6rFz/qkoQFdOm3L2DpF0RI2TTmkiaglSYiMWhhkZbu7BlRCZ+nI9JQTW824R4zcZOa1InJ7GdOYxI1l7ljH3uuIG+3U+xzl1PF7HKnUuPsbOdSI6CzJSojOkIRA/NAVn8vqIX2UeFAQH0Hs5JKHiIf6XTlsEDGwhrdDkCbB7hFENYliHAQjLcrBopLiHAQlL9LB0rqr4bqam/mmrKwfTlxFWi3r5hWqXSUa42biK8vCvCqarpyVq6JK5Q8RzL6yLMyJ7A0CFJm9YdEVyaQxArBA54pZjIiZDgFJmOvQlOHZDnHpn1eUOuMhrv7z6xjKEuc96A5AdwfadLNY1IcDmuzVULE8dRpzYAqWNQ+ikDlzYYpWNB/Sqa0rhhFuJgU/0JbPBm/n+o0cfq9Gs4eQ17R4VvTKVsLbb0LrtK6lLCfz/hUEHWhbW07q/bkEHWpbWzZq/Myf9Bvk2Z9Oi8/WIKHpORsB+2VRLrZLDh1yV11G7vN6uVqYzqiRDxXmHJO3qpOjrzDrTLNNzv5WL9ZVVzTPF1/Lrn8TXWn6ierPZllyTxZpAXpnlk2a2NdGciJ3t9mUiT0KJCVyp4JNuXlW9ti5RBykRaLHVGeMX8Nr08Z8KZrYTq5TjroqvXa1B5ut1+5IERejvSGiHGwQg5iBhfRorD3DfKxVZwKTs94ME4pWmhTSIn65QZq04Fy5xyG9337aWoJ60JCD1c0NJi4TQTQr8hIRDh0urxpmo2VVSe2Wft8d0XT419w5jOt2/luxWIta0NKRgXBWV0+macu6+tiUmP2JqKccqMrKu/lauw5urykDLX5lHeakr6lThH7M0jXFPLJnvP0ZHaHcOso8i3fKbgMqIbt2dIJZflglbVK3pJlzuFc/a8pGcKC+VOrRCD6simAqVqumfjKoU+oeGiisQEh5Y8qDQr4ghasZ8T4UBEB4/QnHkX7bCcLAv9yEo0BcYgNhEG6rwXFsVo/bi3KpJK6gHksiSAyiIENDHMltzWoTW0yLg9EelpQOBcujUV+zQY4biZMNycvJ4lkpDwSXfkLUi3hfxquc8HoM7pmk9gih54DdDEQQxPOWXuW4BCWi3lRm16sZm8JF1J2Ot/3gBx1eo2xvTZdIaAL2W0IasQ0Y33t+AYryne8cI2N9lMM5KB5+TBnV7MCnkjlrgCAEeT0AaeKvDcJc3HUCha8pvjDpdpLKbOwLAqOonFsB6aw3OqRDNeqc6LcHUqTkFwcYbZqeReONiZ9RKWToUwhRPvLRAyLl5o4Z3JIqzDjUoUvY1VI+V4MuHeoa6igd6eZpFh1/ABPu8iaSbd6ANYn1WXQ27qVzer74G0gEz4d7+YjOissMRSlpWSIKX1N8Ecd+E0+JLmNy9RkmQ69EGRFC4o1XTHSAfNmVPKel3iZNTGbYF0nJcwRiVRebIAgrvBRXYG11H7vndF+Ctqq6j93Nd1B5G9YdtPA+fJ0k4mY7uGrKdXaeBsnSySfhL5oCTMTNAogJv2WApsBODyAMdWJAMqE2EQJIpK0ENNElIQIGsYYKFNnemLYrq+2RMhFiQI8iKSbtH4CjpP7xPOn0fwgHvwWApqEtp0Es3kIayXdNidVAPE+DFh0iRPOBCMEZsoVQSQawZUjpBXp/EvYl5VbCXSIUaayBAk02U9nHf9+YhXlI52VgyqCqPM8YsRBNPWfCEhTDh9s+g7Bom2g4muRGFgSC3s7CMSA2tSAKwtYWjgO5FPJJiIugEAuw/HlebatPXe6+LYe73P3VD3/75fSnY137G9Qu+69aXJtu3VTO1QR7CriysALsssk1Mt0giXaImv+zfeP0Lire3MR1UAl83GOn1C5NMSxU97vKLOuqnN0YM//42BRt9IuZewZfisky7AbbSPLs49X5orRzi9CjP3HLchsj9v1hbLUT7HeGIQ2pkJxLc4L/DjioCvjCrvustnvSZ6tyV76Ncw4Kj/a0oHqJj2toZ2pCdc/GUqlOPD0cSOjp2bn7xhSdEYK6SjJQ7uIfCaKlIQPf5rWmrQSj7+8JHR1ajO443U0YSKc6KDzaOIXqJY7ToZ2BhOOu2+4Ks5lOBlo4gP6TU202B7Gv6/tTGatrdqCBD3k+Prqt4l+xaQ98+3b9UdiuR4MjvmZXor88KeFzYvSgLp1mhpPFw4vR+O2NvhWNw3tsF5XG1WzVQZS8ywBj4+RB6fEiZahiaqw8NDX5XgGf6cRRwsJD9LBeJDWAo6BDPTlYj42BGr7IhiUOYH774twktpWpjpLIvZtW5R14qCcfa/Br71xoQGGmXq2IDmvL1bOHVUn7NqRPjd2dsfafQ6PNXCGp0WawKABxJgs2QeSJD2RwPg0DfRLXLjIoPQLhihWsiunOaVNj/rk2xwa9LNYzs8lEzzUeVVR55ie1qwzarBQ9JEituiVQFmR7DzQpFeJKjJwPASpnJUUGZqcymMFbcVmoJzG9bCNQUYqyIUGluazYHT7QNAHWqMrvjjvKiHuhsSYfZcjxtS4Xc9rzjI2qgDYGMH7GVqOP68xiQ1/PZqPYfKX3RH8EHTXp825v7XZud0mEEhFiWFcm5l/LtqubcnZ4rrigNYUfU6tvySY6/q1YlPOiqxs+uacmS78+1CDp0rYSJUpvt3h70gQ5FXjFx9wxBmqm7xkPrEXsGrvvA9DhTiBlPFzs/rEY2dOUhXd/kk4I66rJQtrvB29l0tvKEdahIj3aQXxnmifTbN8Kwo5tUGS8aC9YOzXoAy2PPFdbIDWppCBPIIV8bHwGz/neKTGPB8uOns2LYDBzeoFGifSFfeGLp/TZKTz3CahawRTEniTyINgLnAGTHf8CT345Bx6+IE47BI7/fCGdcoid+nHv40PtJMFI6E9QEZm8dygpUB1x2qVQpQ6YhZHwB8vQPK3lnVlYAwXKdM73+EhYuA/wEXm+HFNSguGH/DggdQwiDu8GRiDp1C6Wx7ipcxaZr0P5eZq7x7r+zHuWB1ldppk9nbLIhhry8F1VT/UMkZRLQDpqdEn7rwDuUjnPLEpPRYY5qn9FU0AJqlH2xHaYxvPIAw26fPdr6/VBClYvmCUeujardccfIpAWMad/I8TgRVVTrZfBtf+uLDOSPj2G0R8v3r+5ev93cqWToyApwdDbCLK8vv5w9ub87OaWTmOLqvGcf3j38e3F7QUdx5JUo7k8u3p78YbOcpCTkYDXQqJ7rF18zE7r1cvqt46xINHN1d/fox6OD3QQ1eShDCUfiTea0lSEAeVDscZUmgk9rHwixshK83x6f/Px4vzq8ooJ5cqLyaxvU9nv92MGPiAw0tAP1Uwd/JDJ7OEfhKI5ADzTp9fvrm5v+ViWvC4Zzg0EwaiOAM2FcQVBKpoziDMdB91hdxYz4AaF5YPt0/t/vP/w+3t6rZOjJKo5hmbCQ//6w29XN1cf3ifHP4g0EM/Aleo7cSx850FRvbn4+OHmKjn8QSZbVrGdds53enZ+e/Xb2e3VB07HApXoMW7VJhwTyHUQ1GO5+O+rW15XP0rq0rA600FQj+X3q9tf31yf/X72dnr229nV27PXbznPLKAmCyduzkthUqc+Qp+f3rw9u/mV9YQ9Bdq9TsDmKdBju744+8hiOggKWQLfjb10v48JhzG+gEK4cJMKngK1TnaS6ONnQ1NBmvdnaVceBDoIKzAdH9PwvStMUAfLjLSQilROXUsFbGcvp2JotBUVhQyzRIiR0VYJSbJj19q8FnQ4SI3pV4DASJ0qVDO1R0EmC9abQSzqpIvmwnSmIBWtJ8WZXv1kxSz+nWRl1ZnmvpiF3joRXEkGbOpbN9GiK55YooRXWrZWRmGmJZ9mJ6uE0xrDIenFlCAq71ZqPElFuJSahsN7Ro4wH8geOpEr9cJcajfquZer91qlGBNPEaqpgJaIHSQ2c8ffgFuz+1IjHhe2KiSfEO5NwoxmdO0nlNF8UJA4HFTNmudVx8KxZTWZinX3eFs8MIiOkpo85RMDZSukSeE7XzwM2fmGmbzjv+5t7SDTrgxz5A4rtC7Ej9dqFWRWbS2wrcOVqL0vr/xYW19wxeSdL99edr40hERLmUaJ4Hf+z7evGH1Ybe+yxbw+7QiM/Ma/XzfrhX/XZvb0k2AizUSQLhVXl4JkhpwU0q5cmnrd3ZhZnbzzI4Xr6crEvA0Cn4qFCrSvTI/avyp8pwM1ogeFRxvNUL3EkTy0MxQmrcp/mOf3m/9wiU4cHRy4RF/rv8r0D5M4TxtjdHRkYFy35gb98kUM1FeUgXZu7tYPD/ZXAsictooMhJuSH4vukQ9oacjAtyy+9l/IujZdU6YuKIiBQqoyELf1ukldkxXDPMhnY/vNNG0yIE8jHtXokIZmkPO6ui8f1o3ZfADsP9u6Ik0pIenR55goCHPSCTZN6Lx/uSCMdgzxiaVSBT2H/0cZIpwQmPYQZwiUJewpg2kDbQ5BmcCdVJgWUHw2ip/nxEX0JK9OMILp5vG2uCcj9vPD5gum6fMAdml50ubNxeXZp7eJY/hgtZOjKP5eHttSOIl0dn17dfaWw3MUVeTBntLwcehHNAI0Vmex34xzPkEFcw2Ly7vLxfX5qx84tU72krjW8AwN0fzy6pSLsxNV5jk9/eknLlAvq0l0/unm9sM7FtBBVMwzjHLfX97uS6LiWr/8aJFsoGpi7AoYHMosJrMlcaKTipAqAVQlZt3n5V29EPEdVOQh3Mh+ur4SIR51qDF6d87Vn01FGgOQxGijIFg59fI5yGz2SEhRkcYCqEw+GpKMtPHAoOzqrljcrFerRSLFmUR1NSnyDkfHu/WiK+lDJCg22jiJExAHS7gVQnmCplTAO9mpkSGmn7ETL6AeLyShtGV/7tz1iMu1QSLjJdiCtVOzaqDloQ0dxFGKJNnJQQsfMOHyttcUpTZnEaAHNdlI59izImlaV1U24oeiXSQvaUrTHtVkI20/l6vXRTd7TGcak7gDXZrMQV80R+4je+XH90Jz0W6yb7CG/wGZuM5njtxsum/q5RnJ+8CYrp48rF2tQWprUeOEx8R+7j9eBEYYIEHhkUdLnIM1dMLtEnjy+xvVUBfuEbBPfMUaZqRm+7tE2EuxYKdsBOql6R5r1NDDgR/0jdHizYNip+m1jcGNnj+Q5IzJhM2O99VIeI7bJtDDPny7C0Bw23b5kT21VzXLOTsGs1NdcSJSogtQJU9zJfhoSS4yITrFlcBkJLgwrMGR8MurU9pQOAqMPxYGdXMHg2WzfDTATLzhYOlSHA8BQuaAQDOitkFSkMR9EBRlcCxs9j5pg8GSGH80DCvnDgfbbG5aNwVFyeiCupBPcfcON/oRWsVHfn7DmlkPz7ZWHG8GiFgRpq1LLaYMAnKiyCgh3Lf+a10j35TyyyttErwt2+74sbf9V95QTFHR0Tp/moI4EOItIul0aFRqB4wrjg+XRbksE6MZz71Xlp16VTxo9YuTXlcOZmi0Wfe+4scZIDTqCAvVzxhbkP2yvpmAo/dKSKFGf0yBUnsiijPVB69Nu14QW3kn82I90Kpe2AF740NLcKuklPBkoEyAm+iLlfnafSwezPYIgxh7qE2VGxeNYHtoSPKFYxFZbw02R+DpP3rldZhPQMViM3T7MsoQdo/G2+Bc7bX7UNLhoySYW5MGIuxY3/uG7O4N8N8H330ikkxgXbhX0IetEcfVAc2DODcLI0ccalFF3Hyfsi/bsgkHSlQB16u5wmMeahEjWsP3tfMJLMooDkhqDObNI+m3oz2nJCSbJHSj2jbUaHATW5ECo5kj0spNfQuFg3ywSVg17hhypNkih/SfV7tLpt7Uy6JMzKmDwuMdzQfqpZ7KH9jJP5AfZqGdxR/oiQc+T5iXQGNoT7S3PWl0s8eirFLprhjdUUGetivvn8vqAffBvkQreqoyELdFan0Tg+yldbiC/uKyNAvsE9+WHd9bHKvlOoudkXJf4ZHwXMVOTeKcgKB9TviNhN3j6MMswi6HKzHyLhpQOWsjbWC27Mq1FBr9zjVQY2IpXnflfbk7H/UJt3sbI/a05eI2m88A34of/4mtJzvrZbnokpeioIkP2rJy72rhDnEH+qgqF3G7v93/V1PMxS3ta1PkHvrVT/ZqF+VXIYnR/GqwcqJfBc3W8FUpQK6vAvVqjaMkNGcccYmxHgsHTfdYOO7hOLo2D2XbmYb0vmZAaLTRFKufOKBC9stiFQQgPVwJKU2sUilvhGC4mW+C8OiTb4BgiAlvfsjaOH0hKqWBKVejornheZQ0+kGRkWdShZEPW87th0ksSi+ElWn1wTQqpwcimf1rMYevnZx9vBqkveFwNCw43mo5wUC+BzPcFoHE/F1TF/NZ0Xa+rAr6SbwCqVlQ//D2P3OZFtGe2a4Hk+15hVRntmizi+NLJy+1xdkUVp7BKmtLzrmWxHdL4U0vWFBrI87RjtmDi+BMQIX0a+GSjmo32BwZITmsMQP6g+k0uQF1GaDnZrWonzW5YY0Z0BtTzJWYB6qywO4Cb82WDunMgL87NKIJD2tUQrecs/NZScpRCVhQyzk72jHOOYIzARWimjLQOmEP5wgIsQF1GaBn1gtHOtywxqzo25eZ1LD32pSQrdHWJ3uuzWrdkUdcWFhj1D2YzqtADjUJqEU1baS1wivhj8VDf8kXKgvjFR9t1QvXTFzr+tbyX3+JAtFefPFVSV95icNRXnZBsNlD9lj82rSrukJ9i9UXYnYr9y483CedA5VPenFiIx2sDr0jULTv6kbQKJOjBmW0/eF8AZulQg73ysoy9lLrrlwcPdSynq8XNtz2Z6DrWH7HvipxURyv97hfV7sjoENt22LI7rjDA2tbFU1rPlWb3Woz7z9zn64ckpKz3NfNsth819mkCY5l5fU+bF5ZMJ9fF7PPuMoHAnKCRf1wtio9zxQEcMvL69+vsc6+lnV7tRleM7PqamvHOYgSFJVTzerqyTTdTdeU1cNt/av5msbxZZgcwCh/KhblvOjqJjzSD0Wio/301TFg+81T2otASn+LqIeMOhJHFmn0iie9GLb2o3iI4950s0cGyF5Oj2QT6X68OhQbfGMYTxbScyTt2vn3Zft9/1VFBvdPp3YnrdquWc9YHWniSosa0738r56bBYNnL6fYWMOHfChjnV4gPV1XgWoHlHQ6oKMpEL33TnqQoN7jT3cQh+rgkg3a+MReqUFkmnWbTlrW1cWqZnk1UIkq4/DFMBIb+s0vGtPF/b3ZWG1EcIAWXcqvZSd4rra4KtdVNbfiIxLTXlSV5+P6blHO7O8Nk5hscT2usr1ZFO2j4TgMW1a1pX4vu8d5U3wp7hZG0LMgNXk4F8PTczzOBfrMHIGzq3ehP4PNEtXk+c+bD+9ZNL2gjMVfxXzZvqMfXsLsfkevX3531XkG9up+D2mFbOoRA0Hlu7P/np69eXN9cXNzcUOpeDKURGH0GqLv029LRMYDwOLKaZAk1lAAA3L1hKq9XK7qhtQPJgcRjfp3+z6k+g8ievVvnNuNic0vQQ5LVOV5VCXxaVSYjYFQ3ZRlH1A5a8GHYyla+yUEFMxeRJ+mpfaNdtgjtEiK3eRraF7LlsrGtPk49MfG3JeReDbM5kirMDrjynwl+7mDiJ6fSUZgQTeDDrpQNK3pyO7uKKNBcNyZJkE4YlpxwBlrTA0l9XrJ9uMzjD6yl1PpIZvvPW/WJMlVPdRVfGENpnUlogLFVZ7aoiiXXCpAWOv5ldXDtflSNHNax/ZENXiOd87d7NR7d9ph0GJatLyBfzcc2S2AKvT8w/Zb7Az/sJfTI/m0G1IMlqOkHs35ZihxG8cR1upL7B6k3G8wqWN4ttX1SrgtCZiEsBmBZbkxzZNpbjbHIZI7hjAUqEGJjt5Eam3TFk+GHiAehTQZbuvLckGMP4aiKuO5LubkNrGENBkum3pJbhVAWKmnvjH3xXrBDeg9aZUZoag2o5I2ERxkVPJ6xXpGy7BODiKqa4nt9115y4m9qB5Pf+rsZn/NCoMLUKGYCRxcYEpIBGIvLUXmAZ/qz8Z7nQWXERyIavDsXpxyL2/GwLhyeiTvL28ZHDspPYrjB+YZMI6wisdZV7TZqRfQqPufm7c2LqkAtpRWzB14eQkbeVNfVUJxpbc3ARr8xiaKod9xpMd1A0H93OzufMXm8/APmzrIAcRQOA9hNWuet68sRA9HBAgHwvqEd+tyMd8V4YRhoLg+5Zei7C7rfr1EAhxK6rO1pnu33UF6XxOzr0NJfba5aconQ+14tpQ+U78v0XWmHbyvRtjVcKT1GRvjvBiBATuI6NAABzkGEaZ/kmNXAH+UIxmy9gp/DyoGTerV8jaqgSqxW9WuKPvgAESAPjqAY4gfwwcJcEfww/WTD4/D7RA4OI7p6UE00lkCiIp3mgD3qFL5NIgHm1FDE2BynwEQSvYTz2Nfh2l9jhdP5SlQY7vwLvtFU13g7/dl8Ayux6RTYW/EJLINLxulgaHvF8VT3QQu5kWD+Qp02Ha3exB5DkI6DLuPBREZDkI6DIhVKURBWJeGOaw4wj4Avw+Gtn+NRkBHDc26mgZOxx5/iur6y+nf/vLjD8fJa7iCOoRo1tUKyXT18KqEQCX9BttbO5SI1OcWl1XtbVNjIUKCMhxs7SqVAddsRKrE3J5Brvid6QrnUgEUgCUlA7E+OoRteV+Ei7B5hSteY1+CWcFwtxuqIrm1nawkfK3ktfnn2iQaFSUuRbv42pmmKhb7zRwSWFhYitUf3zkkWklYYWEp1vYEHYllIKEAQH9Meo9nkwVkPZq4IBNnPy62AWq0/mFJjQqTThEqLawYuEg1VjPmclR61WjDPREugn3CGdPdAgKi6nk+PC0rguJ475SkCMjZHcPTBMTEKNu74mgYAxERwvAkAp4kLCkCso+j4WFgKRmIfQsmgQQWk6Ew5rOUpAgIHWSAxaVVE/2Isv/YbZDgqx+W16v8dzhjkEA4SCmA9FkRamN4YjIUMoRa9c+rrj5b1utUbOcWZFb3xr/4GWNzVIyJcnF9/uqH/bhKx7ZgcX7Vv7w6JdUNlOdW3j2axqyX2yNP3rlEsPqAhBTgmMbAVe+U16v8bDZLZRljUtogybg/JakHdLkous5UZn7bFIksDkZaCHa4oQGVsYtJMUEut+eCsd0WKs2t2Gyj05vEROkUY1fVzR5/Db3f9eqHH7xrFmESvBYJ6I3zjhyJLiaqh4SZ3KJiXJSy6BCTulOMWxV4azpYG+42dFKFu7d9Lqr1El+1I6MBcWlMfP6ASmtUnJwroNKCit0r5kMVJq6OT1X0d7NPLW9iPfMVFSFGhJgY3u5atH6oNLPid5vzNxdNA92UatXoFONWdTj7HvpqH1hzRIoJ8v7ylkIAFudWvTvSE6/vUEZWycem7upZvbgsluXiOem1YlIykKu5qTZnhhKRP1SaWfGHavZYlJXzSUGoSrecvLKki/TLMisNvlMF1Yp/e4paLXJGjIopoSTbPiDArP7a+kITZs6Ay7MrBz60hKOICjJxNi9hbDNFmztQkwkGqLRWxdemXS+I1R9k2BDHVHqiZqegQnWYxvZLa1XMqF0bITnoQxIKAKS6hdXufRZhlIVEVBEw4y0uKMAx89/qxbrqiuZ5c1fvO9O2xYNBJWxQ4lw08KN0IAXuY3OkCre3UZfdM6KHxMQ0UNIDBCitUTEmqg8IaFTvnGBP1h0/tJ6suF6U87J7/q1YrBOVDkpqVLhhTwZ/IQkuwCZxVjdmfmOsN4/BigclNSpEBrxhGS6Ek9WM1z0sKquyT3FgqjwWVamSXrMWAC7FCBRWqhbby2JiSii46TQsJMPYpagxdR9KalS4aUiEYwuJaCBcbr+aha//UF6j8k83bxATSkCCCUDODOomBZ395uQMDpXmVuzc/AlWFr/jE1VBMhazS/ErQm1WqmxTWkqQ3jIkIQfYTjuJaBssLq863VO9spJKU6c35Ac29howHdYuyKzuk//Vb0weLSomQiEczgoIcKtvE8+2L8BU7388D6rDLiWt6I3pCvBbn1B9x8LSapMdd1hSWuHgFstolan7KlOVIk5QSo9L7uT9SzaT/j0hKMJJPlSnGLeq0C0hdj2pG+eQlVgvgGPqc4srVJ2ct4DCStUSrca8vo9ESPcip5ysMmdyIj7uiKwMqr9uqk824oECcrK3YU17tiq3H8P9WDTFcpufTsxPKUkFoMsVmmBbVKPKYnMrzDO+3kN5hcqv9p8IR1dvSygAoOsVvvvM6G0xMSlKqp855cSVYXqYX1haLbJvQcWlVeNqFL/tvjsK9kzuWihxLbREV4PLq1WO6HoRIS0MXFeMimmh0AiUXq2mez+UuBZaoovC5dUqR3TRiJAWBq6LRsW0UGgEmm/C8/tpWocqJLLHAkK6GIS+G5JUBaL14rCsKhSDRfAOU38PAH+Zg9WgCJjozkERTQREV47LKcLgunFKUhGIzCF7+4PcZyNCMoxEz7RLCStC9D+vqKxKXC8DCsuqxdQmeNHk43mfC9582ovckVDiWmiJzgWXV6sc0eEiQloYuE4YFdNCoRGI34yhz8wJQTlOokMOSypUiOiEYHF51biOFxCQV4+tVfxq0u6Vqo6eJcLJq8El+l5AQK96RE+MSamB4PplXE4NhsggeamprRdPZq/r9fP+srd6YdK7vxhpNtj+IlbyAEqKaiAlho1fVqVSxGAJCGhUjxsiQRENBHzNOu8b0YMFjLQSWKIPgsW1qkb0xLCMEgSuP8aklEBI9Su98MLomRhxLbRU3wTLq1WO6Z1hIS0MZP+MiWmh0AhkJ9rpq/8Mi37kWl9jiU9Z2ast6GnreMXlO2rVLl+sb4/G031cVEyKkuhLbjlxZYjeBBSWVovrT2BxadW4Gv9/1u6t144kuRf7d+EzQVde4jZvgkYyxj4yZNnHfmgMGlQ3R0N4prvR7BEkC+e7H6yIXKt3/hmRezc33zaZuVbVqsjKzPpVXr7KCP4vHcHx4q/4mqf4fLErPvNVT+JlxfH0wa95Oi8upuePfs1T+u1n8voJG19UQR4/+RVO6CXl9U+vfyTZvuelpfOz/F/h4L+hLCaf+Aon8OLjvm6iym8vbKdPvfJEnilkW7bXHuoFhevzvK886MsKVZb7lQd+0fFeO7Xjtxel8+defTLPFCfI+PrDvaBIZblffeCXFas8/6sP/sJjvnrCwxeUrvMHX386z5UvyPkVDviSEpZlf/2hX1jG8g+8/vAvPeqrhpv96eO//S2WXfCi8mHbEbQYb1Z85mucxMsP/erpG58d6tctJJ/dqzH2oHzxEKjToT7P+mWHXJOcnj8gZvyyw/3dP/8hX/j16VX8Nc+XHcTvpx/eF0vMPjkSZvyyw/33Hz7+9ae/fPjrhx9++fD9s8dMc3/pgd//7Zc///jzx///Rcf9PPOXHfb/+PGXf/zxbz88f0jM+KXR/PfbTOIof3/4/QuCmuZ/1cFXsX/50T/7wFf47b/tl3/N3/0bf/XXObSv2v7iI2+5X3Xg+wPjy4P9+SdedQL//P7fPrz00E/zvuqg/+3jXz+++Gpvmb+wIfjLzx/ef39bBPHTL8+XrzT3lx34n97/5U8//vzXD9+vxSuePXb1gS+tsz/97aeffvz5lw/f+4S8F9Tb+Qded3Pdvuk31GZ79lcd+vcfPv3y8YdYlPOFh08+8qpTuC/6/eLf/9kHvuzwt+FCf/v5uw//8B9/fv+3Ty/pLJSf+LITiB1b/O79lw/vv/vzC86g/sirQhBroa7VsV8ahvRDX6WuX4t2/Mb6fv/UF3amomitnW2e3OzP966e++QXVszpltlP6+LjjtnPff3f//jxh399/+nD3/3tlz/fRs19l9rEk8NVH/iyw1drWT454HNrWL7wEP/0/nPy+Pwoket1l/IlV++LD/K//r//8Idvf/8Pf/+Hf/q7//Z/nY6EGb/0N522Yt5+2Et2Yn7p4Q77ISfHfMF2yC9th//5D//7h/+MZRRf3Bgnn/myk/i/P/71w49/e/7AkO8L65Wf/+1vt4fe5/t6kPFVF3izn5de4fRDrzqN//7Dpy9p8IqPffFjezSgL3lu33O+qov/woOmuV/TzTmtDPlZB+cly0M+d9g/v//057Wg++mAe7YvP9Rtjajvf//+l/cvPGaS/8sO/vy+UU+O/PJto5477LO7zzw56os3n3nuoMd9Np4c8EXbbDx7sOMi/k+P9qI1/J893Hl576fHe9nq3i88YL3Q9eeHfH6d6xcetFjU+fMjPrOm87Ntarqy7tPG9Liw7gu+/iWV2teozsq1V/E4p6VXnzvIx0+hlb/PVvt+ciDI96UH+6cfPvz1xx8+fnfbj+ef//zzM53nIv8rnqv+7p//8Pfxnum5B6ynOV9REv/up4/xNcd3O59nfdXLpJf8yM+zfuFlDXJ+2YX9PO9XeU/3ooMfPvOaix0jjV9+xT/L/+W16ssO+5UOeK9pXnTMLPPr2/+X/dziA68raPu2Ob+luJWf/MLb7UX1yVeoSnZje0mwn1lm+De0rC88JmT+wgL2+aYtx+KVZv+yQz+3mPOTw750Leff1BkrdpuoumTPbDbxWx8fnv/R5Se+8Kn08x2aj8+lafbXNBXP9bG+Qg/rt/WvvmLv6vYVz/2+J3m+sPLL9xt/WvGdtxp/7gBPXnSdjrJne33D9oJqJ8v9mrLoYws/VDuufFYoMfvrwPwFh/086+sOeSfFD//4849//d8+/fjDbziHw2df0XlbX3LbZPvZ7tue9yvgRroSewUcx5XYn1XP5/fdfiqfL992+9n+xEu2FnrapfgtOws9Ww+/eNvzp9Xxb971/DfF/AVn8Jv2R3z21vM64947fMn9VnzglYf//kX1TZb7NQf+/F3Vi8/i9NHXnNI//Mvf9+vFZwG5X3lg6e23HHnL/spDt0b0W46953/NwaML+cIj75lfc9j/828/vqhpT3N/2YFvm1d89qbh0wvO4bkPfvnpPHlEfOmJ5B/5OqdQbJp8OINndkv+spC87DQOn/vCTmdMe3i4xLHH+XneVw0E+XW+6/PHrj/yatT4Ladx/tgXnsr99ePvf/zr+4/ntxefZX3lIf/x44e/HN/9fJbzNfXfKkAvrgE/y/+FI0uf7sz2goMX+b90aOO/ffz0y4eff0Nnr/7Ia37/bziB6gNfayjRi5z2/LGv0O1+mVp/XSXe7OpFNU75iVe9FdoWRHvx+6H8U1+qjv+2pOYFBTLL/NrD/suHTzcyfma0RJL7lab8Ik1+JSI970av7TC8oJ/wxYe4DXd6yWAPyPelLdN//vTLj88DJuT7wtv/4/tfnj/Ulusr1DMvrl5edTh/XHnuUPdMx8P88e3663f/9ebfP/z86XZmv3vT34139ubtmz/dOiKf3vzumzj42zff/fjX26jIN39caf/Ph9uM5VuOyPK/XG/efnO9FX53Tf7jH99+c/+EJ/h/eLb25u037S3JO1LZsrUtW3/z9pv+lvo7tr5l61u28ebtN+Pt1Hc0tlxjyzXfvP1mvmV5R7Jnm1s2evP2G3pL890F2WjLxm/efsNvmd5d++/kLZe8efuNvJXrnY39d8qWTd+8/UZvP8CYtmy6ZbM3b7+xt3S9G7Yf1PaLe7vW7coyNgiDx6G9JXrHAoHYI9FuV7z17Ke0PRhtVD+m7fFos/o5bY9Io/r37EFpt6vfRnqWe2CalGe5h6ZpeZZ7cJrVZ7nHp1/lVe97fLrHZybFrMON4uGh7If3PTz9FoTG2X3Q9/j0WxRaWnr7HqDuAdLstu97gLoHyNKce4D6LQw9rUr6HqF+i0Nvac49RP0Wh97TnHuIxi0OfWQ5xx6icQtEn2nOPUbDazNKc0J9dgtE5zTnHqNxC0SXNOceo3ELRNcsmmOP0eDq1hh7iIZUt8bYIzS0vDXGHqHhEbK3NN4Nsj3nHqF5FZX+3OMzb0EYV3azzT0+8xaE0bIrNPf4TG9w+luyd0Ztzwltzi0IY7zl8e7C89zjM29BGPPtlHej77987vGZXF6juQdo3sIw0lph7hGatzAMfkv6DvLt8Zm3IIy0Tph7fOgqvpH2+JDHR7P6iPb4UK++cY8OeXQsO0fao0PeJbjSnNApoOrYe2zoFoCZ1kW0x4ZuAZhpg0p7bKiKDe2xoVsAZtr40R4bru4d3mPD9b3De2y4V70m3oPDtwjMmZ0k78FhDw695fZu6N774z04fIvB5Ldd3vUJR4dOm4dHstuR9/CwVJdoDw7fYjDTpo/38LCHx7Iu4x4duQWB0pZP9vjILQjUsntH9viIxydt+WQPkNR1m+wBklsUKG0jZQ+QeJ867XvLHiC5RYHSNlKgZ32LA6VtpOwhklscKG0jZQ+RWNXyyR4i9RCljanuIdJWdu33CGkv20jdI6SjanZ1D5B6gCwr7boHSKko7bqHR7l6INM9OipVfaDw5HOLAKeFXffgqJUFU/fo2C0E3JI7zfbg2C0E3LOMe3DsFgEe2QOr7cGxUTbjtkfHbiHgmVWutkfHbkHgtBm3PT5Wdt1sj4+VXTfb42N1183g4dTKpxrD51MPEKePaRc8oV6temyPpKdZPUrpjR5pT/PegsHpHRxpT/N6pNIORaQ9zUtlKY20p3m5KqeR9DSrVCU1kp5m1bKsRtrTvFaW1kh7ktfpQNLOUvuMFVr9vQgLzgd5J6MhLbggSMv6BA11wRFB0kuGvuCKIDkboDC4I0jagWloDE4J1WWAsLkmVJcBwuaeIGmF0MAamouC5PcaaEPrh7B19KBD2IAcmsOCpE8NDdChOS2IZmEDdWhuC5L1qBqwQ3Nc0LzwAjw05wVNe1UN6KE5MGjar2qAD82JQfNSBvzQHBk0L2UAEM2ZQdOOcgOCaA4Neae6DXQ8h7xUihowRHNsyDoQDRiiOTYU5QYgork35A8LDSyiOTlUvwyi5uiQPzA0AInm7KCSXwWIWphEfv8ASzTHB00fHBrARHN+0FTNGtBEc4CwvKRPBNh5OF+I26y6iA14ojlCFBEGoGjOEEWFDkTRnCLyCh2UorlFFBU6OEVzj7CUfRpYRXORsJ6eLmhFc5Ww/BxALBpVbzAaiEVzl7CUGxshm98CY3kzAW7RXCcse6HRAC6a84TldwTQRXOisLybBXzRHCnyiwAhc6awvEMGhNEcKtp1pacLitE4HsLyuh8ko7lX5JcMKKM5WBSXDDCjcbztSMs54+sOrm9gAI3mcJGzYQPUaBy9/uJFCsTN+SLzqQaw0SReTOUVOthGkwgcpRcNeKNJBC4NBgBHc8ZoV6pADYyjuWS0S/PMEDqJ0Fl+yhA794zWrvSU8WWVeN68XAJ3NEeN1nqeGYIn8dQ28swQP40XVzN9ugH4aBrvFim9coAfLfTj9loqywwBdOZoTdJqGAykuXS0lldBwCBN6VDmwEKak0dR5oBDmqtHVeaARJrqocyBijS1Q5kDGGl21WUObKRZO5Q58JFm/VDmgEiajUOZAyVpNg9lDqCkOYdUZQ6spBkfyhx4SbO4A/M+GJhJCzTpeScM2KRZ7VoN4KQ7jrSedlY6yEl3Hmk9fcXQwU761et7qgOedAeS1tPmoYOedBeSlr8h7cAn3Ymk5S9JO/hJdyRpPX227SAo/ZK6aHQwlH5FAPN334Ao3aGk9fz1NyhKj7EZPX8DDozSY3jGSMtRB0fpMUIjf3/ZAVJ6G3XZ7yAp3bkkq+Y6QEqPkRpFKQJJ6a4l+XNrB0npriVt5K/ugVK6c0kb6ZuJDpbSY9jGyIsnDtyIkRsjL544diMGb4z0FUX/bPxGRC/Fy45DOGIMx8hLHI7iiGEcIy9xOJAjRnLMfNgFjuWIwRwzL3E4nMPlJB3y1XE8h8NJm3mwcUiHy0nLX3t2YJXudNJmHmxwlT5i8E0+qAZgpTuetJkHG2Slh6zkJR9kpY95qLcAV/qgw20NutIHH25W4JXuhFLViOArPcZ7zLwwA7D0YYdKDoSlzwhgXvKBWPqMAOYlH4ylzxhBlZd8QJbukNIoH3MEytJdUlr+8rUDs3THlJa/Ve0gLd01pdFM7yqglu6c0ijt23awlu6g0vLXqx20pbuoNEo7tx24pce4kPTZvQO3dCeVlr9n7eAt3U0lbaVAW7qbSvpKqQO3dIrY5UUIvKW7qbT8ZWYHcOmuKo3zIgTk0p1VGudFCMylu6s0zosQoEsPdEkHKHVgl+600jivPcFdergLUxYQYJce7FIUIGCXzjGAMR/BCPDSuX7J2gFeesAL51UcyEvnCF/6jNaBXjpH+IphjxC+sBe5sgeCDvbSXVhaDqgd+KUHv0j+QAD80oNfJC9FwC89+CV/K9bBX7qUA4Q76EuXcohwB3vpUg8S7kAvPeglf4HWwV66lCOFO8hLl3KscAd36VKPFu7ALj3YJX+H14FdustKpqgdzKVr/QavA7n0IBfJW3Qglx7kInkjDeTSg1wkvzeAXHqQi6aY28FcepiLZu/XO5BLd1XJIbWDuPQQF02to4O49BAXHdlJgLj0EBfN61cQl+6oksYZuKW7qOSzKABbuntKOmynA7X0oBbN7yGglh7UonkJBmrpQS2a18NALT2opegCAbX0GKKi6WDTDtYynFPyl4QDqGUEtahl99IAahlBLXZ9DuYDoGUEtFh7S/zZrxsALSOgJf91A6BlBLRY2hYMgJYR0GLFcHgYFB7Qkr+iGgAtI6Alf0c1AFrGVQ7PG8AswyUlH5oOyDICWfLB6WAsI4wlHeM0gFhGEEv6fmiAsIwYq5JfBTCW0aoXsQOAZbRytN4AXxmtHK83QFdG6Ep+4w/QlRG6kt/4A3RlhK5YeuMP0JURupLXEgN0ZYSu5O8hB+jK6OV0MqCV4XqSt6ADZGX0cl7ZAFcZTif5UIYBrDLcTopaClxlhKtYNmBmAKuMXo8MGzhXJlQlf7IcOF3G4SQfCzxwwkzMmMlng3w2ZcZbuStlhIGzZmLazJU+fA2cOBMzZ6704Wvg3Bl3k37lVSXOnxkxxymb3zVwCo2zSc9fTQ2cRRPTaNJXUwNIZbia9EuyFnQAqQxXk357NZWUTSCV4WrSr7RrN4BUxjy8lR1AKsPVpLesCQVQGW4mvaVIOQBURkytaXmoAVSGm0lveagBVMaMSWp5qwigMtxMesunigGoDEeT3vIqFkRlOJr0lk8YA1EZ7ia95R0KQJURqJJXRKAqgyJ8ecEAVRkOJz2fCThAVQbx6ZQhgA4nPX+bNkBVhsNJz9+mDVCVQTHRMEXpAawyXE56Tx+eB7DKcDrpPW99wVWG00nPX5ANcJXhdNJz4R3gKsPtpBfTCQFWBkcEU/MbACvD7aTnHDwAVkbASnGdAVaG20kfeaUPsDLcTnr+wmkArAyJ2aJ5TQCwMtxOev7CaQCsDLeTnr9wGgArQ8qOC7jKiFEtRU8LZGW4nvT8PdYAWhmuJ0U1ALIynE96/s5rgK0MiejlJQ50ZdQTeQbgytD6SQFoZejhSQFwZejhSQFwZbif9JH2y8BWhvNJz1/QDbCV4XySPwCArAzHk7x7Cq4y3E7SEdoDWGU4naQjtAeoyghVyR/kB6jKcDnpMx2bMoBVhstJUSRBVUaMYyke5AFWRsDKTIeDDqCVEeNYikd5wJXhflL+Pgid+0nP34AOwJVhpWYOoJVhpWYOgJVhtWYOcJV51asfTHCVecXk+rRpnOAqM6b/ZNw3wVVmzP7JhlhOUJUZk3/S6TQTUGVeEbZ8wjWgyozZP8UXwzxuZ5N07ugEUZmOJn2mbf4EUZnOJmkFMUFUZotbTrJzAFKZLcKW1tUTTGW2cpGXCaQy2zicA8StRUWZ9jEnmMp0OemUdjomsMoMVrlNu00m9QOszFZPJpkgK9PxpOcviifIymz1bJIJsDLdTjrlmQFWpttJccbgKrPHkhZpX2aCq0zXk0753QG0Mp1POuXFGGxlOqCkldoEW5nuJ2mlNoFWZoxYSSu1CbQyg1bySg1oZcYqJJQvogC2MmMiUPrTQFam60n+0wBW5qgnG0+AlTlG/dPAVWa4Sv7CfoKrzHG66cBV5igtc4KqzFCVvJYAVZkOJ2m3Z4KpTHeTfMboxLVJwlTyYQMTFygJU+H8OuAaJWEqnK9SgsuUzFhHJn1mnZ+tVDLLK4xLlYSp5FcYFyuZZcdy4molASrVhYDIBahUFwJiF/OB0vYTOGUGp3BeVwKnzOCUfETEBE6ZwSmcPstN4JRJEbr0oWuCp8zwFE7tbIKnzPAUTt/OTvCU6WSSrrIDmDIDU9LiA5QyY0GTfPkckJRJ5aoZExxlhqPkoywmOMrketLkBEaZXE+anKAo06Gk6NUBoszD4JQJhjLDUCR97ptgKDMMRfJ7AwxlhqHksDzBUOaaGJTB8gRCmTE2JRfdCYQyg1Ak7/sAocwgFMleqk8QlBmCIvktCoIy3UnyBVUmGMqUWHqrWF0JwhejU/JZDBMMZcbwlHz+xwREmTE1KJ//MQFR5poalM3/mGAoc80MKi4GhG/NDErHRExwlLlmBqXzPyZAylyQko5/nSApUw/D2idQylwzg9LxrxMoZQal5GNwJmDK1HIZjgmYMrVciGMCpkytl+KYoCnTwaRL2kIDpszAlBR0JljKtLjz8tIGmDLdS3o+WmcCpszAlOK5AzBlupd0zTs2gCkzMKV4VAJMmVZPSphgKdOkfnM2QVNmDFQpSht4ynQz6flIoAmgQo4mXdMKnEBU6KoxjABU6Ir4pX0QAlKhK+KXYi4BqtAV8Uv7IASqQqEq+fR3AlWhKxbHS9tJAlahK6bE5su1AaxQwIqlLRQBrFDASj5ihoBWKGglHzFDYCsUtmJpL5LAVihsxfIIgq5Q6IrlEQReoeAVyyMIvELBK5ZHEHiFWiwfkEcQeIVaOauEQFdoLbCSBxt0hVxQRv7On4BXyAVl5O/8CXiFYo2VKw82+AqtRVbyYIOvUIxbufJgg6/QGrqSBxt8hXqs2ZEHG4SFesQvDzYYC7mjjJYHG5CFHFJGyyMIykIxgCV/lU+gLOSUMvJX+QTOQo4pI3+VTyAtNGJR0TyCQC3knDJaHkGwFoolV/JX+QTWQrHqSr5EL4G1kIPKyF/PE2gLuaiM/PU8AbfQiCe/PIIALjRiYmweQRAXiqVX8hV7CcSFYk3YfEoqgbhQLAubT0klEBdaK8PmEQRxoVh+JV+9l8BcKNZfyWeZEqALxRIs+SxTAnahWCV25BEEdqFYKDZ/iU7ALhSrxeYv0QnXi42JQflLdMJFY2PV2PwlOuG6sbFwbP4SnXDx2FiKJX/bTbh+LMXyvnkEP1tClg79NFxHNuClWBcXl5KliGC+5C2uJhv6kr9BJlxSNqYHFQvaAsCQG0uqbAT8QjE7KJ/xQ+AvFNOD8hk/BABDMT0of49MIDDEsQBS+thKQDB0WGaWQGAopgfl75EJBIZiZZb8PTKBwBBH+PJlfoFgKAgmG2pOADAUk4Py99MEAEPSDtcNBIYcWcbMRjkSAAzF2ixp7MBfSCJ22QQzAn4hicW185sa+IUkFtXJb2rgF5JY4i+vloFfSCJ2+X0K/kJOLCOfkErgL+TEMigVPwJ/oZgilL9nJPAXillC+YRUAn8hJ5aRvw8k8BdyYhmUBhD4hYJfsgGfBPhC9Rq1BPhCWi3yTGAvpOV7IgJ6odNAFgJ7IYu45VUb4AvF/KAiL4QtpgdRuuQUgb2Q1WM3CeiFLKKWF3igF4pJQmn9A/BCMUWoqH9AXshiYfu0qQF4IbeV8krgEuqxllW+JDzAC1+xxH024oTBXdhtJV8gHdiFr15WbAzqwle93DADurC7ysgnETOgC8f8oNzuGNCF3VVGPuOYAV3YXWVwOgOAAV34qldqZDAXjnVY8jaXwVy4RezSPiGDuXAsZ1ucMpgLx3q2nO4NBOTCriojn3LMQC7cIn5pl5CBXDhmCeWLFjOQC7d6GTkGceFY0zZ/EcVgLhzmImn3kcFcOMwlXeCRgVy4HyYtMJAL98OkBQZy4SCXfN4zA7lwkEs+75mBXDiGtOR2zkAu3Km2cwZyYVeVws4ZyIWDXCR9DGEgF45xLfn8cgZy4V4t4MjgLRzb62RtNIO28KgrTrAWDmuRtJfHYC0c1pLPaGawFg5ryWc0M1gLh7XkM5oZrIXDWjS/ncBa2Dklf2HMQC0c1KL5rQfUwkEt+fsUBmrhWQ5JYoAWnuWQJAZm4VkPSWJQFp71kCQGZOFZv2RnMBYu17hlABZeK6/kNxEAC7uh5FPeGHyFw1c0r37AV3j5Sl7Jg6+wE0r6lo9BVzh0JVnRk4FWmA4rdzDQCtNh5Q4GWuG18krajWagFY7tefL1shlohYNWcodhoBWmen4lg6xwLLxSdEBAVjimCOUP/Yz79cSGPcrZ8AHGTXvCVrJON+OuPSEreaebceceHmWnm3HvnoCV4hrj9j0c0ct7QZ/t4BPRS8fhMW7iE2Nb8rVUGHfyOS28wriZD5dtHcAKS93WAauw1G0doAo7nBTtMqAKy+EhAVSFpZ7SzKAqHBOD0um5DKjCgSr5S1wGVGE5tHNgKhymkr/wZTAVdjbJ60AQFdZq/zIGTmE9WCYDp3AMZymqNeAUdjHJO8SAKRyYki9jzqAprOV4aQZNYS3HSzNoCms9XprBU1jr8dIMoMKx8U++VAUDqHDs/ZOOv2PwFI6JQfmOXBC24JR8NXcGTuFY3zZfcpzBUzjmBeVLjjN4CjuapEtKMHgKO5kMy5tE8BSOkSwZrzFwCpvW86kZOIWDUyylDNAUCU3JxyoIcIpc1SpHApoiV73KkYCmyHV4dyDAKRKckg+XEOAUiW2B8gUoBDhFglPy9e0FOEWuckKXAKbIVU7oErAUueoJXQKUIq4l88oGFQpIioSk5A+fApIiriXzSouaAKWIa8m80lpCgFLEtWTm69sLUIq4lsx8xIYApYhzycxH0wpYijiXzCsdVChgKeJcMq98N2mwFHEvmfmIDQFMkR4BTNtmAUwR95KZj9gQwBRxL5n5iA0BTBH3kpnvMS2AKeJeku/EIWAp0suXBwKSIr0a7y7AKBILr+RDRgQYRdYWxXmggVHEsWTm40sEJEWcS2bLyxtYiox68J8ApkjsFJSPRRHAFBkRurwuBEwR95LylCF27iUzX75fAFOk3rlYgFKk3rtYQFLksHuxAKTIqDfBE3AUmRG6dH9GAUmRmCSUlmGQFJnVynACjiKxV1DezoCjSKxim3dqBCBFYhXbvFMjYCkyy61nBCRFXEtmPthIgFLEtWTmg40EKEVcS/IdWgQkRZxLZr4UiIClSFhKvp8qaIqEpuQLkghoioSmVGcB0YudjvOFMgQ0RUJT0gd9AUyR2PA4H0olgCmy9jzOt3cFTRGK8OUVEGiKxDShfCiVgKYIR/zyOgU0RZxMZr54iYCniJNJXgGBpkjsHpRWKoApwrOugMBSJAap5MunCFiKxHbI+WAuAUsR55I58vIGliKxLfLIyxtYinA5C11wa2QXkznSpxrB3ZHl0Nzh/shuJnNQep/iFslSvy8X3CTZ0WRmkCC4S7LUA4wE90mOdVaG5OcLoZMaMQU3S5aIXPqyTHC/ZEeT6oshdBqhs/SMwVRED6EDUhFXkzmv9IyBVEQPoQNTEWeTOVt+xhA8PQQPUEVcTubMGwVgFdFD8IBVxOlkznQ5bwFXET0ED1hFnE5mvhCHgKvIYcEVAVgRO913ACsS41TSewlYRWwe7g9gFTE6lHmAFTE+lGOAFXE9qcom0IqYHsob0Io4n1RlCGxFYy3bvFwo2IrGFKF8FRMFXlEnlDzWCryi16hjrcArepX1pgKu6EV1rBVwRS+uY62AKxrrruSxVuAVjbEqeawVgEUvq2OtICwawpLHWoFYtLVDrIFYNIglXy1GgVi0neIHxKKtjh8Ai7ZT/ABYtJ3iB8Ci7RQ/ABZtp/gBsGg7xQ+ARfspfgAs2k/xA2DRAJaZopACsGgAy9S3g9+RYWaIX5+HYIOwaKcy2CAs2g8dFwVk0UCWItiALNr1EGxAFg1kKYINyKKBLEWwAVk0kKUINiiLhrIUwQZl0VCWacmjvQKyaCALXbeXftIwM4QvkIXa22nvJlwLMBaNPZkpfQxQUBYddd9FgVk0NmWm9NWNgrPoqPsuCs6i4SyU9l0UnEVn3XdRgBad/XDGYC3qnjLz1Y8UsEXdU6qzgOBNOp0FRG9G9PL6HrRFQ1uqb4bwhbbkqxopaItOO9REwC0a3FKcBnCLUqvvEeAWpX64R4BbNNa3ze8R0BYNbcmXQVLQFqX6wUFBWzS05SYzSa0F2qKHoSsK2KKBLfm4ZwVsUTrcfGAtGtZSnDFYi4a15Gv6KFiL8qHnCdiiPE5nAdHjuPnyGg68RcNbqm+G8IW35GsLKXiLhrcU9wh4i4a3VKcB8WOr7xEAFw1wKe4RABcNcMnvEQAXDXDhvFYGcNEDuCiAiwa4cLqEgwK56IFcFMhF19K2ed0J5KIHclEgFw1yqc4YgrfIJa9nwVxU6z1MFMhFF7nkZwHmomEu+WpoCuaiy1yKb4bwBbrkA9cV0EUDXYp7BNRFQ12q04D4hbrk9wioi4a6FPcIqIuGuuT3CKiLhrpIXiuDuuhBXRTURUNd8uFjCuqih9lBCuyiwS6Sd36BXdQONx+oi4a63JZ8ys4YgmeHmw/QRQNdZOZfDMGzQ8sH5mJhLvn6UAbmYodlWQzIxa5D8AzMxcJc8oAYmIuFueQX2UBdLNQlv3AG6mKhLvnySQbqYlcdPgN0sUCX6mIoZLbTxYD4BboUFwPQxQJdiosB6GKBLpJW4QboYoEuxQ8EdLF2uP0M2MWCXaofCAEMdql+IAQw2EXS1sGAXWyxS1qHG7CLBbtUVwMiGOxSXA1gFwt2Ka4GsIsFuxRXA9jFev3YbqAu1g+P7QbqYr1+bDdgFwt2kbRZNWAXO2wqZKAuFupym6j0uWAYqIv1uv40QBcLdNF0mWUDdLHDyBYDc7EwF03HDhmYi4268TMwFwtz0RRzDMzFRt34GZiLhbloXtzAXOxgLgbmYmEu+XJnBuZiB3MxMBcLc1FOvxjMxQ7mYmAuFuaSzxUwMBebh+ABuViQS1GOwVwszKUom2AuFuZSlDcwFwtzKcoQmIuFuRTlAszFwlyKWIO5GJ3iB+ZiYS75lAwDdDGqH9sNzMXCXIqYALpYoEsRE0AXC3QpYgLqYqEuRUxAXSzUpYgJsIvR6f4DdrFglyomEMBwF83re3AXC3cprjO4i4W7FNcZ4MUCXorrDPBifKo/AV4s4KW4zgAvFvBSXGeAFwt4Ka4zwIsFvFj6iGYAL8YH9jSQFwt5KYIC8mIhL0VQgF5MTg0g0IsFvRRBAXuxsJciKGAvFvZSBAXwxQJfiqAAvpjUD+8G+GJyeHg3wBeT+uHdwF4s7CWfkWOAL3YY72JgLxb2ko99NrAXO4x3MaAXC3qxvAsM9GKH8S4G8mIhL5YXC5AXO4x3MZAXC3kxyl4NGMiLHca7GMiLhbxY/rwK8mIHeTGQF7NT8EBeLOSlCAjQiwW9FBcZ6MWCXooLB/ZiYS/5bmEG9mIHezGwFwt7qS4GhC/spboYe/zaFfqSX42VumVv9fVYqVv2iGLa41mpW/ZR/86VumU/3IcrdctOx59KmJ2PP5Uxe2w9lHYkVuqW/fA0v1K37Ha8MhjVMJnqyjSMaqhMdWUaRjVcproyDaPa6uf6lbjlPjzZr9Qte/1svxK33L7JRr757Urdstf36ErccvvaV1dqLit1y15XsyvxaW5nGLpSo1mpW/a6ql2JW+7uX14Ul44B7XVbuRK33NO/PH2BtVK37HV7uRK33Hy65h0D6ihTX0WMaNfjdcGIuszQlUr2Sn2afdQvnVbilrudfunAkI5++qUDQ+pEU/7SgTEdEdO02V+pW3Y6njsGdfDx3DGoQ47njkGNrYzy+YErdct+eBZZqU+zz+v0UydGdbbTT50Y1Xm8USdGdZ5q3olBncead2JQ56nmnRjT2N7oKnoCE2M6TzXvxJDOCGk6Q2ylbtlPNe/EiLriUCvaDMKI0qnmJQwo9dOZEwaUYt+V9FlppW7Z6+FRK3HLTcdzwYg66FA+DXWlbtnl+O0YUkcdaukQkJW6ZT/epYQx5et0Mowx5Xqw1Ercch+GS63ULXs9YGolbrm95m1Fa8oY08NavCtxyx0hTfeQWalb9tNNyhhRjogWbQZjRPl0kzIGVK7TmQsGNBaQaUUbIBhRqS12JW65x/FcMKISES1qRsGIOvjU344hlQhp8VgiGFI5DKZaqVt2PZ4MxlTqAVUr8WluPQypWqlb9npQ1UrccnvF29Npuit1y37q8iqG1A2I8hm1K3XL7iHNF/BfqVt2Pp46htQtiPIprSt1y16vJLoSt9ze5e3Fk6NiSO3U5TWMqJsQ9aI/bRhSO92lhhF1FirP3DCkFiEtai/DkB6G7KzELTcfzwUjahHRovYyjKgDUf3tGFKLkBb1EQJSW1Om8hqjISC1WN+3OJmGgNQCkPIao6EftfCjosZo6Ect/CivMRryUbviLs1r0oZ81IKP8hLQUI+a+xCN9CXGSt2yH27ShnjUnIdopC89VurT7O1wkza0o+Y6RKPnX4521NrhJm1IR811iEb+vNPQjlo79Hcb0lFzHaIxizPHgLZTQJGOWouA5i1jQztq7RRQpKPWIqB5ZdTQjlo/BRTpqPV2KopoRy3sqCpcaEetj1NxQTxqgUdVAUA8av0YUtSjFnpUBQn1qIUejbzebahHrZ9iinjUAo/Ky44xdR8qLzvqURvHuxT1qIUeVZcd9aiFHlWXHfWohR5Vlx31qIUejbxBaqhHLfSoupCoRy30qLyQGNTQo/JCYlSHHS8kRjX0qLqQqEct9Ki6kKhHLfQoXwZ3pW7ZD9MgV+qWfZ6uO/JRm3S67uhHLfyouu7oRy2WEq6uOwJSC0AqrztGddrxumNUY5BQ0YlBQGoBSFUnBgWprclZeScGAakFIM0csxoCUjsBUkNAagFIM7fPhoDU6NSgoh+18KN8HeCVumU/Vb7IR82BiGZRXJCPGp8aVNSj5kBEs+jyIh+1w3ytlbjljoDS5zOKV9qW+RROtKPGEc50KMlK3bKfwol21DjCmW7zulK37Kdwoh01jnAWLQbiUZNTONGOWthRVcrRjprzUFluEY9a4FFVEhGPWuBRVbYQj1rgUV5akI5a0FEVf6SjJseIIh21oKN8j6eVumU/cGBDOmqOQ2WMkI6atlOM0I5a2FEVI7SjpuMUI8SjFniUxwjpqOnxHkU6akFHVYyQjlrQERWtBdJRi82fyquOIQ07Kq86xtSu01VHPGp2rHURj5r1+qqjHbWwo+qqox21sKPqqqMdNechyvcoW6lbdj510xCPWuBRFSTEoxZ4VAUJ8ajZsSFFPOrXdQhSRzzqgUdpkDrSUb/6IUgd7ahf4xCkjnbUw47yPl1HO+ox9Kjo03W0ox52lPfpOtpRDzvKV5pYqVv2Q1Pa0Y562NFtUYHkBXVHO+onO+poRz3siIrwox31kx11tKMedkTpsNmVumU/9I062lEPO6KicKEd9ZMddbSjHnZERVFEO+onO+poRz3siNKlYlbq0+wnO+poRz3sKJ9ev1K37KeAIh31oKN87YWVumU/BRTlqIccVeUc5aiHHFUlF+WohxxVZRHlqMe4o6p0IR31oKOqvCAd9aCjqgQgHfVxjCnSUQ86ytemWKlb9sOLtY5y1EOOqiihHPWQoypKKEc95KiKEspRDzmqooRy1EOOqiihHPVxvE9RjnrIURUllKMecpSv3bFSt+z9dN1Rjvocp+uOctRDjqrrjnLU57HuRTnqIUfVdUc56iFH1XVHOeohR+V1x6iGHOUrm6zUp9np9HKtIx11aqcwIR31GHxUhQntqNOxQUU76jRPYUI86oFHVZgQj3qMPqrChHrUQ4+qMKEe9dCjoneHetRj8FHVu0M96mupn7x3h3rUQ4/y9V9W6pb91KSiHvXQo3ypj5W6ZT81qehHPfyIk8XuVtqW+dRDQj3qoUdcFBbUo37So4561EOPWPO7CPWon/Soox710KN82ZaVumU/hRPxqMsxnIhHPfAoDxDSUQ86qi454lEPPKouIuJRDzzKV3BZqVv2U0DRjrrY8bJgQAOP8suCdNSDjqrLgnTUg46qy4J01IOOpOhMIR31oKPqhyIedT3coEhHPeio/KEY0KCj8odiQIOOpOiPIB11PQ337EhHPeioui5IRz3oKL8uCEc94Ki6LkhHPeioui5IR91OzIBy1O3IDChH3U7MgHDUA46k6LogHHU73aLoRj3cKF8oZKU+yT6uQ507kI1GsFG+wtBK3bIf6tyBbjTCjYozH+hGw2mI8gV+VuqW/TCObKAbDaeh+lwYs0dE8/EMA+FoXHr8dsXsEdL8JcxAORrt1NUdSEcj6Kg6GaSj0Q7jyAbS0WincWQD6Wi0wziygXQ0go7yFWZW6pb90DEaSEcj6EjT5XpX6pb9cJMOpKMRdKQtqRcHwtE4wdFAOBoBR/lU+5W6ZT/doghHI+BI88eigXA0TnA0EI5GwFG+pe5K3bKfwoluNPoxnOhGI9woDxCq0Qg1Ki85xjPUqLqIqEYj1EiLOhfVaIxTQBGNRow3qi4LqtEINcovC5rRCDOqLgua0QgzKi8LBjTMSIvqH81ohBmVPxRDOg43KIrRCDGqfiiK0Qgxqn4oitEIMcrXH1qpW/bTWKOBYjRCjKrrgmI0Qozy64JeNMKLyuuCEQ0vKq8LRnQeZGEgF415koWBXDToIAsDtWiEFuXLEa3ULfvpFkUsGoFFms+wGohF4zTQaKAVjbCifDGZlbplP9W5SEUjqKg8cwxoTFTLly9ZqVv2wziGgVQ0Yp5adS5oRSOsKN8BeKVu2fvx2zGkgUX53r4rdcs+T7c0atEILSpPBmMaXlTcR+hFI2aqVfcRetFYq0Tn9xF60QgvyncQXqlPs5+8aKAXjfAiyx9dB3rROHnRQC8a4UWWE+1ALxpyukkRjEaAkeUPxgPBaMjpJkUvGuFFlvPvQC8aJy8a6EUjvMjSDTJW6tPsh8WjV+KW+xYyLpagGAhGQ08BRS8a4UVVaUEvGuFFVfzRi4YeI4piNEKMqhihGI0Qo+qqoxgNNyHONz1eqVv2U72LYDQCjKrriGA0Aoyq64hkNIKMquuIZDSCjKrriGQ0YrRRdR3RjIarEOf7Qa/ULTsfrwwGNdCovDIY1BhtVF4ZDGqoUXllIKozRhsVV2YiG80r7tS8vZvIRnNNVcvbu4luNK/TrTrRjeZ1ulUnutG8TrfqRDia1+lWnQhH8zrdqhPhaF6HPu9EN5rXqc870Y1mO/R5J7LRbBHTvK2eyEbzNOJoIhtNhyG+ipAiG83TiKOJbDRb3KecX3Nko3lio4lsNB2G+CqKC7LRPLHRRDaaTkN8FYUL4Wie4GgiHM0eAc1f7E6Eo3mCo4lwNJ2GuFj6YyIczRMcTYSj2elUWhCOpttQGX+Uo9mPEUU5ml1PMUI7mt2OVx1D6jrExbIlE+1oHhapXolb7n66jmhHc4zTdUQ7mu5D5XVEPZqDTtcR9WgOPl1H1KPpPsTFkisT9WgOPV4ZDOqw45XBoLoQlVcG/WjOdroy6Edz9tOVQT+aM+7Uoq1GP5rz9Gw60Y/mPN6qKEhzHm9VFKQ5j7cqCtKcx1sVCWnO462KhDRPc9UmEtI8zlWbSEjzNFdtIiFNipimW6av1C2736kt3TR9pW7ZPaYt3TZ9pW7ZT+0pGtKkuFHTbdZX6pbdQ3pbAibNjiF1JuLbmi5pdgypMxH3K8+OiDSdibhYvGQiIk1nIi4WL5mISHOtdpSXRjSk6UrEt7VL0i/HmPJhm6OVumU/GNJEQ5pHQ5poSPNkSBMNaboScS/KOhrSlNPL0omINCVCWtwaiEhTIqTFrYGKNN2JuBeFHRVpSsS0KOzISNOhiHtR2JGRpksRj6KwoyNNlyIeRWFHR5pORTyKwo6QNJ2KeBTFFyFpuhXxKAoBStIMSRpFVFGSpmMRjyKqSEnTsYhHEVWkpKmnvi9K0nQr4lGUAZSkqRHU/JX5REmabkU88wWSJkrSDEmaRe8UJWk6FvEsOmFISdOxiGfRM0FKmnZsUZGSpmMR5/vNr9Qtuwc137J8pW7Z/VbNd71eqVv2w2CViZI07VT7IiRNOy1MNhGSpumpCCAkTbNTEUBIous6FAFCSKKApKIIEEISXaf1Awkhia5xKAKEkETXPBQBQkgip6KqCBBCEp1WPSJ0JLriRs3rGEJHoiuCmtcahJBEVwQ1bzkIIYncipjyIkMoSbS2j88LJKEkkWMRU97QEFISBSVR3tAQUhK5FjHlDQ2hJVE7TXYitCRyLmKab4k/X++bEJPIuai3K3nbTkhJ5FrEt0kF6VXHmIYlEb+l/o6tY3aMaY+Yylsa7wYZZEdMosCk26QCenfhVURLoh4hzd9YEmISBSbxlX85RtS5iLnl1wUxiQKTuOdfjgENS+KR58Z4BiXxzHNjQEOSbmNts9wYz4Ak5jw3htOlqLHmVxwdiZyK+DY0N7uGCEkUkMT6drZ3XQmzYzwDktiKb8eABiRJUb0gJFFAkhTxR0iigCTpRXYM6WHvs5W45faQSlG7oCNROJIUDRI6Es3TswyhI1E4ktDtuUoNTwYdicKRJO/1EjoShSNVZQAdiWYEVdKdEAgdicKRpGjA0JEoHKkYKUroSBSOpLlWEzoSxcy1YiQ6oSNRzFwrxjkROhLFqtnpkCtCRiKHItaicURGopi3lo7PJ1QkCkXSoq+GikShSFr01VCRKBSpGP1JqEjkUMTFqEhCRqJgJC0KLzISBSNp0Z1CRqJgJC1KIzIS8WGX0JW6ZY+YFoUXGYmCkYohXYSMRC5FXIy6InQkirFIIy0xqEgUijTyt5uEikRLkarrgjF1KGIrampkJHIp4mLQFaEjUayaXWzNQuhI5FLElosDoSORS5EW7SkyEgUjWe4ThIxEMRip2AqBkJHIoei2z1l6LhhTd6KhRW4MqRw7vIhIJIcOLxISybHDi4REcuzwIiGRHju8SEikpw4vChLpscOLgkR66vAiIJEeO7woSKSnDi8CEumpw4t+RHrq8CIfkZ46vKhHpKcOL+IR2bHDi3hEduzwIh5R4FHVg0U8osCjqgeLeESBR1UPFvGIYhxS1YNFPSI7QQPqEVlUukVDinpE7kMtr0PRjijsyIpWF+2Ij+tlM9oRhx0VVRGjHbHrUF4VMcoRhxwVVRGjHHHIUVEVMcoRhxwVVRGjHPHFdVXEKEccclRURYxyxCFHeVXECEcccFRURYxwxAFHeVXE6EYcI5DyqoiRjTjYKK+KGNWIQ43yqogRjTjQKK+KGM2IXYWqqojRjDjMqKiKGM2IYwBS8dzFqEYcalTUXIxqxKFGRc3FqEYcalTUXIxqxKFGRc3FyEZ8GoLEqEYcamR5J52RjTjYyHLzZGQjdhlqeelCNeJ+WmiOkY042Kh4UGd0I3Yakit/cccIR+w21PIHKUY44gVHeYTQjXi5UVEY0Y3YZUiu/OmV0Y3YZUiKAbeMbsQuQ3KN22uS1iZmx4iO0ytwRjdilyG5ZvHtGFOnIbmoyI4xHRFTLrJjTJ2G5JIiOwY1BiBVYUI4YqchKXYgY4Qjnv103RGO+DiBjRGOeM7TdUc4Yqeh8rojHPHk03VHOOIpp+uOcMQxAKm87hjVGVHNIYARjthxqLzuSEdMp9cwjHTE1E/XHfGIaZyuO+IR0zxdd8QjJjpdd8QjDjyqrjviETsPSTF4lRGPmPR43TGqxw3XGPGI+Tpdd8Qj5na67ohHzP103RGPmMfpuiMecQxCqq478hE7EEkx2JWRj5j5dN2Rj5hP78EZ+YhZj9cdo8p2vO4YVblO1x35iKWdrjv6EcvpfQyjH7ELkRSDYxn9iOXYriIgsRzbVRQklmO7ioLEcmxX0ZBYju0qGhLLsV1FQ2I9tqtoSOxMJMXQW0ZEYj22q4hIrMd2FRWJ9diuoiKxHttVZCTWY7uKjsR6bFcRkliP7SpKEjsWSbETJCMlsR3bVaQktmO7ipTEdmxXkZLYju0qUhLbsV1FSmI7tqtISWzHdhUtiS3a1eLRAy2J7diuoiaxHdtV1CS5Tu2qoCbJdWpXBTVJrlO7KuhJcp3aVUFPkuvUrgp6klzRruYjkQQ9Sa5TuyoISnKd2lVBUJLr1K4KipJcp3ZVUJSkndpVQVKSdmpXBU1J2qldFUQladGu5it5CKqStFO7KshK0k7tqiArSTu1q4KsJO3UrgqykrRTuyrIStJO7aogK0k/tauCrCQ92tX8eVWQlaSf2lVBV5J+alcFXUn6qV0VdCXpp3ZVUJakn9pVQVmSfmpXBWVJ+qldFZQl6dGu5s+rgrQk49SuCtqSjFO7KmhLMk7tqqAtyTi1q4K2JOPUrgrakoxTuypoSzJO7aqgLUnYUs+fVwVtScapXRW0JRmndlXQlmQe21W0JZnHdhVtSeaxXUVbknlsV9GWZB7bVbQlCVvq+fOqoC3JPLaraEsyj+0q2pLMY7uKtiTz2K6iLQkd21W0JaFju4q2JHRsV9GWJGyp58+rgrYkdGxX0ZaEju0q2pLQsV1FWxI6tqtoS0LHdhVtSejYrqItCR/bVbQlCVsq9sMWtCXhY7uKtiR8bFfRloSP7SrakvCxXUVbEj62q2hLwsd2FW1J+Niuoi1J2FLPn1cFbUnk2K6iLYkc21W0JZFju4q2JHJsV9GWRI7tKtqSyLFdRVsSObaraEsStlTsoi5oSyLHdhVtSeTYrqItiR7bVbQl0WO7irYkemxX0ZZEj+0q2pLosV1FW5KwpWLHeEFbEj22q2hLosd2FW1J9Niuoi2JHttVtCWxY7uKtiR2bFfRlsSO7SrakoQt9eJ5FW1J7Niuoi2JHdtVtCWxY7uKtiR2bFfRlsSO7SraktixXUVb0uvUrirakoYt9fx5VdGW9Dq1q4q2pNepXVW0Jb1O7aqiLel1alcVbUmvU7uqaEt6ndpVRVvS69SuKtqShi31/HlV0Za0ndpVRVvS4zQ3RVvSdmpXFW1J26ldVbQlbad2VdGWtJ3aVUVb0nZqVxVtScOWRv68qmhL2k7tqqItaTu1q4q2pP3UrirakvZTu6poS9pP7aqiLWk/tauKtqT91K4q2pKGLRVT9hVtSV2PuqWjEBVpSYOWRk+HWyrSksagpZEO5lOUJQ1ZGnkPWFGWdJxGiirKko7TSFFFWdKQpUHpcHtFWVK3o9ZmkR1j6nY0clNQhCUNWKouDMKSxqClkfesFGFJA5aKlQwUYUnHsfpFWNIYtDTScauKrqThSiMfn6foShquVGzXruhKOk9LECq6ksZkt2KSvKIraYxZKibJK7qShivNfFikoitpuNJt59g0OwY1xizNfOaKoitpuNLM56IoupKGK818vLiiK6nLUauKO7qShisV094VXUljzFIx7V3RldTl6FYlJeN0FVlJg5WqCg9ZSWPIUrFrtyIrqcPRmLeVDEbHyhdVSUOVqioJVUndjaqaHVFJA5UoH1+qiEoaA5aKTZgVUUkDlYr5+oqopIFKxXx9RVRSPs1KVUQlDVSi4t5AVNJAJcqBQBGVNFCJinsDUUn5MNVY0ZTU1agXKKpoSupq1AvLUzQldTXqBUEpmpK6GvVCThRNSV2NevHAr2hK6mrUi+dURVNSV6NePV6hKamrUa+eCtCUNMYrUVEloSmpnIKKpKRBSlRUYEhKGsOVqGgjkZQ0SImLGxtJSYOUuOg+IilpkBIXNzaSkgYpcXFjIylpDFfi4k5FUtIgJc4n7CiSkgYpcXGnIilpDFcqpmwokpIGKXERVSQlDVLiIqpIShqkJEVUkZQ0SEmKqCIpaQxXKrabUyQltSM+IClpkFKxXoIiKWkMVyrWS1AkJQ1SkqIrg6SksXCS5N0BFCWNXdvKX4pBjblvxRwPRVGyEKXiEcVQlCxEqVi7wVCULOa+SfowZghKFoOVJK/xDEHJYv3tfEqQoSeZi1Evdpwz9CRzMaoergw9yVyMWktnsxlyksVQJcnnPhtykgUnSX6fGnKSBSdpfp8acpLFUKVipQdDTjIHI705gjFhZoxoO/WSDDHJApM0r9kNMclizaR8wqGhJVmMUyq61YaWZO00V8rQkmwtmpRPrTS0JDsummRoSbamv+WLmhhakoUlFStmGFqShSVp3uQZWpKFJWle2xlaksU4pWLFDENLsrCkYpcqQ0uyGKek+dK7hphkgUnFljaGmGSBScUSGIaaZKFJ1vJKAzXJYpySFSUSNcnci8TyyhQxyQKTbOa/FDHJnIuG5gskG2KSxTCl26IWn01qNrQkC0syzksvWpIdBykZWpKFJRWTvQ0tyVyL2pVODTakJFuUVIUIIxqWVDyLG1qSzZPkG1qSuRYVj+6GlGQxRKmYpmpISRaUVDzpG1KSBSVV9x1SkjkWzdvydlkRQEqyoKRc8AwlyUKSCnw0lCSL5ber8oWSZDFCqZi/ayhJ5lakxWZChpJkbkV6tfw2RUkyOnV7DSnJHIu0mNhqSEl2HKFkSEnmWqTFbiyGlmSuRfVPxajSqd9riEnmXKTFNiKGmGTOReXJICYZH+9UxCTjiGrR2URMMuei+mQwqsdt3AwxyZyL9CpuD8Qk49OcckNMMo6oFu01apK5F9U/FaPKp3duhppkElEt6jzUJHMvavniDIaYZHKifENMsliDu+pAIiZZLJ50FdUMYpLFGtzzLdE7ls/OBWMallR1e9CSLMYnVX0HxCQLTKr6MYhJdlw/yRCTzLlIW76xqCEmWWBS3jNBSrKgpKpngpRkenycQUoyxyJtxZMVUpI5FjVtaWlESTI9Ps6gJNlxcJKhJJlbUdXVQEgyp6Km+XslQ0iygKSq74CQZE5F2oqnQoQkO45NMoQkcyrSlsuQISSZU1HTvBOOjmQuRe2mK1n5Qkey0wpKhoxkLkVabMZh6EgWI5OqAoOOZC5F2vK6ERipX7GEUr7I3Urdsh+a05W6Ze91VbpSt+yjfAu1Erfcs35yX6lbdqprr5W6Zef6yX2lbtmlruxW6pZd6271St2yW33jrdSn2VvUvGnHYaVu2eM+TXsCK3XL3utWY6Vu2UddVa/ULXv5gLrStszeQ2rpQkordcvu/d58s5eVumV3G7RsUaeVuOU+3KYrdcte36Yr8Wnufhi/slK37IeFfVfqlr0f7ruOAY1llKr7rmNA+2Gps5W6ZafTfdcxpJ1P913HkHY53XcdYxqMVN13HWPa7XTfdQzquE733cCguhRpvvfQSt2y12tjrcQt9yj7DStxyz3rfsNK3bL7bZpvg7RSt+we03wbpJW6ZfeqN9/YaKVu2f1BJn9xvVK37B7T/MX1Sn2a3alI8/1+VuqW3R9kzNJaYGJIY65bVcVMjOk8xXRiTF2K2lXUpRNjGo6UvwpZqVv2eujgStxyR0hTGlypW3Yf6TCKq4gRnYdH05X6NDtdp7qUMKKx/nZVOxKGNCa6VdUdYUhpnKo7wpgGI+UDHVbqlj3u03QpwJW6ZedTR4AwqMFIVWNNGNSY6JZ3BAhjGiOSqk4GYUxP09xW6pbda958I6yVumX3NdVneuaMEQ1CyofgrtQtuw9doZRhVuqW3SOab7K1UrfsfCrrjBGN9berss4Y0SCkfAuvlbplP3DvSn2aPQgp3/FrpW7ZfUASpy/zV+qW3WEw3yBspW7ZI6pFMyAY1TCkUZ0MRjUmuVXtgGBU5QCDK3XLfniBulK37BHVlO5W6pbdTmVGMKprEe6i96gY1ViEu6pOFaOqEdXigUAxqg5FOot6QDGqwUizuLUVo+pSpLO4VxWj6lKks7ibFKMaI5Ly17Mrdcuu5TvLlbjlPrw/XalPs7sUab7N1krdsrf6FedK3bL3uuEwDKkdn04NQ2qH+RUrdcseIS1qDcOQWoS0qDUMQxqOlI99XqlbdqfBfOH+lbplP3aTEJLadeomNYSk5lSk+UDslbpl74eeSUNIajEgqSiPDSWpXXGjpm9/V+qWnQ79noaS1C4+9HsaSlK7DiMdVuqWXWvyX6lb9lOj2lCSWkhSPtJ7pW7Z/U6d2SLIK3HL3Q+tXkNIau3wCnWlbtnnqUAiJbWgpHxTuZW6Zfeg5oPUV+qW3W/VfJD6St2yh+KnONSQkpprUbrE/kp7mvm0ctJK3bL7fZqPf1+pW3Yf6UD5iaMktRiQlE75Wolb7sPb05W6ZadT/BGSmlPRoHRd65W6ZT91fRtCUuuHN20rdctuh25MQ0hq4/CmbaVu2duhT9UQktppL7eVumUfp+oOKak5FinlTWRDSmpBSfmMiZW6ZY/bNG8iG1JSC0rKR9ev1C27HjoPDSmpxZiktGPSEJJajEiqmjCEpDbjPs17sg0lqbkVaT7Qf6Vu2V2SOHvDuRK33KenmYaS1OZh8MpK3bKfnlEbUlJzLCrgqaEkNceipuk0vpW6Zbda2BpKUnMrqmp1hKQW45HyyRUrdcseES0aJISkFpCUT65YqVv22CGqaAYQklps5VZVGQhJLcYjcVEHICQ1p6J221Miq+4QktppPNJK3bIfxuGv1KfZg5LS8RwrccsdQS2qL5SkFju5Va0MWlKLuW1VxY6W1Piw4+JK3bLTqZVBS2ocQS2qXrSkFsOR8ikwK3XL7uqQT4FZqVt2V/x8CsxKfZo9FkzKn34bUlJbW7kVdypSUov1kqqaHSmpyWGA70rdss9TTwMpqQUl5W0SQlKL0UhVe4eQ1OSwEc1K3bJ7SKWowRCSmkRIixoMIanp6T5FR2p6GufQ0JGansY5NHSkFo4kRW2KjtT0pPgNHamFI+WTmlbqlv0wxGylbtnlVL7QkZpTUdkbREhqGkEt6keEpBaQlE88Wqlb9nZ4Z9UQkppjUfVGrCElNYsbNVethpTUYmZb9eCOlNTsNHylISW1oKR8e9yVumWXU52ElNRMTxyDlNRiSFLlK0hJ/bRY0krdskf1mzcFHSmpOxY1udKf2pGSelBSYe0dKalfJ3XoSEn9tLHbSt2y86EQdKSkHju7FQ18R0rqQUn57KOVumX3qObT1Vbq0+wxuy2dGrASt9ztMPKiIyX1GJNUVGIdKamvMUnpWP+VumWfh7ujIyX1dvLBjpTUY35b3tnoKEk9JCmf9bdSt+x+p+Yz81bqlt0OlVJHTOrORVXfpCMm9V4O8V1pW+bDEN+VumU/DPFdqVt2b1M17z10xKTuXKT5TLuVumX32jefabdSt+wR03zcUEdM6j1imr/K6YhJPUYlad596IhJPZZKyscNdbSkHmtwFwOqOlpSdy3SfCfrlbplH6dzwZg6FtFtVkBWZyAldceidOvzlbZlZs8sxXdjRJ2Kig3hV+qW3SNa1UcIST0W4K4uCwbUrYisuCwoST3mthVfjpDUnYroNkYy/XIM6DwFFCGpOxWRFY0AQlKfMa24iBFCUncqIkv3Jl+pW3a/SfNt0lfqll1PvxQjGmOShhTngiGlGA5aNEhIST02dhvFdURK6hTzZfIH/Y6U1GNqWz4BcaVu2We1f/xK2zJTvX/8St2yc71//ErdskdI01l2K3XLfgopOlKPXd20uO3QkbpT0bwNqcyyIyT1mNemxX2HkNSdiqbOIjuGNAYlWdETREjqMa+tuDDoSN2liK6c7zo6UncpKvayX6lbdq95r1F8O8Y0HMnyh7aOjtT5VPMiI3WXIro1jtmpoyN1lyKiIqboSN2liKio7tCRuksRUVEe0ZG6SxFRUWLQkbpbEd3WdEizY1DdioiKGgklqUvcqPkg3I6S1OV0oyIkdaci0qK6Q0jqbkWkLau/0JG6SxFVdzU6UncpIi0KDDpSD0eyot+IjtT1dJsiI3WHIhrFjYSM1GM4khWdUmSkrvWqVytxyx0BLcouKlJf6yOlazut1KfZ7dTjRUTqzkRWRBQNqYch5b1jFKTuRlTSBApSjyltxXuQjoLU3YiqoaMdBam7EbV8XaeVumWPWzQHp46C1K1ecHAlbrlj0GD+Wq4jII2Y1NZyDRgISCMmteWvKwf60bh6uXjNStxyxy2a49RAPhoORJbv3L1St+x0GMQ6kI9G8JHl0zYG8tGItZHSwTwD8Wg4D9mVd48H4tG4YuappR4/EI9GO0HDQD0aLaZVXEkdPdCOhutQu+lOwjUD7Wi4Dlm+NMNK3bLP0w9FOxquQ33m1ctAOxrOQ/V1wYiuGW35dcGIOg7V1wUj6jg0KJ2EMVCOhtuQ5UtQrNQteztdRbSjERPaqquIdjR6TJSpTgZD6jpUXEWUo+E2VF5FlKPhNjSvbD2ylbjlvsVsSN7QDYSj4TQ0q3sU4Wg4Dc2qpCMcjYCjKqQoR8NtyK6c1AbK0YjpbFfxU1GORshRvnbGSt2ye9coXwxjpW7Zyc89972BeDSch+zK32oNxKPhPGRX/lZrIB6NETVv3vIOxKMReJTv7bxSn2Z3HxqcToIdiEfDfWhwcR1Rj0YsjMT5C7mBejRmVL25Hg7kozGPVS/y0ZjHqhf5aDgQlTc28tFwILJ8C/mVumXX47ljUF2IiioJ9WjEEtvVmaMeDfchyzdhX6lb9u7Z8zcOA/VouA/19IXWQDsa7kPW0lclA/FoxCikfInMlbpl97b0tkDiZz0plKNBEc2cDQbK0XAcslbUF0hHw3HIinnEA+lo8OH5ZaAcDW6Ha4hwNDiiWdRFCEfDachaURchHA2OeBa9Y5SjwceAohwNrldMX4lbbn8Fnj9MDXSj4TJk+Q6bK3XLfuzuIhwNuU6NHcLRkHgkLe5QhKMhh5nhA91oyDiUF2SjIfMUImSj4TBkxVTvgWw0HIasmOo9kI2Gw5AVU70HstE4sdFANhoOQ9aLexrZaMTS2vmODyt1y97qBaRX6pbdb9N8vfSVumX33hFdt1tD2mffjkF1G7JiOvZAORp62K1ipW7ZD7tVrNQtewQ1f505kI6GnoKKcjQ0glpUSChHIxZEqqKEdDQWHRVRQjsa7kNllFCPRkxlqy476tGI8UfVZUc9Gu5Dlm/RtFK37H6nFtOaB+rRcB+yYp7yQD0aMZWt6jciHw0Hoi7p0JOBejTdh7rkg5sm6tF0IOrFkPGJfDRjZW1NV79eqVt27x5p3luf6EfThahfaW99Ih9NB6Li3pioR9N9qF/5aKKJejRdiPqVE/9EP5rhRyN/epzoR9OFaEi2GuxKfJq7HXpIE/VouhCVPxT9aLoQlT8U/WiGH+UbNK3ULXtENFW4iXw02ymiqEezRUTzbsZEPZouRF0kPxUMaIuA5u9sJvLRbIc3axP5aMbAo7xrN1GPZow7Kt5QT9SjGSOP8p7gRDyaMYktL4hIR9N5yIp1ASbi0exR6eaP0xPxaPZ6GbqVuOWW0zXEcPYIZ96zn2hHM1bULt4eTLSj6TpkI3+yn2hHcxzGqEyko+k4VGwJsFK37D6SLB/RNFGOpttQPjNqohtNlyHOywqq0RyHx5eJaDTHYcOnlbpl93Dmu6Gt1C376e5EM5rOQmUFimg0ZztVoIhG01morEARjWagUdHxnohGcx5ekk40oxlmVP5SDGmsglT+UoxpmFHVJqIZzRkxLe45NKM5TzFFNJp0ndoKRKMZaFSQ+kQ0mnR4JJ1oRpMOC1tNRKNJhwXSV+qW3evcYnGKiWo0nYZsFs0cwtGkw3vviW40Yw2k8tQxouFGM5/DPNGNptOQzfzpZSIczYCjmT94TZSjyaeQIhzNgKPq1BGOZsBReeoYU46YFs0LwtHkUzuKcDTdhqqZ4xPlaIYcUVHzohxNtyHLN89bqU+zy6mni3A0A46KVQwmwtF0GypPHeVohhxRUQcgHc2goysf5DGRjmYspH3lrz4n0tF0HOIrHy01kY5mzF2ramqko+k6xFc+/GmiHc2wIyrqGLSj6To0i8FVE+1oakS1qJLQjmYMOpJ8pNdEO5oaUc0RY6IdzdOgo4l0NPXYniIdTcchK6b3T6SjGXRUTO+fSEdT407NMWiiHc2wo2JO/UQ7mq5DxsWNjXY07dTlRTqa1k/XEeloxlraxZ2HcjTdhoyLfgbK0bTTMynC0TQ+APJEOJoBR1zUMQhH02ITmdxH0I2mRUSL2xThiK6IaH7fEcIROQ1ZMRecEI7IaciKV6uEcETXYaQ9oRtRjDsqLiMhHJHbUP1LCbPz4ToSyhFdEdO8o0EoR3QdhJcQjigWQCrKF6EckeNQ9exISEfkOFQ8OxLKEbV6l72VuOX2ipfzTgwhHFE7VLyEcERuQ+WJY0ADjqoTx3g6DZnk3QZCOKJ2iie6EYUbFVpDCEcUC2lLPpqcUI6ox9DAfBAsoRyR49AsmlJCOiLnIZO8CSDEI3Ieoll9O4bUeYhmcWUQj8h9iGb1UzGoDkRUjJYg5CNyIMrXRCXEI3IeopkPhCfEI3Ieopl37QjxiGLgUUFThHpEMfCo2CGBUI8oBh5ZESTkI4qBR8VwYkJAIkeiaUWQkJAoBh5JUa2jIVHMWuvVuWNMw5DyzVZX6pb94A2EhkTzOjwQEhoSzXZ4ICQ0JApDyjcVXalb9lHtnbnStszelhZrGBASEjkSWbGGASEh0YyQ5n1YQkKiIKRicjwhIVEQUjGnm5CQyJXIisnIhIZErkRWTEYmNCQKQyrm6BIaEsXAo2KOLiEikTuRFXN0CRWJYuhRvhvmSt2y3+I2LF3riRCRKBZAKlbMIkQkIqnXzSNEJIrBR1oUMEQkotO6n4SIRHxa95MQkSgQSYvii4hEfNprhFCR6LgAEqEiEc96SQJCRKJAJC1uJUQkirW0i4kChIpE7kRmxZ2HikShSFbceahIFIpkxZ2HikQORWbFnYeMRMFIVtx5yEgUjGTFnYeMRMFIVtx5yEgkpyV6CRmJYgRSvgvpSt2ye/VbTHMhZCRaI5DyBhUViSSCWpQwVCSKiWvFBGZCRaIYgVTUGohI5EzUrmIqCqEiUSylne9nQ4hI5EzUrqsov6hIpLE5RTEWndCRSE+LfxI6ErkUtesqCjxCEgUk5WPiCB2JYghS8RqH0JEoNmW7ipHxhJBEFjVw8VyIkEQBScU7BUJJorUIUjHWnZCSyMZhJjuhJZHNw0x2Qksiq9dsIKQkCkridOgEoSSRxWpleQFGSCK3Is6HxRNCEsX8tfzFL6Ej8Vr/KC1djIzEDkXM6YwRRkXi2JGtWICDUZHYoYiLhSkYGYlj9aNijQRGRuK1+lHa/jIqEl+nBpVRkTgWPyr6AoyKxFfIYDFJg9GR+DrtY8DoSByOdBWTOhghiduqfvOGhpGSuK3bNG87GDGJW1TALa/eGTWJYxrble+JuZK3/B5aLQoOghK7GTXOl1pjFCV2M8rnYDN6EocnpQtOMHISOxhVb5UYOYljNe1ieB4jJ3Hsy1assMXISdzjZs0fsBk5iWMJJM0fahk5iWNjtmI2KCMncaynXawJwchJHGORCjZh5CTup7UiGTmJe9ytxSwTRlHiHm1qvlvoSn6af8Ttmu/RuZK3/HG7FjM8GFGJY0jS1YraBlWJx7pdi+oDWYnHul2L6gNdiV2O2lXMxGCEJR6nlUAZYYmdjtpV7F3HKEvsdlRN4GaUJR526h0y2hLHJm15X5WRljiW1i4ezhlpiWc/PD8z0hI7H1U9VUZc4nna9JQRl3ieVo1kxCWOOW1XsVMfoy7xXHEtbkPkJY5ZbVcxgYPRlzimtV29uA0RmDhmtl3FpAxGYeJYY7sY68MoTExx1xa7+zESE9NpTTpGYmJHpLRHyehLTHHDFnMyGIWJ3ZDydSgYfYnDl4qLgjF1QCqmkzLqErsftaIRQVxi56N8BQJGWmLHo2I3TUZZYo5x+EVujKTTUbFcBaMrsdPR7UE7qzDQldjlqBgnzchKHJPaql+JkYyxSfk8CUZUYo754cV3YyhjLaQi8EhKHAOTisCjKLEcluRgBCWOlZCKWKIncSyEVLQtyEm8JrQV342xjEFJ+dgYRkziGJNUPIuhJbFzUfEWldGS2LWoeDfDSEkssWJOkRtjGZJUlEGUJHYqqp4E0JE4HKk4b3QkjhWQ8pdEjIrEsZB2/o6I0ZBYY5J/cSYYyxiKVDz5IiBxAFJxNyAg8RqIVOTGWMY4pOJuQD1iW01mWsciHrFFP7c4ccQjXnhURBPtiGP9o1acOtoRx/pHxRxcRjti96FWzL5j1COO9Y+KceOMfMQWi+VUVwZDGgORimHDjIDEbkStquJQkMSRqOWWJShI4kjUipFFgoQkawHtPKiChCRXLGqV/1JBQpIrFrXKoyRISOJK1DSdfyFISOJI1DSVNUFBklj/SPPWU1CQJASpWE1SEJAkVkAq7mpBQJIApHwzekE+krUAUl5eBPVI1hJI6do9gnYkjkP9yu87QTqS0ww2QTiSWAApH6En6EYSbnTlHQVBN5KYwdaKiKIcietQL+bVC9qRuA71YoqsoB2J61AfRYzQjsR1qNjkWpCOZK2AlE8zFaQjcRzqRe0lSEfiONSL5yZBOpIeK6sURR3pSByH+iyqAKQjcRzqxbwEQToSt6FqGTxBORKnoV4MYheEI3EZ6sXYa0E3EoehXgymFmQjcRfqVNTUqEbiLNSLVkMQjcRVqBfjegXNSEYsPldcGSQjcRSq1qoTJCMZMdm0uPdQjMRNqFfNBoqRDKunsgp6kcR8tnz+uKAXSUxnK5BX0ItkxoNoPrFK0IsktmIrHukEvUhchEaxKICgF4mLULGBpyAXyYwZivkDjKAWyYyJMkVIEYvENajYS1KQiiS2YqO8cy8oRRJ7sXFRVyMUCbV6AzxBJxKKZa1mfi7IRBLT2fJ3iYJKJE5Bo3hqFIQiiYFI+fxkQSaSWAOp6tshFMlxJzZBKhLXoFG8LRG0Iomd2PItmwStSDiWiCzuI9QicRAaxSYKglwkLkKj2ERB0IuETyu5CoKRBBgVT4+CYiQhRlVPE8lIgoyKp01BM5Iwo2JJbEE0EnehYqSbIBqJu9CoOqaoRuIwNKwo7MhGEmyUr54oyEYS45DywTmCbCQuQ7MV5QvdSJyGZvEsKwhH4jZUvfEQlCNxHJq9KAFIR+I6NHtRAtCOJBZCKnBUEI9EAgKrIGFMYzZb1U1GPpLYim0UPxX9SJyIZjE7XBCQJFZCqnqyKEgSs9mqniwSkmhsbVr0StCQRGP7gqJOQkSSWEObqiuDUY1hSMWkQ0FGEpeiWfVk0ZEkFtGuerIISRKjkKqeLEKSrKWQihKJkCQxCKlq3RGSJAYhFVPxBCFJ1oS24rojJInFbOLi5kNIEosZ4kWYEJLEYrZMdd0xqhaD8KvrDlHVWEm7mIqlKEkaK2kXfRNFSdIrpsvkYVKUJI0pbYUkKUqSuhXN4pFAUZI0FkMqVFuRktS1aEp1ZRize1SLQXqKlqQxp63onShakl6x10h1MhjVWA6pGASmiEnqXDQLCVfEJG0xYSa/mxQ1SVtMmCnChJqkMa2t2GdAkZM0FkQq+huKnqQtRq1UVwajGuOQCglT9CR1MaKCwxU9SV2M6CrKO3qSuhhRseSxoiepkxEVSx4rgpI6GdFVXEgEJXUyomK5W0VQ0pjaVqwxqwhKGlPbipfOiqCkMbWteOusCEoaU9uKxV0VQUljaluxWqsiKGlMbiveUyuCksbktqIfqQhK6mRErSjACErqZEQ9X7xOEZTUyYiKfqQiKGlsyNaLAoygpLEhW/GCRhGUNLZk68WFRFDSNbmtupAYVScjKjq1iqCkbkY0qnPHqMaebMVrfEVSUkcjKqhYkZQ0NmUrVtNSJCV1NKLivb8iKWnsylZ4qyIpaezKViCRoilp7MpWrDGiaErqakSFKSmakjobUdFlVkQldTaioh+piErqbERFP1IRldTdiIp+pKIqqbsRFf1IRVVShyMq+pGKrKQUmycWYUJWUpcjqrpu6ErqckSF5iq6krocUTFFV9GV1OWIimmuiq6kTkdU9SMRltTpiKp+JMKSOh1R1Y9EWFKO1VeKuwlhSZ2OqOpHIiyp0xEVwykUYUlja7ZiBLEiLGlszVbsW6oISxpbs1WdWoQldTuiqlOLsqQcs6GKEomypLE3W9VLRVnS2JutIDdFWtIYkVSQm6It6RqSVIQJbUnXSknFT0Vb0rVSUvVTMaprpaTqp2JU10pJ1U/FqK6VkqqfilF1PeKqH4m2pK5HXPUj0ZbU9YirfiTakroecdWPRFtSjYUki3sVbUmXLVm2A4EiLanjUT6gUxGWVPmwf5YiLKnTERdvARRhSZ2OpCowCEsau7NVTxIISxprbBebfijCkjodSVVgEJbUYq3XosAgLGmssV0VGIQljTW2qwKDsKROR1I9eCAsqdORtKK2RlhSiw0OitoaYUmdjqR6TkFYUqcjqZ5TEJbM6UiK5xRDWDKnIymGehnCkjkdSTFwwxCW7IolfPOoGsKSOR1J8RRkCEvmdCTFLgSGsGROR1I8NBnCkjkdSfHQZAhL5nQkxUOTISyZ05EUD02GsGROR1I8NBnCkrVYl7mIKsKSxXJJ+SBsQ1eyFsvhV1+OQW2HMduGrGQOR1I8dhiykjkcSWHphqxkDkdS1L+GrGQxwS0fWGGoShaqlL9oMkQlczbSoqthiErWY6xvcSchKpmzkRZ9B0NUMmcjLfoOhqhkzkZa+JkhKpmzkRZ+ZohK5mykhZ8ZopI5GxVDMg1NyVyNtKoz0JTM1UirOgNNyWJ2Wz7cz5CUbBwGnhmKkq0hSvnwKkNRshiiVIwKMhQlG7Men2IISjaoHkFi6EkW623nYzwMOcnGaeiDISeZg1ExlsFQkywmtBXDBww1yWI+W/EcZqhJFhPaiucwQ00y9yItnsMMNcliraTi5YKhJpl7kRaPbYaaZO5FWjy2GWqSuRdVO7wbapK5F1X7nhtqkrkXVZuHG2qSuRdVu1gbapK5F1W7OxtqksVctuLFiKEmmXtRtUeyoSZZrJZUPEMaapLFaklVO4CaZLHmdtUOoCYZHTbJNMQkcy4qhlcZWpLFaknF44ahJdnaqq0ovmhJFktuF48bhpZka6+2ooChJdnarK0oMWhJxodl1A0pyWKxpKK+Q0myWCyp6rCjJBnzYQczQ0kyPm3sZShJtjZrK2owlCSLxZKqbilKkslhdKghJJm0eny7oSOZS1Exes+QkUxGPdLeUJHMnagYA2uISBbrJBXTFA0RyWKdpOIFhyEiWayTVFCJISKZnHavMEQki+W2i6k8hohkeh32UTBEJNPTVgeGiGSxVVsx4sgQkSyW2y5GHBkiksVWbcXLGUNFMj0tjG/oSLbW2y4uJDqSrfW2qyuDUV3T3Korg1GNeW7VQxU6ksV628UAJUNHstirrXiXY+hIZv2wJrahI5mNw2LOho5ka8XtIqroSBZ7tRXvcgwdyWKvtuJdjqEjWSy5XbzLMXQkMz0st2roSBZrbhfvcgwcaVyx5nb+qLxSt+ytXvdzpW7Zezm2dSVuuUc5nnQlbrlnPeJzpW7ZqVpAd6Vtmbmc1LkSt9xSzqFbiVtuLefQrcQtt5XT1lbiH//4x7dvPv7w7x9+/uXD93/44fsP//Hmd9988+bbb3/5z58+vHn7X2++/Rj/Ofmtf+ub3/3XG6Y3v/uv//H2TRsaf4zrWn90WX/QWH8Irz+sxR+3xdXjj/v33BYm8z9uCz3FH7S+5zYLJ/6Qxx/j/gfd/7hnFlt/6D2z3jPrPbPeM+s98/3EbmPe4o8h9z9Wnttb/vXHXH8Q3f+4Z6Z7Zr5/z/1U9X6qej/V29uQ+ONx9PtFuFHz+uOe2dY32/3S3Wgx/uiPP+557lfs9vy+/qD7H/fM999l9991ezSMP2idvN2vod2vod2vod2vod2vod1/hd3P+bZczuMvu//V2+Ov8fjrXpqucd3/mo/Pzsdn6fFZmve/HiXx4scn+PEJ6fe/9HE01ftf9jiaPfLdL31rFz/+un+itevxV3/8NR9/PT7RHp/oj0/0x/89zr7R4xP0SOXHJ/hxDH58gh+f4Mcn5PGJe/Fv/XHO/XHO/XHO/XHO/XHO/XHO/XHOvT8+0R+fuBeq1h/n1x/n1x/n1x/n1x/n1x/x6PJItftfjzqkjft92Mb1qGkeZzoeZzoeZzoeZzoeZzr64xPjkUq//vXI94jCuN/AbTzOeTzO+bZ98v2vxycev2Po4xP6+MT97mjzce3n49rPxy+aj180H79oPn7RfPyieb+z23yc820Tl/XXo+zSo+zS/YZvtxUX4y9+fLM+7plHtdTsnq9f96vW+/2+7I/o936vQXq/VyG9z0fq1Ptf9PjrXkp658dn5ZGqj9R75dL7/Q71fdTXX/d49Me1942E4695Ly++r+j9r1//737ceS8b/XFNfSO99de9jveN2NZf95Lj+4Stv/jxf/z4Pnkc9/GLpj2OcY+RbwJy/+t+9nQvG77Rwvorzup/vL033P6vW0P+7c8ffvrbL+9/+fjjD0/baSb6taFujy9q9CiqHIfOvvKXn9//8On9d/idetmT77S4EZLPv//Xj9upjF8/9WsVu07jth/u+mNdu9s+Y/4HP+I+H+Xttn3H/S+qDv/ddx8+ffr2Lx8//fL0NNqcv57HKsvlp3/58f/7sF/P+eRXtPloNFYvJv0ivH5PT+D+I9vgw+f/3eP64acfv/vz9lO4PfkpdPyGvfd2PSkVcq95+qNm7KvGK7/s209/ef/pzx++f/qldsnTCxt1TfkNnz7sn57tyadlVGVyffjzo892Pfl8P0Xj3z/+8p/f/vTh548/fv/t9+//89PTr+n9yW+o7rX332+HFnpaJlZ3L//Yzx8+bYd7Er9HtbnqE7p3mOjebWx0bx17e9Rd/X4r+dJh8ZdqeU/EKXz7cfsBTwrDqpB+7bKur7R1e477WY17P+22KXzcsPfu/23vzDjze03M944q3+tXljJCj1Pcr5Q8LV1alo/7p/1TT29cfXKp77XtLKvT+/f89P6XP3/7088f/vRx+7b+tLQOeua3vP/p43d/+XhLeFqL2tObt89fr/QzwfvX9395/8N3H7Bee3r7PEpEeQ/GV33YLvFtVexfv4MfbU5E8fQt73/6uFdwT05G7x0MnzT3/Be9/4+PP3766f3P7//63c8f3v/y48/7KT6pO+XRuIo+c8/5N//p/Xe//Pjz/2zs25bc1oEk/2WfN2IIgMRlf2VjQiF3s9saqyWNRNnujZh/3yAlJKpAJOWn47APihSIS1VWVta3flOx9mNepUvx4D/Yu2hT8tVSebUXS3UxdThN4/Vj/6ZPaRlkR1Om8cUC+Xm4Tefr4W1/JEvFiEPOlOPjxWfWZ0ZUd495tQVWryCPTI9XeLEd59243oyLPLu4B+MLK21PyUgb2bP2+ZSzrsOu8vRurO03N/6Mp4m3dfnXp/TP7/01Tvv3/bTXB6Sw2uNdX3wX4eLVn8hGecTBIN1px+u4f/8e/x5u0228XvXGneli5YMHh9OO+00Pe7fD52l8X9mL0tkwycOepWfM1/muP4Q8S3pgItkxzcFa9jQNAAysjh7hWY66fLmC8zWZ8hWY3dm83D3u9Yj4bc7gP/+EKKaD19shojKIRFyJNSz8ZIuYBKurzwjckk0kU5SXq7oW5ry0cG8y6mNtjmftEyQiFs/v6lQL0vc0HiGpz5/A+Pyq5rl8lz/l7+ERnPqIEfhsIZ/hJuALBny5AHApALgIPUYAXAoDRgBSAtBoACcagIYmAOiKACnmesnnn7g/ejms90pn1QzlDxf5RXw5/BrVxeZ7ud/67MeZHgBL7DeWwa/xexksjy0rvpt1gR5Wy+jLdQ5axuqtgvdqKdG9ejl8zX7TZ7VyvJoXRLA9wIyhbMS8kTzAG19i3ogR2bE1ATBTAEgWEC8HwEez9lJeLxgxYASguwDwKwAqCgCD4CCYUL4IgJoIWOjpPTXn6HI9/x5ZkO6iuJ+fc/VvVnaPI3d32X8fz/sqyBKRAv94i0kGHsglYA2/n64/DtP1/vW1P5xOo76YrMAfHDboE1Vv2vpUJ5oX+ysBRn5ukR5QTO82DN7nv2hcS9KvSYjIEv+M1+te7RHnxAQNA92kt9t4nRY/+XHl6h8oEZqeT8ztVk2tnNnn2VZ2Vw79MkzgA+Ye2yMC4eswkR1CgC4bs6YvuF4e4T3uKEPna37lKn514qzLpzlujoLNF0j7+Yfs1Ri8Vd6fwI193rvP44G9UTvEi8KFstbivuw3bekfF5y6fgFeI9FkUgEobYEv4QIM+Ffu4c+PPf/4L/XcJCPmxG+Leax2GAbpm8VAD4plZB07ysERwPEzK7dlZTtwHMSej/CKnum/LbOtqFGCqhFOWeCBB4zpkHHopZ0SMm5+Jx4vDjJexJp+XjUtc9M03hqYsfx8fNnfp5/jaTq87afxOv73fazgCBkOm9jTeb5PP6f9p/I0jNw2jrurv/fTXn1lK/fKMzfQGjivFD1zRq4OpHKRr81JWSQ4syOZkGTrDJKPfUlDlkQjzqOuJPyQAMPNb5Hws0jROFOSU0grIaGG1IZBUsL0nq2gJyKgLxxxeiLlkH8WJmERy8+nM4NHnuYfCITaMzEl+VFp0kFbqA8HmUOIvqxwdsSsrL04JMTCizg3Q2ILaWW+Ee3LPW77gDuAbvKV0dYJJNGX6IFbpX/7MOuTyHfyl5dT958/U/tEkp5W9GVCmUPyNPu1v+gLReLkEdm/RHM/P/a3ccFu1blm5E36vBfZ4PtVrTwrc16O3t/z0GrNeqsyRn7rqU1nVwwvKeno2V0z2zlf5jNdu4S9+vEImIdu64XqKewHuU5yJBQHpAsyjSWjFyk7UgnBV4fjrANu0iFc65A5B0pvDLgeFsF1OaEsMt0OAbdDKO+Q1e4BCPSw15d/RSAw5EDQuswTsW7jCLiNt/FyPh72+rNZ+dkQ4m0czLexWnNJnsy2R2K4p5fpj+P57dfu5/6m04TSXUGiweU0/jN85ubGw+dPtSblkZZDAIfMzou3O92/foxX/X4yJOzpDC3Dp4OGJWTujWaiy9DbtP9SZ4txyken591sYTWxnXSREeXntd9nYojFQreGL6TlCau5DkG54VgEcDKsoa7xYrIx3yp/X2K4HO+FzQ9YfwBjFLILJLPL1iL+hto9n97H991t2v/SnolMgAw0in0MX42Og8pQ8LvifD7qaFKiHIYux+vh/VMBJ7c5qfxxvn7pzLQVu8XRT3U979/f9tqHdlGyLOEZpgIIg0piMjppQdiyzpQ/0S2en/t2Pk3X+Xecfp/fViFBH6S/kVPOqcMf8nGfT+CEBPVg6E3Fn90IKKRr35dcDP2q2fj4dxqvp/1x+VAfeif0UazdlDl5iKdT9n1T9rAS5UXQ57V+igiwAOR7//IbzUv8cPo8X8br6gsNctXOzQbzfQpkpgNfrHMlVAGX6/VM1o9v/bIot06+UEPJHtEjID9kuu51vmBQ6QeLiMqG8ie4AqC/FbKYdfRWUM9s/BqJoQ8lpcZPhGJvtdQGudQMaBQGFGnjkJJwgLYdLg5LAffVY1u/xMqDFL+Emrwfju9vx/3hazlVmwvOK9bLwEPC2dZ//anAAYVp8St/Hrv1Cka9Ar1asxm6edRvsXAULfJFFqi/BepvywoHqdDyA6L1Eq1PJV5lwOGwbfZ+2pokqyaJejizoT/743HOLa+JSp0MnqznF9n9e/cxag8hyRCmo8fc96T5KE6C6YOlMzCPM3pgLwfSV10Gdmqk5CUMlBz4GKmfKfkDA5+eZaTVIyX/ytFFvIx0eqT0jyhn7jGy1yODHEn37jJy0CPlEU8zJI+RXo9McuTmMphlNcRISR4YKLHwMTLqkdKXo1mwx8ikR8ojk/LElpH6c8r89kDzPo+BevHJUH/oNxef1YtP+phDv7n4rH5bmdUdOK6xjNSLz8rFR9MDj5F68Vm5+PrNxWf14pOclIES5R4j9eKTma2BR7zLSL34nPICNhef1YvPycXHL7llpF58Ti6+fnPx6Y8iU+QDj2aXgXrxSbBhGDYXn9OLT/JoBkoEe4zUi0/69AMlkSwj9QqS7J/Bbq4gvYBkxD7YzQWk14+MmQdKMloG6uUjw+PBbi4fvXqMXD12c/XoxSPpfQMlMb/tj8dVWZ+RzoKlW/Ntf5pJAsrNUP7tUCI0Gne//dwfTlUm18p3d3SbLkP1yCSxe9vTvN7i1e5/HMddKxUika2BMjdho2HCK4rLkHO+ZgBVyJe6jsS+6jqP4HuJAz2rROjI/6hAaPFt2M5+DpxxSA2ayzxeT/kIz+HzX1f+pzztTR9eGjh9HD7vDT9WxpampyTYmm9mZWDsqKvzdj6c6t8eVPFMzEyTRSRs28p/NFxon9TKSHSFVjb+IyMKu5bRPqllQXd7bfTh6TdNBhXYUaepNskqkGTiz3h6WBdzl8OuwYmToZ6nXnKxUlNbglNJJHr2FwslwV29i5O/KFJHDZYax0RQ2znSu6+2sVulxjpl5+X3b69zlaunKSphZA44a56oWjeRpiKllQX2242/q8MuBLXxaHp3baoNX4YoY2Cevi72rt+X6bxbc4ZDUrxjGovA0rKS9TypDZGoqwUTH/v72zjxajyVIKBAQTF32E+NXxalv2ESrYAodu6n910TcoiK3Z9oElmb+u/7edIAvgwYbff60K3zM1EGVLZ7/bFK5UTLO4gy4rHd633/ZFAuhMr9dL9W1oKy9vLlZjr8Li90ZUlGKLajlEpYuo3X3+P1wfPU9EV5RtqOMm+Kpa/9dSIvJXkP3etlebucT7fzdc4DjSddatKrmXp9cT5RtuY3lOelfZbw/4ut9kJX5A5DkaaVtev4Z3+t6mnUi9FIHKZWQHmUQLk1lJ8rLTQPFFWfYijurO1UcHcMcu9aWuVRjHxfNPoXo/w5loZc2sJ/NNdidMrUy6PtPh2O6mWSzMJajh/Awu/98fBeOw5J5vPsQAkosPJw0pSJpF6EciuLifHHz/P5l8ZyJZ5m/ctzkXtCqsoAqig2UZQ5m8xu/vhxPX/91+18alBWklU8wFKLSjMw2XrTmCr7DsUY//XH4/hgxM9J3X1FsZbYq+kH7k5+XY7jVAHiYtogbzHkEpchE1pQ/mKdKX/Kbw6OsnUUIaLRVC/jhpgzTzFnNGJ+lwhtl6zQklB/04Fug8Ik0/nCp0cFFSorDPiLFixISEIYFBkbB9K265EKQz0FmDCmh72+/CskK+KGDyOm5cGhn0btpXnl5PexGOVL+7mk1Q7xKlagDOHVftDusNpmlM+7uOXX+1tNa5SxRszfMebMM3Q/UNqVcvY4FfEczHnn8HegYHVYEwayLQZrwoDJasv3BxwCloJxGOEgIdNj7UCGw/Qo+YC8hulRfwVpCDOgPs/jrTzS4R5JcI/nemT0PH6bB0WslDt4CAh50MZ8VmUyIZeSmABOcIDAESSsTMBMBggchQEjkOmG1pWBopWBbpUJoL9FEOYi5iBCbClCTikigwmRKRNRhQQNKAP6g0l4q4TdCk6ESfhaCbuwrJwEyRzoRNkOldYd2CqQdrJd4U3lObUmnzXW4NgzhQIFxqrJPGs7lOTphjN1mqrQ00WpzjEUktXGtp85HxpGlJjvhgP1DFobIIxMAOTlCfmwsgHzzGbqVp6HQGH4+qG1BIAIAAJlpDTC7QrIVXxifl0/zSz/p3wNcWjmhdSjQCt/WE+Jb9lwK5Gt8EyQTfPV0xc6HOgYKbPzbQ+BlGEjcng8ewVqyCgG+wSibtZhT/hQ/KhXU7c8pa7cVjT2Dla3dgFsrepx5AUWIWIUNzz6yto25d7LEhioOYWNIK8y32THyxoiUO4DLbBfG63Y8bKwJpSyg3/6OrxeR2qSxFx6tnTy3Tb7cT+9Pdgj0/16qnM4UZ5g1m4AnVuMv0F+dpzv4LnAa7UoY7eJMv3WjyLKCDIugQCOTRsAYG243gsyKIbclqdM4bXB1YaQoWDCO0bKa2mb3N4VciIiqGyRFmO1n9HaGkEs5XKwRVoFQCzr/SHh2tSV1926M9dG25tE6v4kUzbJq2Vd3ylWwho9XCpwWO1gyp82vuXv8Xqb77vL9VAlD+VH82bjAMsmaiq1kyxbv3X2Py2s3iF6hd3wbB1M1O8QvYK0NjCKRSX2Nl0Pp8/p/FOrLSUF3vAq5rfz5btVrBIUZy2XaxpExsZvYG3X63hs+SRW8skcJSAJA1UlrtIc8fDePbx3+IsGpcwGt7nx8N49vHePXxTgvQd47wHeewBNNCBuCYhbAuKWgLglIG6BMq6B/q2Byq0JiFsi4paIuCVSDslybFV4vczaJPjuXeGC45LzHD1f7DY8t16yRUJ2FUImoyP6gexGRKRgUcQ4cJ9RPrfBy1R5/a54VfQcethrl9jOIrgKgtu2Uqi4OrOq6K8onvf8MH9Ye0H1lzV72S9OeXZTJsemTGNIUCkdUJnH2ZrsFVqQnYRgbA/Z0UQLVJjx1ueUuEwGo6zngOpi+n23r3jVUnWQ53CWweP1zZhB8ZF8VKwOnr6VBlpT1WveTg6HU9z+DuP1TXMQfVQkBSogJ4Y3X6dTXw6vE+idlu0FzWz0Maj3+ZfxzRcyan7gsvLg/GFws3hE2Ex5dSYoSeWKgZRrGxPVPGw/rFVVL4FAUw6h7c80p1eb+as+SSWUfDgn1PcAFIKWh+k6HOacS7N+alMhQP4WaMC9WCIPq40PrGolB0TQcXvOZ3OrxHMvCespRz8pg2W42WbhufwnfAzOia6e2JoSufls+bzbi/SZZm5mmXupJgMhogBx+fwDoDgUUfIwFIXmUvzCndLmq7R+o9zQFnfWi4NqmbHmd1fl9cDrElWEfNh7vliOpDXyrwhrHO9fDD1y6etU+uD0VgVADvU4A26ggYNrOOVy9bTG3CoOJkSt/Ys9sCTxW3nTQZ6ay9X1fEu4tAVAQ9WrMYC0OMG28eDWz5EnBK5//+LTrv2kqDhySKp5Hk7DEC+3kxEKUGzTwU+HYLrp8Hk7YOtDqdfkKGvzLVrzJI8NwJZDwK59sYYbNXfqIEK+xaLG2caSycG/lhJ6yKNbKEcOVPRBvETTC1TClhDkTC9cNVbUpxwKxHADMFfPs4bZbqO4T24Uh6jNoc2DQ/2YwzMddGKGnBeztuC1HEFQ79GcMlXwb4r79fITMMcjKTnBcmpvG3zWpWm/W/HEoZnPZegfptZUiCHJcNPhTIJqg3EQ2XOpJI9LV4LtK+fxxNZcqLCrHEvb61GZaxA7FOkWs8J57MJog+Phlcpmj0w99o9BLsPAPzc9Mmo9R0jXD27NkWo7ANyVp4IeVls/RPEsAEygZ4NBVwCDng0GEuS2L8XHHJ6WD2/tJ6+iqxwT20TFHJTF1vSosA/6d5we8LB3mH7Wuvmm61QTgI2jnlBajcLqMh7lNjy92VDDjpYtRW4S0R8aOSxtr4jx22/NslG+GA9H79freHr71r9LfjUkTdGkyHY8gFnMTbvc7GC6jnu1KmVZIS3NebvfpvOXGiZfqayjnp59tcizTBjlo+353yzr8lz4GWtE2yZkrSBXl0fkiM7lMS57cDgtAL6ACOMzuQIqvKA9BLwDVH0KcM8rBd8rONHJInE4Mx54PQQdraEc6vfxx/3z83DS+nKKx4sGPdZRbPB9fDt87TUlUGbKC6GCLqn38WN/P1ZHvlxFjia5nkNbNIFeMq0DrS7LFhqiulEVVqDdl0lFXrIIjwDU5hS856Mu+8/xePg6VOGtKnqgl8H7eNSaqEmxSXkR5vu4otp16mN7WmjxGNq8gNQRBOEGiGybHr5dLxTBob9J/dT38XI8f4/X1oe1Ep/sqeL8w8TX/Tgd1q1qor6DEQ5SSP9h7fShgVIVhQ3lLqelzQ8zG1GlvCcM1pkBUcgUsUQc2wYqsbyIsvHgxt1rlEavL7cT3/2z2cb8KpetYCQ0NfU+Xs63w1Q1rpGvE1Ab6Kj4wPt4PfyulbVnxReVUODn0G06nNYVMirSh0P1/Da+tNmC0j5aktlEC4bex2lfMamdLKAJNFPxfrhdjvvvFTPIyioVBFCeMjHeD3OG8se9mnQnaQGecnnez7Min3q+LGtwFNB9v399fe+eQoJKXcpbVcZI3ezx42N8eB+NKgajkrT0dBhPi69WtWlSjSIc7ecwnt5XCWqjzmEa/I2n6/l4nP9qt3JgVOsR9tXG020nOGbTeH0qbOkjUmZzmaV1zsXKYB1CiL70gKOw0CpbYuV8QEHQ2+LY0U8zm2pmFawS12N3hxq/opoZKYCCjpDW03hlnXixEkvsc0ag9EPpKQHsYav922QGlzrz2sD6xxnlReDYpQzNVTGp6ZUDSCdFa1+GQT2X5inG6ed4He9fP8/H8fZLndJWacHBr4q0OirbagqDSq1jkHEjPZOyreUia30eo3q0FFV2WskJi+1CIqPr5eB/UCCwYe/Rhk9/PNU3q1ilW4VZXXcGVGVCoA9TLmLD8sdxzvifxvf57NJnpwxnLPpM8qsrW0cpUbPrj5I9GIpVhiSstpOVNWw9deqWcbuPw7EulDC6MjsfFDm4DVSl5WHxYUW6h9I/oHOzjK2dA0m75ltqGVqTJnWRepffnR4pMPKckgqSkcbyrZBvmkBzPIvVxhQnVdk3gHwyUBLcYmk1tUHB1MnQk2IeXU9uUIm7RCGLZfBKV0SheHD00ToQXnjPt0O2u57wpNyhHsSjgcJM42+Ny0g2jqOct/Hv+HavOE+qYWRHSWXj37XfLxc6sAyuUPEw0e68qQrlqGLDw0Kzeaak/fMzYB6/bkIqZ4Bf6n8PU4XD9HJRhFLXxp25v5fDdbxVHBwjIwo0gXbcs/57OV91iBtUghDY8UArrWaqxqJZe7n/OB7edlU0ZmUBQ0/lBjLhoyXCoXQdBrALLBY3755UmSXdJ+VXs9CETLS0tbK6bvooEzsJGzryU6Zh8AUrWsxqws0fqa5w6wktTrQkYSXcoZGKqTTtaka0zDKiqZuNVLanZbLNh5bJbEBzNtIYNltWsAhZEzIytCh5TLSYaPy7WLuMX3Wjr141+qL1qR/7w7HKZ8jsmsvJOpfdiSEHM+hgjk5fFlWj1pXjtDRwxLZ2FC5+KG3o003BKqWTOjiPyDF6UzJNbBM9HrAAo9dx//az0dkwKL0kMHVsomvnYZQ54cp3KDV7yHcHuBOJAmsf48Lm2dXdomQNNHqTBBrWP83c6imWyw4iS4EGmB+jLlozcrPZnLtwFIb7GCd9hQWnlGss8gqgJw04IAdKVFrMFgWRJ2/jid6oFx6U3o4F3RvRjAFtwliQvG0hVdC7bfsdbNddx0Vno0J1pPtUarAoDrI85Wn7oWRR/Tyl2Aw0Ea2tjQUjxqKqt3C0LdUIazyY/ia57EvJFnVbG6Zb2LFk6BWuBscxidiOUUoQ+ShzNEM9m2lZUWlIJGxi2UM5m9vRS/LjMB516aZV1AGKJ3wcjqv+IMmqLj80n40webfEyXo7K8IPdUY/zledkpUHXU/zPA8pBz2LkqyM/GaeOmuocufDVp23TOqrcPXOefQcztfl+l7dncgSGx7tfZzv191KPllKOdLaz3noaqSVm6cH5yvxF7jqPLdRlSDI5qD+Dr2Uc+asp5y+2XQrQWZUCj7fYYF/d2Gnbh8oEzmef+3FwrqLsIyLPY1dHqNrUToniwl50qYMrl5dlQ9Q3d95eLuJtzrODN+us4F1a8Kkeqf0/N6fh0/nr8NbQ1BNsW0j1aKZbbTu0qDkzSMVv5rHN1QFVSoQeVyPhL6HYoWH8oGHG4jukMajs6svDiHo8wH93ZDgMwFtKAOcyQAmVkDXzYCetoVOgc73JqC9SkBP24AjI0I9I0JlI1JizzxFX+f38ai/j5pfXOFoj2ZS5u6b5ArJBn8HHBk9KWyHgKgDO8vymzm/1v703uqPqRQwY1GqoPS+mfStjzuJgPKj8q5lyXxSRYpIjLqCdFOlKa2dV21qowq4aVq6iOZV45V4YuaiOopCzHZWsbyqjsJxHXlg8zCyHb/L0C7FErpuzTgJ2WWomoriz6sfWUXpUpE1lTJrql71tNIOzBWnrwNNKVIBZFqWY5ReGc6TBMIYzhPX8ahQWifl9gq5Q0oiUQxW2VyFYXI/uK74oP9kbZWMkQxSh7ZXgYIyytpccnnXGLrU4bYO9JxEa+4aBsfTXfs5qsFvhuZcV74Tvc5adUdGrkc0s7MdoFF0JncdnYfPfeUnKfFE4CLsxT73t3Vpu1FKbFuP3t1vFZ6jxBspNP25vx0rD0/VgOPazKWNkGCyPeUzPY2uBCWNUjikAc7nOO1/qHMxqOIBNIG1HaVpzzZmGseyiFbYeYqK10ZbMH02e7L00nUKOcbF7R/zFkQ1N7p0WwuxpYGmzctDGwyUXrp+cEKgRYVW9jE7B/AcrKVwYnli5aYanZiGZBQuJnS5sh1ghFIxZP5hYtvi1YNM2JuuKC9BOKtDZUEHd89Ayoc3K5mfvHaGlT8PiNugqNSUW6oUYnYArCwF2z+XFuVIJTfORwWi8ULbxdDlev49UvlQ1XZvc3ddP/WOV4VMiXpP89A6kuplC6eY/WhIncU8gzGf/BGefQIy3JX2imW50l4++TXqfu2KJlJc4tLwvtSKUubc5zi1mgsMKlGFCGIo0Qe2xID2yJ6mQeen3L+rdk1RqYN2Wz9/Q2crqhLwjpYlrK1U06nop4nCQcIO0zWQCyTv2pTv6pQ/CjSOksUuplCyeGqdL49KvaCjAMdiAoojNb8j9Co83jo6WzUQ0SjhcxpLYPjs5FSlbXLJOUgCOvB2C4/JIUB1WydugwofnUqj/8Podo8yefR4GgwsVh7c6+bKVcgSLQdcrIBMm5Otp/fTOP2psEmfFIeaclOaJmvER+6rDV9snEAhbZwkKSmpLSqCO5t5sEgP59Oac6xoqJSxPBsh1BbTKV1eT9HSbGPNLFEMDN59WBpocXaUVjxHAWczfw/zN/qcS7HqBaiM0N47DyNrLkVKCjqmRRbLeJUwbrlokmubcrUfLjtoeqKqA0qdllOKxZO3GyqqAmJU7VkUxD4jkCUFVHp6l26XGyfVtiiHlG7IgB7u3pSrIKBZmmiy6XOcNjOrvbyZUs5opRygoIAm5ZRmQkG2pazr+aHNXE80ikwJF6LbWmSzqfa1oIJCiEt3W1uYoshBFUKUa9PSyD9bW/9KlW43W8cSwaSjyiYbWlw/W+CyKPLLZigT8IvpICfcQYK1TCJvxPhZv6wflLpNEVJCdb0vGq8FPgW+0CFB3YG20gGIhAK3NfBmQdC0FgiNRyThKTVxfvWaTpgUh2ig3WQ/x+lrnH6eq0WjxMJ4DD9OjQt16LR8E3RqUL/WAQju4Kl0W8fa8yn1B1JySCjsH4qUW1dw8CJ5jNAMk9yhKKBD/GoAuRmId5UkWWFMS2kv9FWjvNr5t5ynw8fh4QPfr4fqolNOEuV7fY5ToxQ6Ko50Rzlon+O0LUsjvl/IExKyVw4lupihL5AyzACGiKWi+/PTF2Je5bEkWWVvN/2w6/4POfeDUjBIIvjeWMMzBCXszdWGn7V8nqpXtjRNs1hjojOqjAt9jA0iRYAixuACNltLST5qjRqYrlPllVsnPumCo6KkorddynwpGi1t/hxntY9qoSvmEyV9Pc2M788Fq8EM1VOFVjzBxu/z8X6a9tfv2b97ltvqDaQI+2YLH1p/X68I3LzX5jyYl1/K29pAL9Kgn7oBmmCQezCFVE07scxPzU18Vj18FCnCUm2T2QYnTnmVY+GFrMVKQ519UJeuRUEvKj6MRRrWIg1rsTQtzRCuHttiEMmf4FBDGbaQu20hIvk5O2x0gIKmgz5Ghy1fMrB2y8dab/igkp5QvTMplDQvkrsoOTaFTFPIdfCGTSzIGNSCtjzklvpEVNrRZssZmc5NvzGp8RuHTkMuSa0oCK9aCK9acGBAMDI24RvQsoFPGn0EJRiT4El0sUwwSOM0bavt1/3TgsJ+EnL/KZQPC8cSdGFL87n6acfD6Zf+RQrpgzwNGs5YA3gWev3WUs6cflp1CKsg4eX0r+Se5CZwUHRzOEEc+JsOkgCFgGypIJt44AqVVagUFRmcLdSC8EoctNu6xOah7zMGuWql16tri3JzP8fpfuLXqc4jDuUE2Ig7mq20BlWMaU05uqFLBuTdQp/Z4kSyVJVBPrGiO6ls70CpRp9jQ99pUN1fHS5bB3F9B/k06K+YHqGepU1M8LgGBjSodpUO55GDaJtLwGyRv+pxXNst1/Dx1CpgUlViA9i9qfR5QVjTlfwpqM0d+rdAHtGaIkRJ8+l4Hb3PnYpWtg71P+P468f+7deazamC3C0vcpZner/u/8ydoRvQnqrh2/IhYKdVGJSS6iHH0as/o05de9VDirLY53G7lt5NUHqtEWFqor7cz/1t93XW/r4sXsmr7fnf5+rLPkoEKpldJLAq8v8JNkQOILGEoQ7W54uxz06GzxqMPt9YIV8rIT870M6X9bloVPxCi3DmYS3xHQV+d0UnmVIpZ0M4pJsWB2UxwSK7Jn/ub6uPpGihAwWFSqFBS6NCcsgghGghgWkDHMVEYcfVE/Re0N3qKWb8T0UZ3msFPpT6wGHzgPg81XX4OU2XugN5UGoMHrUPHqejB2zlkUzzuYTO+IARuCw8jm3U7xisYxNAyQwZdjIBDlWASxIAnIUBI9DNCxr7BgiNCZB5BVhjICJsIvr2RSoAX/VkkNQOlydkyNeTz7s/5LsiFAlVRG4D2s9xSdfDV131OcO4cplTp2wFfIrdAUc4H05FupGWER9Oh/pF1B1TJC0c27SzicP+ePh/layN9IoGqttwOF3u+g1UB+HSa5I/fpoDOfkd5W4fKOVxHuj1uF6Oo4vmNNlej5PicDR4nscN6oFOfnTe6OVwmpzVD/RyHF1mp2mofmCQ49i9cjhNvvqB8lPSVPbhNFXfQZxiA80OLwzW0/7YYMQrhAWHNe9cuZj6vT8uPV11PjSpnKqjLvfh9PC4n7Wvq3dS1SQ4EizvC68NHhpFlkZrgOFnbuyZh8kFeGjYU/oG8J8j1Q7J9i6HX+P3o5BoZTUqIYlSmZz44fq0+sA3GrWl8mcHKGEnWr/2NKgapjbeU0XuQ3E6+HJfzAqyQ+NdlYaRh1FahfQ0ulTXNr6QxDKCLeZezCXyQo03lOsylJbClG/1NDmLIzZeMKoXLEuS77zFmoq2Gy+p6Ghd+eQvzGYcorl7VIkyiMqRQvWVzSebev2uqpQDacm0cS8sdivIobFAVbIROVBOMXwafsSUjQlQHh0UZSOVNlL2mlOqxHNDmdKNLXT+NbYQfq/gqQGEWM+PjdsukyrUZSIx1Z6Ssg633ddFVdQoQkDeaj1F6g4L5fxrr2s8rKQ3O9ri5HDbzSL5tTqW/EKOsnkOt9yfe16SOpIaVG0cBdwOt5UsXFRSTx1fFLe17lpU2mQdv+JurS8WVUVeR/WTDreH8kLjV6uEF61IPNzmJtVflT6gV2zFgaI1h9vXafw6nw5vM4fq8vO6v1WpUF0CjLiYljgebo8TQE+ljs2BNvIT9dZS15Euqh1olHm4TeP16/BgRtWd0dRnMQX3KtA2IgkHKgAVyD3cHgfJSl1RlZWj3t7yWriDkttOqiuZo+zkKq3uVd+agSKVx/0qCAteoUoUBz7OcpQ/ztfr+c9u6SmwY9i+ksWjb1JLEye17dBi2PagXgx0DuvSpagK2LuS5wLgYXqEi0WWl67t2b6m+ekyEMm0Djl3G7KbHDMqEDPCFuH8WFouLZ5ZP01KReVQNWTgDZc2Go+j77hF93fLQ1Px3E10qVf9afMkxoyexPzZYmaLxCIxRrFP8XC2ugaFgqLky0CpxqD806BqzTiE1LzQfX54E5dSmY4ByaYBKUVfCk6pbzxb112J1WxK7YSYF2zMQGvMj4oZlI0l20cPKflI0ehVPVfOJlrQpxw+pTxtKDFOSJgPtBJgfu76J0bVE6Wj+Psyusmt1W8u6WtocZByWVXKxeIpV2GkUulMKw7nZ+uqQ81KlI/MOFxCA9Eu+/YGKRaDZLwZEEB1RT8Q7cw9JXXM77SNwnqVWRgyJdEM6MPikbf1NHHYfk6z45dqboPzM9ESk7bp63ir9fgH1SSwRJyU5TZbrmlu1WkpRTiQcEg4JPN5ldNj0WF/o37HUhXg+fmSoLVe9oMq3zeQGoK0kQEJ0RjQXgxlBdZPrB6mqEUQ/jEAoQ1A6NJ6yZTCKJqaXh4rGU36ubIJnIHipgHFxBisRYMsqy37gIaB83MXuod+nupjYD0SzQDqLShURZbHomZwQH9OXof7fHLzEvJe0cAwu0NJD9Dovrbb3GFK1qOgRNw7q4w29pbyxXtwONPmJwdeoNkXcpU5LGSH1L9DisUhW4CKbzOg9tVuXsalWFITDyRGYXEdQ9HXWKRXLNIrRWDR0h5c8zNVIl8/V1HfHDIeDukph/Xl4Jb0cA0szeKV51YPVIVfIDw7LGiI8pkeOagehCBbZDRp/8rl0Y+WG3qBd1rXBj8HpLYeBJsen7i0ve0pWrAc1esWSqoZMwX38+C59GBWv9JGlMCAp0j/bETulabqShxU6MpDg/PnbpWeMjqrTL/7+XO/6KmuxNOS0p/gNNPj+XP9cIWsY9XktdnTLNvxfPocb1s9l+T8su/7tT/OYPr4/qReNjBGeXYGNDxLNHP4tT/tP/WKGZQRXiL4GNpu8CIvZkfpil/721pdWn0d6px87f/umiFcSkp1gIJEs4GPcdxdxuuuVpVQ9ZqUATJbKJ5Xq5OFVwSlgSIzs6XL9XC+HqZv/lJyYih//mv/94npX8fpeqjmxmq5Cvpl19QLK7O4juKFTRV31Y/gsSIHOCq8sHJdViM9A5C38yXQg1TfU2Dv61BpDKoyZuooZTxvjeUlo3TvqbDANiKYVKmpK3rFlIW3OlO90kUacG34ommFezOBW5AAxRdJnw7JmQ6QRgd3vRN8VVT6gB9gQHozuCBBwreg3lsLuHKAyC9oEdZTZfrlZ69OPSsziQ4IY6C31Nfl7ekTzGBbJQ81qJZYhbYUaZ38ytymUNSg8p4deoNHftDU9huaUYNKAnUAwSLNS6ytXrRBJQ6CAi+usLYy2FSSGpRYfudgl+ZvSgOwHB813HorX9dlqpvtsTRL8yleFLuMV0ZlkiZ7vn0GHz1on8UT7QsY1uNfS+NRrPGedquZM8a/da9AGZH50kQLZQ6OpiYfxtbSjFaeW47WpTeKE43aHmD6Zr/ZZUXfgjAEykN5mq8VK8Wb5aP9OeH5v1A5+V85/sleMpoOIxwtOyF//+e0uZypQJQF4jKAlwHEyryjPNpy5R8YMjQVMq0ulC9D0Y3nb3+qRt9Pt/tlTh+0NLNVs3UUDVre4oJUeyqZBpDohkLAA8ZWgJqEU96hRsghwHWA/3vI1HFeTiEbnOYKTu35Wel1lisw0OPmae1yPU/nt/PxY/91OH7XGmZW5qZcpq854GqBHrpP85UcpxJ+p+XXeWx9s6jooRvKzfIPhl7cKUqeD3dvpDiysNy6TYwKAZBkj9RFkvb0PaLkrYpLESl9Rphq3yCKTVDqsKJlXulp/DvtLpVHq98rb4a87J8LBUmlx38h9wm8G11l87nv8jkDnAK9NNGUus/4NqRYfT5nQk4xQS010ETl/LPqX5WCUrqiFQ557KrxY5K9OazoXUOTCqePafNiVp3skHosMoJIGCeafT6da/616i5biLm0guE0k9BmSmnjSguqP2SkOkKn8/Rxvp9a/BbVJQrHY+SXvKhh31VF7KqWBszlnPPzOSUSKIy9USCfJA/cwpOxAwVSTudn8W+Dd6QEzQrqSffh+fT2c384PS6A6Xt1PCrZA5ThRSrStba3fUoqYlPni+vJLoH1A5qHpQoY0Hsi0qqEhtnqzFQ+cmk3Qysn1hbJ0anuCdzekQbhT8Mrz1j6JM6X6/TFT56H1IwCK2k9DqW2gQYEJYO45Gq+9mryvFUK8/TYapxVMvmGQgEkdXJQ4VB+A0WwnpbUnO9TTUfXCQj6I/+calhOXXs0tTAPJKCc9LBoudjqRlEapz3i9R77Z6AI7mX/+WTAtjIxqjPHkO8711HSajHXBHaVnMGQr1bX0bTsZX+9jRsVnUnJkQ2UaHfZX+eCBTVUYYiOMqWXoW+Hy77Rts/JlTJQ1F+YWBXHDgo0pM7uZX+7/TlfdbygOln3UAcdNj7PMoM7ZIurwM5KLg9HH7ekVawE7BxUcqGRYwu1ONFro37A6kCSIhIOgU2gHusqS74WIFVJGATJNlHEsG1zFd9IwpLLmKhD/SJvd3cZT+9VyzojK+JdBz/2uZGQs4ekEroGWAc6syv4BD4FSp+sw4fiWYHnm+2KtLCeSYWV8o/8sNI20ksjgRb0PG3MoO3iTtRW5DUdKB3vcrhUnBLViranuk2X8/H783xqtseVTjWuoUgvuycDuX0tyNVOVYOeFt7H0/mr1WLdKaojtAIiTRW8TnjID00di8t1/r51x/jQK5e+rD9Kj7tcz/81roVOrRTq7jdm54FC7B4whIYg5PxSBUdYqN9AXgL80n6OrgcHRV5N/Ca8nn8fbnOlStXGUzJ8UArhqGcLO6tumJJYWVrZUYe23XpStrJ4LjChRk1MLUr06/4WqiAWLranwct1/0ddrcp7MZSfdd3/WS7291W3eCevQ65JzbW6YlCyFZRNfx33722xJNVLw4NFBCUFNCA3BiW5FjPeodRksMV5o/Mn3qIhHWQlzanHMwJFnK7j/lI3elVNobBaaaXndfw81Bno6FSJAs0V5LFLxLkEW2/jpebTJNXsZKCE5GxsA0dJSjxyABMlUbZxNrohluXV98dXByJsgLCD42BsV776q4lVj25+dNmLq3TV4JtwrH30oOCSBOZMQrKxK70mkAyAxL0FL9DiZ1sLIq6n6jltSX2vxJKGwncs+W6aDSkWa2BEVbl1pUku5dcpU9uYiCqa7CBWFanOp7LdgkNU/N2lgjHwjyotaiREVSF2CdgKTfErY20QRPUg7UrF7ca3XlZurejvFVGmp8n6zNZ5Eq8furvzhVSRrmW/npzySgP+kNnXOftVhKrsq0ezR8pAB+IHMad8Ysa0Y/bkI3Vy5wcdrg2U0KtK1556/Uvn1DVVLGgqDr0kx9v5+HvM+NeP74ajO6hKa1AaTId+Yx3SmWjdZXiZGXvm9XwcV4HaoHz+DgzaLhaYk8/t7Xy/vo3j35/7+62ZIlR7LiDLnGiR2vVw+6U9ZkVL8NQxux4vuzkTP/cHnzQ5TjVF4Ef4/bRbK0iZTnGTPFU/ve0r7q1X+QpayX/b/x4b3Ej1UFqJmwdP5zUzUrWn9zQne3urdGgUcwgKKfRKrd89KTV2B7UxB0Yzstl2oB18Zqs1SiMTQH1OzvT09JbR8ULR1xe8lxd8QWnYUbuytmZbWxkRFb5FoCj+bLN2vpNmpZWqfirNeBuvT1GS/bQ/fJzG8V1/ES+LcAzngj5Q691aANUolUYqXanG1y0z5Y2EvGOmDPSUwqRtrvGrXqZOwsYinc08xigoUd0BCCUG2haRaQBbWcXSgztVcjlWQF8orKUnq3wM6Rqvak5jwe3oUVFXrOjXF5u2B33o1YQKaw2T0oVG0BNoRmdlcgV/SpZDD+JXoFCbtLg2FqQxcIL+6ZOsCBQS/TUGLJtIi3Jray98YWW+6JzQxm61+ZY7rFrAFq36SDM/K6PaI3YqaDMlGPiXNcRJFaqxk3H47TS3s62dnRSh3QFfSVRo4bY08fo1fk/n848ZitNnq4JMqdjOba4vuR3e9vfpZ9uOctlpTmW2M+6v45UbUtkR6iTexmlVT65KXilDY3aHF378qVJcM51qcMG7Mt/G6czf36n354tnuo3769vPZdPo8EdBvrzweDGxcrxUro7yJG4HBSMOCkV8Xmpw2rnQz7xKNWggl0HCsYQeeNZ0AAjA4zRoIWMQNFoqXtXMXwVVX5X5hzny6nPx1kBzAiW3thaF19UGUI3LVeyU5Qmb3I2TZdq9K1cCXXpNkw1fzkt4vS+318tZbfx8r4QdKda91tKwMtWJSjM0PfZDSW6B+QiIyPEdvDxo10gsyzM8Z8RyoJ9JipluWTpzI+sGjc+tVTK+76DXv5sF+/W8yzeg0DmX/W8VelhJLurB9As8dDh8zomC1gxZWSPW87vy1+Gy+7Gf3n5WCYeg+wA8p5BvgV+HS8tMUmhwT8HohrKKUYEpj2dniHSXMdLdo3XbV13pbBUR/d9MVWGdxI/77ddpgcVWIps9ws1CdxJNkXOFqk38gJDPWZK0h+l7fe5IZl5faEYU+NRm232hVRcyOMyJUjSUzeUV8/uqCEl+okBVEJSxlbMc1LlQ5pN6F9Jai3wp2aCgcNi+9FwuGrphc1mhNL12yQfVlCUVv/GfpvO1Ty5BJWMKE5nWCK3st5zyXnn64JxFfpavrGqvvFfuM2ofIi1MXhlsu+WD+vkFnqfkT2W35gNZ6Xv26LYLqrKFeq5NNNd9OyuINihp4UgTobfzcX/S94WMERw/kpaB7+PvFQlCHorIXkaasnsYatIpJAMRzL/It8T5eHg/TN+/98e7nmBZXNwXLIJHUdLS/LlWDB+pxTJkaH4YimnqOy+gsWZFyKAFXYMtBPOto4p8D2tLxFcxP1TLnYjaA9TuW0dTlOios+pi7mQfKs/DK9aSx8l4tuhQdYXBzw8QabNF5VLAK0CcxBfw2mD9lZ38MkNegQMu18DPkZsSOfOK4dtTVsFSo6fcFZVpKd1VKKvgUeX34zi2Kp+dFC/n4tOw0SqeVuJpA+pYUZJlPHgkw4u3rO4sdWKVbvGR5uf/rbBT/mZju3JWb34EgjtK4oAt8MlLW63bTimqWOgi8WoJUhKqtJCsLXcx9XY2K0G9mq+ixkwlGRZzTzfnq0JFklL5LgzIRDOOWi5f70ap212i/pJrKMoK3BunPbqc9D6GQnjnd7oy1bIovTD017SBO2EbTbecRJSLXrsp7bz6gqzTM696QCtedHI9DcUH2VyW0ig5SyXkPIC9Kk7+FyviOv7ZX6t4XcyvL4XvBbAo8tWURaCsP0Sx9TOk8n6hyMEjC0PJPrz4ro9nVLJKSjc3Y08GZffGo+0uV6rQ9mcl0NXsy2MbHT1Ld4mwecjC9v32vnKunMyPeUAxgfYimCkb026qdFyNos1RGvpK59TJGfQca1z3kZSVt0U5KC9IF4H6ZeQpAup57j4P5UtIMSaqvDtLkuw/x5k8qd9DtcqiGf7bdK1QECdpoAOl4t7uP2bh0krbyWhxLHq23398HbT62pxhbcOGg4KeC74DSNVAaNYAvzWGX57rh2eckb6B4k5CUcOgtUopSjdQ49gAoJY3mKqOF9K1LhxVRwsRbt9fP3R0ZiU9AYJhHtT8ImnV48iB6JTt6ZWU1YCXXHHVBFSV2XFcZb7Edtfx7VydVFZibo4qis3b+nxv9RVQTRyBVCWa/H5aavZ4UFU8/F3OasWr8j1QfVBIUnjUmVxBg+bp3KLsG/VakB+gMG6xUkstyITqkFMGnq7S2dCqOaWTSQ1PPYJ5bC1D4WSBFeda5qE12UGCODQMns7Nvu5RFUo/e8G2h6/7aYagAmn0uuxpIn8676fz1+FtPX1BJXQj1P24qz+dZ3lytU6TqvreWKe/xlM1i0b1McnXi6P0k4eN25/95TaXbTwEyfT+FduXT+tsJUsgrkrfjO70tf17mkKKRiH3fO+/0JVx8kt7ZNv7rnirpXydL8Ff46madVXszM/IeWT+fav6QFmC4Av1g2qOTOfLfvq5vt+9WoJcxXk6N8YquVCI7poh+8bG43L04EN7XMoeMpK+1LoDgvPo0uXRpcvHkhFDXy906UJxiQkZmjGgAhmkJkxAf7KA/mQB/ckC+pMFkOGhB24CGEzgyhookZsIaZUI8dII9VmId5sECdkkNj1EumJx9MBkR/FtVwSPQbBGR3RrAEqhetma0n0cEl5FJLYE8wOKwiEdZv3GzTLtj7u3+kxTeggoF3n8N8d5Ln8ol29ICG1CCbPPXpzPqwkfP1C+y+OdZj0dXYjlZE7Q08LIx3CmTqt6HfBjadof1y+QVEVbDzeg53fX7E03PQCt0rE9vjp5VE0wTXg8hq7OZa0iTZdF3UTaqKwbMtmlX3aRkMV6DkUHj+b7lgfVTo3MonlKNFuGAnzTHmxUsoDYQ2n7B9fpPCdb1XhXbgx6sS9izDVaqXwNiw7YkYIAMLMNVyp81foCv23+SJZRCwobxBETKSperFUgo6LIFDUNGuXDUBtlVOIuhcEZ+S3ZrraT04U1mi8qiCF4Byc6/w3UjItKvsFBbgpYVzjINN8rXm23f3ubHfp60RnVCoBqaEhLq7avqoE44PFc7TfkpYLGnp4C/PIxNR9BpvYzlbPnTq+0tJhQ2SIRxuAm+5ffXvdpN4pEBEAm//aNm1AYXaVdJdCJ6Lqn6KywtYC9Vbwl+wcVsaFAi4CEudWnVjd1Wang1tFLVthcNHD1TaeajzqKla2trA4/JQwODydSmn7T5PZBGHRDr3J0/cNaLM9oUE1Uu6m+CBDSIpWm4eZpq/qtQ0srUt5g27I+eZWELPQfbKRklqZRcgqrVu0lN/Yvi3a13Y1SgMsJFJQocyoq8+qcpLwP4EUAzLM9D4eFyUauWOFHpgD4/7AjSHZD8gEQMiFisuFflsAqkoxSZKDwrLZ32UdVviJdAKQsPViUwC9LBTG6RtiAVlSJO/YZLfgYq2bcUvuVlrxheOUuSmfPU2Z5Hk3SterSLc0yOZL2NLfyGSUzGR2xLRcBBPhRn5xR7bhSK7G9kj/+pU5CsZgLJzZSFSxpunWcRXXyOJw8tFhAGdSnmCy5N86Wl/uXGWwfXlGdtq4cXq8WS+tEMOpmRCaVOxY1wUOhnvxsvl90paKThSgDP4D+rvxBeY3x/fF37ZbJU5WWWkx/6+cFtb54L9fp7+qJQQLKhrdWXQtlqRUNN/35hwxDoF1MkbvtKWOqqH6sZtRJeZqBf8PZwmzg/Tyz1rRvoYjJpTCNA9nZ2MdhPOpSUq+Celx/iSph3ls90mUynzYJvq+bpMuDilcEPgZ2+pFyFum5f1/3SbdJJjQ75ufd143S5UXJRTPv647n8pYZKKB9X7U8l2fPQNt43E9zoc/5OpenNuRJVWk3YBWudHo//Tif5grvJjlGfi96HmQTDQtxUEX9VBDjfjrM7Wvnv2v9KimpZnxhcdEdcD8d/vs+7t7337dnIxbtRUjvhZr4dTr/0XQZ6TYDMw2APR2tS87Kg636BxX3ZBgZ3Yl8Lq7wNEC7n26X8W2W2dbejqyrGKBkn72vks1wNM1/P72g/smkNc0lCCtN8p9qZwH8fijYP5zpgWZPhKr6ksRr6CaoQKIQbPgxdHmv29/2qiERTk9PaWwPG5taP6qHTQkbKOXjYfJ9pylFvRQoCRRaeQzekAlSFazZnzcFLjBo02XQNQuZRDvQJGDjwQ2RICcP69KOPFDn8GH22XpLrapOZ4zRWwtydT0yMYCkDKryLC/zVI9sflGVoEUAlKj3oCw2Z0VmM5AiCtQnrZSgrazAdBBBKjX1PcXP7lfdekZtop7GjPdbxamTMFbhRFCG0P32vmtwwuQ0cLfj9q56uAdFiY0Uv2zR0KJX1xfls91v445qPSRFbqZ+xE2PcnKYL8qkNKabDSz/vwKyVQ00TtSesv5mK6v4UgnoofzCcg3KbGU7towK8BtKKEi33o3HlarM15WGC7S2BcZ0TCl9W1MaYUTKLc522vGkPNBMEWyJVP/+fhuZIkZQimMRFULoQ2AddYieTSDHt/3p7bg/fK2KArxKngwQVxtwzHuaYRDG13ZVkmcAVw9sXeNp3w9hd5Vm9Em5DXQpChv3xtupXNYAHt8ADTxPnaNseV3xLjFLy/WV0JhT73vpY4IpLaqAMrjmOhojwHINgEmNk0DVncvwy/1HLcxpZXasp54PbLyP0/5w1Bis7AEaSjEp3WMwtsbQkrSEU5Lu+tIMdS18IzMZAQxpaMDbgAxlohnF1RViVMuAImNdyBr5OVlqPiOBPW31tDxEEyklFMZP91mx5+P7WV9QO39J9ersaT/0RmFY0mlE2srxz17Xpge1iRO2X8KJ1kFjujTR6eACofmyNaUtOSWAzU//ODcO1rk1m0oFsn21FjNT53u+wgKUdCxkDAcgxSETnVxHY4/Hg+o8qnjHhwXU3eXjymWfDnV+oK+B9AvHt8956z7jBEM26B2izucfAmhIjuKXz7eeb8SVHrysTs57C7yYPgOtPSWpPGy3y7HloUYzeU8Da4KND8pBw5KKVErtaaqdHlDKeHC2E63qexhb/KOxFU5YhSKXI4h6/w+DaxU0ZacUsdAk0sOO/o5JXW2OOsSPsfVp3UtKVYDwUKDFt412zlYiSj11HZ4jK0/Wd0oKp+Q9KWRd7Gz7ssrJd6UonFYoF8MNb9Z3ypstRCBK9xXmdIsUpfVYPEVe8FwsNT1arzj3pfguUnjwaXClIVWnO3spkxjyARSKBM2ruayduyjdDGspdqRbWbb2tKTR2ZK+pKyOBiDRS9Cx1N478DI9zoqQ7zLXUdj5+QRCRlC0P2hDJn6gPawtBTAfh2Olk93LqD8UsRf+xYW5Ov3SS854GMrH/Zd3m4213k8eK768Hz0cHiYrsqRqq5rPWchic1rA09rqsJMScwGRX6Awbm4gX59ZqpVgEU6KFG8VhjYPLa/6vhZ5zfhq4tippRhGfd7BNlKShrSnjy2Vxyhah/FfZq99bikiSV8yuxQQyhZXmjCNFSgrkkPhab364dqpadmVO8/Dg9x4Z7V2gnTpzdbkTTotqypIN1baYfr5ft3/maH98XJ+04Qz1YCO+2XZxrHNflb4OD0OhZHf+8NxfiGdi1fNu2nlkrDzdp4zUlNlRknJ0iqmYqb5Nr2s1OON1IqV1rv0EuEmHdT+838vLWmOh9P4v/7P//3P//mf/w9kpuLITvgKAA=="; \ No newline at end of file +window.searchData = "data:application/octet-stream;base64,H4sIAAAAAAAAE+y9W3PjRpL4+1VOmK9rrdUej2f2Ta1WjzXrvqyktvfEeWBAJCRhmyI4IKhu7T/+3/0AJEjWJasqbwVNuOdhJtxiZdYvC1lZWRcU/s93Tf1l/d1//H//57vP1XL+3X+8+rfvlsVj+d1/fDdbVOWy/fdiVX33b99tmkX3p8d6vlmU63/f/TTtfjp5aB8X3e+zRbFel52i7777v/920PXTnw/azubzplyvD6qqZVs2d8XM1jaUArT+23eroumK2WDHuk5/ePWnQ2VfisWibKfVnFDdxBRKVbyXDAEsy/ZL3XwmElhSUoTV5nZRzaafy2cKgiUlRSh2PxNbwZKSInR/Kb9Sat8LMCoG3P11sSiWs/LXat3iIAwBaSeYF23Bq3QyiGLbwLQyAPNQrKePdVMygQxxRahl+bWdrop7LpUpr4jV1m2xmM7qzZLpNBNbgwwN8OpfuhJ1U82KBdm/QdHxPD1cPdXn4TZQ8f4IJKMfkECJPSJCyukbKVTAFfGeN66jsf1Kz41EXqPoJDKfUA2U0giZ9sercrVpi7aqlziiY3mpb65naM9wKp3sRbHNYBgZgHks2wLfWVweQ1qEFH0+75iIeznp89p5YNsUy3Ux6xUj50YBkgmoj958h2YJYG+W1T825XRePK+nfT1PZJ+zsUF9+tiLenlfrtuhium6bcris4w8pFIffrZpmi2UHnxIpT78toaqfZ6uyqaq59snLWMPaNRHb+vP5XK6/lKs1n1dd3XzWCKnsuFeCqvUh79tqvl9aQUELSNSqjN033I5n97WTVN/6Xy1+FwqBs6kbn1zyq7BZvWyq2fWTrfQKpbE1OobsX4smvZY37xcLernx06d0IqoXhUzgLzg5vjI8VMKR2i82QVUMXWi4VqsMucAwRjTDyQccSYC0nEmJWE8y7U6XUlP6stIHQe/2nyojbrWvDUlNML3P5IqNyRkVc/LWfVYLJIR51i1ISGr+hCgCtzOxhEBkCSjmH42LJYkAIZSUl8rHhHTbbOuyUEiaeTekJifkWoeBBgVW+3b1MV8Vqzb8+HBXS6f6tl2cLkqu8lLcrhIKxBP/qv7ZTnvwtjzoqtKB2fiKU23Y7qlEk188bUjXhaLbYS9KxtiAwfEX6Z5YzCSxg21UaJpr7vctlref+gydY7vBsRfpmljMJKmDbVRaIJ4zAOmmJ1GHD+kVdME0Ds6Z5qXRJcwZV7GDzwCycO3miA0Bq1WTf1kTRGnWugo3WJzQk+fE27/KcKsdnhFhtVNtZgzQ2pEdLSpQBKCOEOItods4pBGpcwnWKDYgywIVNLpFhbsDLH9hADdq8kCWa8w611pyqMeLcw///TTj8duPp22z6vk1AqLeXJQJ6I92VsNh6bz+nFVLcrrfh1tn4jjIlNEUhzb60U17xftq+Vq007/Z5100RTMBFaZbNlY86Tm+tt/C7FdZTmAD00z28k206eyWafDAr7NAcVKhgCuPLdEcDbYMlL3HcydT53V6eSIEKaZRHViG9NpGu3eB3HL+h0O+NAYs6bchr7p7XNbzuo5svvB7R3RqYtf3FZ8zp1wpvbER7BoExJjVxDS7uy7ny+eyuQKo1V2tKTZr5WYJdsmhk5uN3Vbz+oF7ll5RK64DhTNgTwohuMgoMr+RyaRJauD00066Rw7IR2Au3rTbINaKrEGOCxZZZ/BbZHE3IawVYJCu13Us8/TtuJ4jiWrifNQVvcP9Mg3caR1kNqv04di/UCnOQqqgWDWVmES9PopId4waWxhHSDEkQGABHtSIIQQHLQRRye88iOcmoDr5DWDxnGEAA/pJAIaCnmAI8BEObsRQ4Jc5rg5iGQ7Coye8TlVM9M+w2Lhm4shLtJLjHgs9AJoiIu27IkHM4677YvyIYPKcgDTcqIgKiMxSkM+lu1DzW3Fg7Cm/zX33JYaRDVhEJP7AAt2Zo9GwZzGCdKgD+bggYy9SyaVrUGGFh91CNmKLTRiygJUTM5bHIt18gQIjJMs4OComRVEx0qvcHj4F9FigMR30pKIlvf3S57l4XA0ajMIEJF6PvpSgmDlxBsKQLtDwbRtu19RCWmQztahi7dPoTDTzzCgo0WK6DsZ95RkQlq+g0NLvBA0vCws0UiilAwDTcjPeKiYZA0Dis7cmJjpNA5FiczpmJCoBA/Fic/20Kh+5+ed343KjnJiPU1AbsD0MV3OYSgMKOE0FAt13v1WLfEDZZTWVpYH+L5YL7AhPwp7VJQHdP25Wk1vi3b2UC2Te0lpXFedGrTf8d9ulnPiOciw4IhdPlg9ub+DLaDR2SOI5J5Ogbzryk7/sanbUk7q6tLBhd3wv/pqqC5oCo3sfl7VLNezrNZyOwCN5XIBOP/5fdwd2L6u7rshYdOQHmNAVvo0N0vSufQ0ywTQiGzLUPNEDtRvy8mZTVVqsP7zvy6bp7LpRWi5IyAnPrG6Vbl7A6PBdpoQxwTQhmxGqEmC9wo09WLRvys/xawxxol9ZfrA1Xr6uJrJOA86VPAAl2Scow4Kim8NSp9GT1Q+wZ5Aj1gvOtSf4iMc6acj8s/xJqiFh3kxhgCuyXr/KCo73s56koK6yR5tEo2MSO0dJB4qalcNAYrfW+NgkoKA0qs9WFDGuz14UMLLPXGlibd7trI3+Nd1fYER5zdeteS5zQ3irdy7pn6ckrqyz+XqUMRraymcrUGGBjoTebH25RZpVRZnketxxNEMROOMYjnWjJXWijOtEeutDWdYE9ZZC862Bqy59ktZ8/19e9iQEjUsCWnM2J11ZNY7OUgjG8Y2Ft0svzMhd/8YORsPEbBiGNQMoSW2dTm1FkhktJA6FejQs/69vH2o68/0nmALip923VZ31XBwddPgtreDIBNAHakVnVZJrVFOH8ouX6E8eggaUKcDDTx7xlPXfd7E3g09Y07HRj3X3esu6BkWBGepyAQ3vasWLdbrooxHTRlQd7px2UoY86hFFZEXd3QjTsZYoxtlcPHledXWZ7g50bHoSJMwp0LS3MuwKzanoTOskVc9BhDM1n+zvXGYsewfFhz1ZqwEBuNurEiLwE14cXX+6of9VALzPr8vIJ4d7DraZaq1AjVPTPlkAwH2xsL5TXpUDGGZ8opYQx7AhDpKKyJt32r+Jf0KcgjKlNfGer95vE0OH1GwgwZttJv0O+1RsBvke+14LOONHsHj9LXkQbxEHK9HMF5iz9fjIRf1vQTOEFeE2m904r7vGWLztSgi9iv7TK5BVNPTaq5v1bogT8Viww0Ue1kZjpMw/PzqlJgxuBIjpgxg1eScwTNZnjTAYNSsAQuGThtgLFregIUiJA4wFjVzIIFhU4cIGil3IMHhkocIGiF7wIKR0wcYj5c/MCCRY3SSkjJYYzHxKQSMR8whsFjkJAKm42URWEhcGgGTEfIItMchEomAj2EzCTzK53LJHzWP4kIoK6FoH8qm3Dze9Mr3AilCSGbk907DDKy3TeFmiB6jkWI6WnQR+4MwUkBLhy4eKqkOk+Hzalqb9d8cTG4SRVvsoEEXrRtPUO+zR9hMFTnarR1KYbaykk3oKhMDgyEPfQcLICENd5hRMlArfpQEDA2f8uHS7ESVYaarpkp+qiuGdFCgCYa46DHIhL3rkYCzvVeay7MX1gRa1unvqwWB9sKaQOnkL0SDTP4oD4sQvv2HRQ3caSDSGOwC0UdgxMMiDBze46KOE2mcx+Lr9K4s+y/2TgXh0VejDdlFurrp75lXog3o08TWRB4B11htmBazWX8v0CJ9KVrYWYPqdGOfmUmxm9dXowl5t+hvguq32fspW8mmBPRoYh6vsl63xeOKS+mrUY0FVXozINjvK9zJFAJOs1hNy2X/2YjuobBHPk+LEDExETjbdkc67E5OfLCINmUHq59w5uxeA4TO17R1U9yX/a1yQkpHkwoq6tkibrOMyoqfsWT8cDAm8tHDaBR0Q77dB9ubPtbSrbDlpQ1aNk2NXrGMQkz2qjgN6TSKao4LsQoyXhwqb4UCQhWsVyBblTHNA9uUO+nDYTJnXBCpZP6Fg2Vl5BAqPx1Hg0436xK9bJuk3WvLh8xcuIF4Jcs4ONh606rRHnTlw11vbtlzCQjZ0pcxhPU/UvdsEtHMUZkbXnFsM/Xlw54Vi4Uitakud1vjd6kwLU3csSJ3ybZoN1rdca8rH+7wmSjWWj+EbOnLjb1EHZuigC/xp6gEPn1YENNrd0DrOCYwl/pTNkg2AYJGQFO934pFNS+6Cfq7si0QF6QF5aRTO0pDwpXTd05840Nr2Ng7+hOEtIv6yZhfqvZh3hRfigUxuwjggvr0sdedxgd0Uh9gPSrRB+z71dP2DcyLVT3DhqwAqK9MH7j8WrUKqKaajN56uygVYCF1+tC3xaLAb3wHUI9KMjz6u7uy97ByqoIKqVOBNgejt8VmVrbmIn6c2SsvHXyISQlcPysJ8U1HIC6qZer9AgTioCULophOCma5V7l9L/06+Q71saD4yNcWjVbd5CCUtvxoUWhMJVwd43KQ74lJ4+z3lIkkhpgOxDwVDgGCOSrmIR5JW3ymVr+XUah+uJtrui6XqVTLpXBEeTB2j2xnD79U/cZgNSsWw62Pr3cjzPrVDz9cletVvVynmwupR9qfETMjGgv6i3X4pgofZMR8xI6IT/mundgE7KfuiDaQvn7HMcJz+UHqqvxSNHOqnweFx3LuOADNo8MtoeDGCVCy75JhSQ6boKV7KQY34Zq4y13CgqNd45VAIF7mFWmJ2NU8ckxDTQ7Iw5emUwtCSU5LUwbULuFp2u2xOSGppSgDaJcKaWAaajJA3tXNYyHsxZODEh1AK/JURYu60utYcJQLvZzqCNd5GRaFdiI3TSc2S60kuwiGGA/CanfzG1IpELOseF7cf/Oq3mtDxE2v8gmkIt0ilsHiQcenIo4zGJzdbbwsGlNUB+YY+Ok0lqwOzmx7Zd0U15l9IldcB+qu63ZsJFtYCahMnoyBSErc+RcUAuo8AACB3/sPYfz4Cg5311vNF8vN8cTjU9FU/bZBGOoo9P0pIwZGP7LBqH2C/65GyPbA8/rYJSTmHet8uJOjKi7k/vMhAdbz+nHVhTmNljwxdGWifVv030LSYD1o0iN99cNffz79Cd9jenEMOaOvBPOUt8Ro1peX5iu3m+27ZqxqJ0dh2oPaGppYSOdTORpEaMFnhXjzwis/xjIWWCd+5cozUbhYBeOQ1qewSOglKZiJtgqFhWrrtlhMZ9SM6YhlKxCBub68/T4rgmpbTmVehPyusF0p/TPCR+M05kEGCX0OFMWgzH8MCvLcJwpBmvcYFPQ5TxSDOt8xSFhznSgMbZ5juip9jhMFKb+uqq6Vp+klLpvDklNoD1xiYjYEYYrlVm3Gqb+V7bDc1t9B3oVo3Lp9SGy0VfsoADGOBNtAtmIfR6Ss15MBsSEngUiKQFRI3Cct44SEr1ki8BgfskThEb5hGdQX/3zlcVf5NerInld+lDVxuFbC0rhvpvSljAAS7SUMKlZZ3T8w28rRoIe2DUfM57dGfiUkBmN687t6Xi4uEC9qHwtK/be/MoJW2WQQSVptWBO6iqMLsulplVv/UUoBYVY3TblAbqn4LeEI84AsF9gs2mp7Pd/+0ygfUMNFUE7qIOkPMMWrniA/vBQ2HG6o929vaC3kC4hztiK5hx2odDKIJlsFsDK0W/D8eFsvmDgHYUWg22JdIj7fFUIyxGVQltOgLpgfSolfy0qFE7OeCS5+7A0IreNV69WieJ5iPNOs3JGTYsweigoRTi0EQ0Za/aqp23pWL6Z3xWO1SJ0WsCh8USlMtZ62XR67TCYZtjeYUlKE/pPHT+UUk+lYEI6cFONud7R5SqSwxaQQ+6ndqmgfpqumvKtSb05aMLA4A8rYYh1+/Di43tut56U3WYNiI22zpuonbLSGWyDwFC+ehI2z3w/cKeIDJjYur+su3S90UA+6NGndzcu0L3rbl+Ha6F74Fxfkct4Vqu4q4/WXslMNARyLcgbuo++/7hKP63JVL6qCWufElsU+KMPIING7bnQ0xxAK0VFWi2j/luIvdefMn5/JVL68Nhm3vXx5LbKP9eL5vl5ywTxxLa5dXHlTPnGoHGFdJm5TudJaVGfNbdU2fN/y5UVk5sTmw3KbP79P5/1GSfGrv7gvQbg1kr7/YBoWWk//siwb5K0NHosrrAH02HnfPR/JF9eAWjXVY9E8c6F8cQ2oef3YlaCyHKQ0EIqnoi1S660ewkFKAwG99+dh0Lb7ECjobWEPhbYxjEDpN4GmTTmrm+SrN36EsWWZOIxtsSgJYTvM1GMZE15lGHooFdCSZDZUYCRCnGRzSo9wjg2qEX2KzTVOdoYNRKGcYEPiYM+vgTyk02tIIPzZNRCJeHItDGX67cfd9+uvq/vldr0pAeYWl3ruaqdve3PEbr0rORqACJOAomQrefYLj5bBdKQTZlgk9KkPmIl22gMLtVluLwGZT4cHwkIDlKgBriWePjGl9ZAwb7wEeNAvvURgjEVZtxT21Zew3EjLskkAwrpspBEk78BgESmvwYR1ppZotx1MCfigLB8v5l0YNC/+dRgKr7uojOhL3qpypD7ZezGuYkSSComMkKkGq0Wnq6Ctspw1DEVJXClg2Ow1TEZKYSlo+Dw2DEdMZhN4pqdflcV8fywCd7gZkJD6+WPZPtSp5CdU7+QgnWwXyNhQutjcp3KMINAgq4pzmzoiE6a5RR2PicPYLnPf+VPZXD8WTUv1nbCo+JAtookStePbKtICwTOEw5e0Ecdu0qCuNi1k8zlfl+X8vCl3V+luP3sep/bKS58odhYJV0ybRvrGxqE267KRkh11iPCiz+yqXG8W5Ce3k3qx52dUL3yKg/lZniVAKXmicdQuO+nmOf0kH3tVepQXVqcNve6KCxv2qEIBzu4p/SWs15j7W82i0j5h3f2KaRun6gmgANEyhq3RvpDKeXyeo5wKRtXND1YzMsVBjAsRcg3cwOeUf0EnMUYZqadEh8GS3S6TvagIxl0+8MraD85bOoDLC5cNPKWIdQNQZoSFg3C96JUD2FzZ0kEEi7J2QELDLh5E2EirByQ4/PJBBI+4fpACDPk80d1fwNNlTq7s33LX1vZqBYfW92UVN4558H6ZjDTZBYXkAz8qYQ7XTcqXYbulk7kIHG0ux8FDTuXSjJSZHAkUvQ8dg6TtRjMBER8MQzFivxpGw+zT2mp5j9w5j3YZT5MyqvlRGMTxsBgroCojrMhHPUVy0HTUxi13RURHW/NKMWgES83VLyyvOHDGoYXh0wTWCKJxWJWObyLrdX88uEJLa4WCxGoj8qxSmpd0bgmJ6saucv5bvegS2aJ5vvhate9291UgvxKaViCNY0/7T8v1K8SY1WYc0QTSi2riRHuFXidOv8iPJR9UZYQdjvE97UWn/fchlehDunXNsZzc3GlMWWGWFU+iemXTww5pOn55lU8gFemWsgyWvsYBUNFe5EDhoNMVn4aWn2BgDu2Ne/0IYAI0KKMhdu9jXNjtehTUvFwt6mf0O2QAF6BBBw2T7fg46JQGg4C7QQ+gIFybhwJJH0wBIJAnUXAPA/3dUOiZ0L4ZigKq1tN+A7pZFqm7iAAgW1irez+u+kOuU4WxI6qLjRscWc/6rwdX7TNq0TIoKJ72lrcPdf35ktRePsHE1ENrK7sdYruWN8TYBGCaejJgLlE3UKUgj1oyIK6a+n/KWfueOBwCmLamDKj7HqjA6qjKAHu3WSZPPyQgBxUZ4LpJhJBtpyFHu9Wb5vVzW5LGe6jxDD0ZffGMnrFF3PGMmb2hkLeXqv6Sviw2BWvqyYX5fvN4mz7OhQE9aMqFepP+tiEK9Ab5cUM6ppH5KTx+X1te5EvM9hWe+RK9i0WGXtT3GrCGmhzxtakfpaF1pyLHY6+lD7rOA/ZULDbSXr7XoYMXnEdgzu645cc4vAPWiT+945koPL4D45DO72CR0Ad4YCbaCZ4IlHfU0izrXqvsH7QESjP85i9w9dZczrtiyyvKcVjj2rhm9uoHam2TvRTtGdw4b/daFD+/OuVg7MQUOU5Pf/qJAzLIaZGcb9atMTphQQ5iIg4roNaLat4F3d8wYd8sKw2kmOVWrz78cqtlVihaIWbXPgJ6PRyDgBptfQb8AIuGSE7sAhS4KVwAw7iYwirSO2z6TgpQZKTrKGJ1E26igK0OPKdP3ZP5ixjrZK+GB5e4xqFXfvpnHcitnmyUP77SodzqyUb55z/pUG715Hvir5T8cqcoo2f+oOWauPyIydmN0DqcO0VZOC9VgtFlxlh0qROKLnNGok75K4UuvleTi1EjWF7mjJWdco0+s1eTi1EjnF/mjOaXSsH8Mmssv1QKkZdZI6S7Y8LGpGyWMDhf18YHltiQg5YshNdtk7x9DcN40JOnHa3NPH5DovfyuIynSpC4tRkupcKQc9CTj/JHJcofs1IqDDsHPfkof1KixK3UcSkVxp2DnnyUPytR/pyVUiHTOOjJR/lXJcq/5o3qCnPbo6KMnGrDT97x51RrADrNOwKdag1Bp3nHoFOtQeg07yh0qjUMneYdhzTWNo6KMnJqDUWneceiU63B6DTvaHSqNRyd5h2PXmmNR8i9aDan1niE3Ktmc6pNiPKOR6+0xqNXeccjjXXXo6KMnFrj0au849ErrfHoVd7x6JXWePQq73iksQx7VJSRU2s8epV3PPpRazz6Me949KPWePRj3vFIY0/oqCjPCnzTFM9yyr2aLIw3m9VCftjkZK9Gi9E7Qhk9n9MLp5EZJ3Oss2qrermum3J+XS6Tb+2ZZcVn1eop/hIXr+KJK55+RJahAaim+LJ9ZvMp5kyyT+XJ62AdVU4fEK9gAK3lKdABQ9+14iPRLldBtZJxvQyzmXwN+miLapl8pTOONmhQeoSY72hBzw/9Ea0QhnlQ0SyC/XxWQGisw4rR2inHFQO2B54X6qtZKDjKJ7MCChW+l4VDxX8si0m6uX2s2lYJ1lCWife8fuxSk1bDR08MXZloMd8hw7HiP0KGJvWSskQs8tOyQE3CxKwtuj/evy4WxXKWHF+twtLUDHmPjF/nhHJ/jG1f+NUwhu2TQUwJ4rbefiOjG/E+c2AccSWozXLQe8v1kAmgQgmuk2yrWbUqutqtoRQPB6jgwwEdq3+Pp/yafNfRKiztWDNunZOjJLYR9vZhGoHTFkpNsu0V/WBA82MAYgKpIraW32hOn1PEhZXpAnfaqkcdXEiVGBZwyQ+rsikwd1Q5xaWOmF6EgCqcIBcfXNtC9ydh7+EDWWhX8SGR8DcVgkzEywqRUPiVIxCKuHKEhMLNpEEgwmQaCWOsF/CQHAVqYI/Iq21BKENYAmSuPDil0IsPQbmx1h9SAJQliHAjBF8WqNqqWFT/m5zWITFPbI0CZJ2ZMxabNHnmMqPmz1hiwhSay/tpuV6Vs+quUoO2NaqSe/P/dETwlwDC9TFWARJA3uXgSRzBbeBAhnZVfika5MC7K6u0IIEe7o1aeWP9YKJ4UcIEIa5JxBGKR8zXk4DWeER/NQmD0ectjKbYi+lA3NXNY8Foi4OcDsZmPZ+irp7wSUxRNoyf1OyK9LEIc/EDKDNuMgNXTk9kXMNFWykINNJOCqgvMaC+qdZtU91u0hsUGFpbmxpxYNwKeWFo1HLrEV0SZap8a8eJcuneD+QXll0U9Wk9p9c22UnRnspgGkjxvksBnmK3Y4VADoJClmAK8en6DeqKJEhGnFKQB1CrZu5AejA5vEL8VDbrfpd/1VTY9ToIENCUDbVFXGKKIm2xt5gmQE2Xu6k/l8vQPXUwLCQidTjExVjBatH3Y4G2hnK358fbOnXxfhjpIK4Ktfu053qzWi1SnxoKozlKpIB/sV3ppl8YuyubGzOr8aKqV1Q2lCTuHIRrw9856BsWoojeORjGQN45iOeI3zkYBsHeOYgk+bT8vKy/LMkkRzkRiRXnmmKejDB9GXEkw+4IHGsjbgPsTBHukRi1kzZGopWjVyKM2mkrENHq2/5HUuWGhKzq/trmKSprMmq3hTQAOgXk+gcZYdPXZOtNEXnlNMsNCbHLIb8aZHsd5WtB8S63WjX1UzllgcDCZCAvziKuyT6Uk8ZbxG6ZXRf6WuyjKYGqkddhO9VTrsFOImCvv3YYSNdeJyHwX6x3MIifqodAHN/D94F9yTHHe6tO+qh/MC50Eq//1AXmcL+HYkkqopTV/QPCJ0CYvawGzm6kI2QnNpEvrgFFecfHQyK/4YMA2iyHD6DiPhfvMQHyGlgyqCxIxJdp/KfHeJWGiIV4kSaKhX2NBvMAMUd//AeHPvWDQNieEMUMTzbDUYwJYWw7GQWwx2hAkZE2nWJ1E/acYKslW04IMMqOE6hO4c0dDCb+vR0O5eumC3izwkjF2aCmqiysuHNHGFTKkSMOKea0EYYTf9CIQ4k+Y4RBJR4vQvK6G6Lx+Ojth8K1yM8TGXrPnUEjxjCUFe3HGuoSy+d2Qdni+X7xlFbdxBCjeER8idYGiQzSXbFxJ277Cjmztt4m+XKtwUBdsY0i0OYgBwbG7CMCMS/XbbXEvNlgU9hy8rZArmGa7UBZw4xX3q9Ikh/DUUgHgF67RtXt8DvVfFtOBwO/gmRjkBZQoxjr/Tuz03X63hGbxBMVw3BWBQ447CWBWOvwcfRhOCsBkNvQlgFirYOebB9bhTbTjlR+X6wX6Xej7dqPMpzqoQQCt/1wKDrODoRdHWUT4miTeB/CgSBuRSRBCLsRDgl1QyKJQtqTcGDo2xIQjumZn1b9+XbrC4lX5T82ZdJPw4LiI363lazuyU5DsnkitkcW6/piU8SpsBSkq0sH13+2v5e3D3X9mfJUbRHp8yz7bxhv59jTu2rRJqdRQYYJpAnZbE4rRFF3ulNjRQrzqEUVcVm31V01204sppsG11UgSkCRFNRyvnX6Qa/lc+VkVn6oBPnK95Y7NJ5W69WieEb1/kO1jhAVwGzT34pF1T2AOtWwh3LS1n3aK0rPfuw6J45k0uqjadJFEQeEtiqSxEBOhR0Iylw4iYDKox0AfCKdrH5etkW1INZ/FGIBuEuhhzJvHBhvIdQtKXyV8qAOkclbZUdI5f360Lm8bZYsmQcwKNk8CgWbzgMspHw+BPMX3yGu7V7pLVU7BYVvKKWOL0O1UQ4vu2aBFB+b+qnq3/8wd0ZxKI6oMo+xtUTEwe0joWjelKt6XbVkFlNOqV12e85ns7Z6sheyka0DyOuQbVVGtpNAnIOQDsPF16qlO/BRSo+C7CoHIR2G36v2Yd4UX4rF2VM3VvY7skQgWIM2nbclT4Wj7MQT/Pi60/VAfoiurKY/8YhcWR2iq7JYkVEOQgIGM3/7fbs/mcgadoWyz0yNapBz04FeOkMyK6ZNj+IA8/Ku2CzaKe4eUpPClxSi3JXbO8qn6W1DE8OWEiJ00/inspluN3aaKWrSZrIExOlQxkG/3W/XW83bE14N9rxfTHKkY38IBMLpv2hTxA8BXpfl/Lwp7UxKiHwC6xaZkfoeyG7cKVPnsAhGWCqV2d0lAJQve8sB0TplSwM71Yh1gWPBERYFnMrQKwKGNbLlABeAshaQhsAuBLgUpFWANAZ+T88FIe7ogSiWF+7W5lMUu1L5UxyjHmyOMxggTnLMqolZThzhuAtFQbCk9BBwW2oBEsIuGgoIt3EGwBD2ylL+Qdses72EsSOWwJn1Y3k5nybvObNALCkpwma7Z0dFsKSkCIdvBk0fymJO81ZAloEDhMiL3vPeEnqPISANnIe9f+RUCQaYAGqwbWNaj3g1kQnoqFCEO75lyESzFMjA/gK6VvygvFtSuh/gv1SBq3JCfIXCsxBefeovsEkf34eJXGE9pp9fnQqgbGklql1Ct504Ve0zlcqTVqKyDhlty3IJo5oktN580CnqRHZ/JgiWl84Bd0oxk8BjyTFmgU5t+GmgYZBwHugikCaCaQz0TNDloE0FQRDABXy/p6QaIWntvKNEjp5RHi8NKSlDarChos1rBz5K00KS4hOrtNYMIkw4DQg2hfClriQo6T0vHOifjaXJfTOcraqzr1W9/lg0xeN2XdQ4+3a3We4+c2GSR0W116mZBJN4EfwidlxPvBWjE9YzJ7XOaeiJW2VOs/115Rd7wLbdwx+/R123KG8Ap9GjzvBx907StffN4BFaB6j723IPtwH2fvLjqH7iPYbQW1ZdfB8zdFj1fSuOcTR67wyom1EVnMFo7qQDuB9AHalJXuM/cveHc4f9dzgHr/h5dK9IfF20K/gyYwlc8TfkIKFR5K/juQh2CFl0U2vbnUYaS+CKvxUnAaw/pKRj5aTQE0h7yQv4x7fqGYZPjJV/2q0e8QY3vozoFVDV35J3ePYfvGSsxBR+CgFvaXbvrb4tNrOyfbtZzkdyFbDeb8VPfOMPTjJWngq0f3L18e0K3zxvV6OvLw5VTpy/8VYQO0HHdHO37U9/ka4RRmFlq4AeOnR+1LOAPxnBmCKdcVBt4qy9xO3gr67w2cnLBlgTmAsDDEtyuZXCLJZqjWgyFrdGYbolsCaLHeNYIEh005aIU1mqRZJkLG6OPN1C2BJKG4pZl3g8E0zZCYyfQBj1TqAfmKnEIA21iXJSgTNAmF6EzcmdaJDMEw8PbDtZyQfSNkEaomAPPSEhm8VNTSTW5XdJjXSFbaEscUFaqJHCaFiY2baxrZIkOATr5KkO20pR0oM0USH9IdlnnNEzBS7358sOFsInzkAZzmncdE5BBZiIcodjA/BSBCatNPQmsYERn4zKH9kJeO4ALqBkDtQYWL3nrzDuJoFjwysZWGEYpQAroWaCDA9+LFjxIJeEjoxlZGL5mAXhnr76Czg0HTiHGkKQjFHop9PjiymzbjBvm83MPLqMqXFiCx5rb9fz76v199XyoWyG+59SzUIbIHF0kkGRORYSwKQhkDDsoaj4Qx19hCMCMUc1zmCGJcv19GLjFopNYayiDVFUKl2e8GiE5hKPQIyBBwUnH2wib1ndVfebxr4hCBvzLVEv6q+aui1nXdT/f2TDgP1N3GLdBcz2gcZqSI2DWfQ7+zTGvUg2QHMDoPu17X+mvrIUlBtnOyBe/STyO2FzIKwk0myRQ+Zr82a3PHadGPXkMVDlgI6ambRXkAT2Hhs23o+Sh2+OBcftKYeNR+MPjL7Q7y8atkbyPIK3h9l4/mxDxndAD+VQ259O6ZEfobWM6v6V8zD3q6VuIyg9VgQv8wEHwBNrvPvS6AVeT0C6uuu1IKniCauxkusL+4LRNGVfaKSVBas68bLCwULsY0kjsR6FPPv22kU79U6hovJum1I36U4BpjNum04x3QbQjKFmmHz/0k0wu1BFz7nT8qMMR0iMCaIcfshCKEM0b/rFnJ10NSsWqDMU6m1xkmAZp6E0cvxxm4Y0D9Bso/gDw8WB1JwBEHiZnr7P06EfBH25k4baJL3mKO2taXv0+yNsbHSO4pfHzFVCUi/kOuZcIPirxIkGFcHGGsGdCDZmcKxEA8TnRp4Udo4UFpTOlVBPhgU1UW/81BzLE4glqF7hceZccLXSuZdvueRx47HVH7F47hZuX+U5HBodM5cLUKvO6dDAybldgFZvjhdDNYZs63JAxv5KWn6UYRyJMUGUww/tCGWI5o3M9WzpkVvgBCQYp1E05nVjNAhpNqfZMtDDwfXv1BwOEHiZHryf80A/CPpoJw21SWSsF/XCtBVa/Qw2LDpf88tj5mshqRdyE3MuE/xV4jCDimBjZXMdgmVqTpQwNj4386Swc7OwoMbcLPAUWCgTpYZOzcM8gVgy6RUeZx4GVyudh/mW0x8tHlbpcYrnXOG2VJ5zodExc64AteqcCw2cnHMFaPXmXDFUYNi9XD7Vuw8iCSZeCSWjDsoYlgm2MH3ITmnEtnuoQzR1MZ8Vx3hx1PNizXMShxq76TTnbSO3Fmsqp9ts0YcZvUX8n8kjI0T/ckdcU5HuIc/ki8HHGD43/M/khSGcf7kgop1IV59n8j/4ASIWSw39L9esYaB/OSCqpUj3rGdywdBDJCT12NVWV+oF03Z3xdL7VZqYGwuVXmMFpvrKqTfSxDzJdcR81H1X4zaBfjbHt18txcAar5xE8C1XHN+wtquPYCTr04GVslMBir5kiIVW9uEi4mDrLOjDrThS2KWanSkAY5pkzFBMbpYMQVmhTfTCM7lBtAO1Qmtohmxye+gHb2aLAJuDtih1hzAgLd0mxEQ6PtgkSxxDXn6WxyL9EIS5yCuPLcrRA3UVVSw0CExR7/jYfWpbCrMLZ0uMu2MN1K21be00hCDeEPmzxBh2aKE2vno44UURIrZy5OAGDCK1epBQO/0Q6JeZjkDgjKCcgwD7ZY7DEDh09IkIiFv/WEQQ2pjtX3ztxptlsTBvBCKejECpGGX2jyeZ4IriVwNw+nCtnToPsddy0xTL9V2p9nhIjXISwxmzuTQ2XEZvI9LpB/3Gijy86LmHfw7PC7L8y+1iDUQ65ZDB5wKPLXy+wdGOevc2V5PGcP7ldok2Ip1vyOB54YeXdr6XDXUwyL8cLtg6pHMMeV0NEeF297VuCxaz9PJ9xnaESP7lZuHm2fsZ6qPzefzMf2SR01pw/Etsj+Rq0DjQv9wu2UqH6cNLzR9iTzDghcMV1Xsp9PeCcjVvlOdfPphqpIMLvtR0IvL80CtdqeOCsMyLrWXtzxIFfpOtVnUKAk2U2lORp8oow/RXnIImo06jjGW27nIH12bF+TjObPUZt4LluR+14nRPYK3CrARtrtq8g2uvanKMMztD+su1XjMpwxmvn3YRbE+lA5hDrhHBl0sMzBNrsQLCFGHQEmu7EZIFmrEZ0oZ0M4yVQBCbQjmVELeDZlJBbAr99EKzNcZzCc2UQ6MFNJIPehPopSHiNtBNSIhNkSM1EbeIapJCbJAM6QqrPYyD3ZAg9lh3VFbtUHcwinGhJupjOPIwt74lukMw5hB3YoRlW6I+glKM0XsgigMgxoDw+CaxQG38Qh2mTw1PbEsyDD/Ybz7HRhe2PfqjR+r9AEjmYAdwIhUqP867AcGapW8GgE3AHrJI5OrDFHN0ojW36ojEH4hI0OqDD2fM4RJnbOPw8EKFVRtSJCMJCTrD6CEYNEjo+gOF+B2RaHxWfkOEYgDm/ZBIhNZ8O4SCnXw3JMys92ZIAthYHu9974z8KkhIapSF8Wjlk+Cv+CXxoIpgY0UP0/dSH1al0xP1TTuBq9M3V+Mgi7qlpDctuCaDTZx8+P+16brvOM2xr+qP/dC3VpJec1B44LumjZzxHaubA3X9ER+3aybp5QL28/YaN3LW1iqYWKOWtQVY2x/xofuGkg76sx870MCxdCl1nvBQbMyEaH8u4/hPcsrTyRwtjC5J0KNdCE+YtpjIqN142oiMoKaOuQRi1rASRBYMHARmZmQMUotiX5wb6NiYk0F22VG7uLmr6fyN3tkHQcd07W6fRJYGANCMHKGAYgk5KHCs4IWHtBmSQMGxgxsy0pbIggfWFmPTfiiL3ad3i0u35mO9lEAwkXVJ5Ka73/14iNS+htq+FTehoBOhNmcDHYaCKOodqR3KoVhsKXQoMs4+pFmZdOtxbxujFybJRD2P2uHwNNRORu5bKRRBf2J0oxSNqOuI92xcX1bepklgYnZmLELVzZgEXHL/xSLT23LxsYzZxbuP578Xi0XZXrfF5xJaiIgnPGn5UWYhSIwJohx+toJQhmje1F1bvWS1vEem0uoNcRIDGaeJNBb/RmwX0n6PZgNFHlV0J+ilPSxI8S27F9wopK0lVd8KPKTwrtNLexWM8C27FNAipK0rVX+CHg8uQ0ltcQACL5OD7BeOoR8EWUYnDbVJ6nypsD+mjVHOFGAzUaun+U1VHLJYdsrjK8JIrQiKtTDa6THbHyGpF+r+5iJw8FdJIBhUBBsrd0ggGKgdHBKmjxImKOZrBgyZ7Qqhg2K4WhChW21sfnhS2G2QsKDau4rBp8Eimuh2NOSGibINir0Fs6WiTK/l8ql9DE8gtrjoFR5nbwOuVrrL4VvO7mR4Zt2OxexPhCbW60OcroMH1eou4r2LsK8q72Kg0TH7GSFv1dzZQAMn9zgCtHq7HTFUY4Lxvmy/1M1n8H7HeDoUkxxlopEEmERL4CccUTXRBgyvCg5iI1h4YtWWz1iNtT5tg0lbEFLLzYZO9bXU2p1VdOzetF8Ssf/E6i+dnG11eASl9ogYJd/nXeDo6oxZErMu45cf/dGaU1bg77yHPAgDzaH4uFHkggcfNCI+ozbKY+fSkIh0Fg20KLHyCbvpUvMzo2gsJTKKjTMncyuUzsZMO/GPCQPGfjTiuQDURsqzAAQuJv/3SFUzfwRkMuf3CPWyfRjPGKo+LGcPRbW8nHcSVftMT/cRCkYZzLAcE0xB/HCH0YZp4+AnGdb14qnci75+Hu4FGL0tTiIkYzWSxkxizKYhzTJ02yj8uJBRIDURgSReqJ/vE37wF0lP7sTBhgneOKPTVxH2KPfGgKHROQ4ggJnqBMVeynnM6UP4Z5EbDTrCLZbboSg2artWyvj4LMoXw06mIpLSOVXyufCIJrotn5p9+RKxHNUvPc5cLFCvdEoGGM992ARo3QcsnsNF2lZ5KoeHx8zoQtyqEzs8cnJ+F+LVm+ZFYX88drqrgANe1YtyfbHcPB7MeCqaqrhd2IYkxb8/1R7GRRwT/LCdbpnA039XLIv77YPRAz45KpWD+wOsxf/hy1Kbfq8yB/urH/768+lPHI/uFdHM4vjynwyy1abdhlD6okpcdpRUGYEwSZSh9L6ookRThndT90/0ID+SzSeBuvM2hMb6SN4mIK2IaLQF/CDS/TW1/OEUHr9H7hcJ3D8y+1wn6dof3qmQ9Ko4t06/8Y2JrmTYZTGLGJDEC7iAOa0Hf+E6wyAONkwmt0DaouQgEQPj6xGWBHYpAhZS2NkNtzgZZKLSsKk1B6twbMpkFRxnpcGvUrrIYFvLeYw4TJVHJ15NgNtPeSEBhYxZQwBoVZcPUKDJlQOAUm/RIIRoDI3XZfNUNtfV/bJsGEdBk+KjDJo4ikm6GH44TetKt2z8SgJDfFTrT8D6x2gQjdlN/sYgzXD0WgV6LJGrB17Me/zKv1XXcVqCdHGFot+4DyRyabZZ7uKpY0lsRGq3WJDhW3UhuEFIV1YoelLg8SAd6oV96V9uZBQmXdye0YOCzrPe3D5WVtHrspxvHe6qXG8W7bgNiMH5Vp0r2TZ7Z/vryM6Wfmh45+v+v2g3TfnP5IEw07/cMNZAh+R97Owd+fxQc/TU1oVf/kVm4fuNAODv/Hl2Jww0R/xNcvZcKGmB0lwZNApxiUlGwxSmcRyrNGYhaeP05hkaNmY3bzTLlLO2tKVZ8jIly8UpA8t8paQA2QaxQQqzzRoQepnhytygDP0oGLgGDaF2yjWE4a3SGszihmYd1gjGagxwIktVhjqCwYqDnqrdI5r8AtZqD4kE6/MMjtqtIR8mZU2iNWCS28U4c+IKYY+dBOWkJ08iow6HZKIzsqAuslNjVhggUN8KiowBLG69OE/GVybPA42PyCwjskRdjlGxwKplmVLwTB0qc8vHDtS4Zcc5WgbWKj1d5plNj9Z4VJUITQ3MaDyFYMyMwWhEvbhLD7dsSFU+fGRF82aJpkpBVGKEUuAUH+kMxi3lU51YcMzBTphZ9WwnFjd5vBNm1TvhGQE11+Yei6Y9r5dt081GwG2qxJQrKT/Oih0OY4IoR1jHSytDNG+wnz6uqkVpKRi5DU4CDOM0jMpO8ihNQjv2qdg28AOKnx1+UX8CEb5pd/JbhHYYVNWbgMcTcKZ5uVrUzy/qTDDCt+xMQIvQzoNqOhP0eCKH0l/Sk4D6v2U3cpuDdiJU04e8BxM7T2xpHbvNQIJv2Yn8BqGd9dR0I+DhBG/cLOYvFYWcur9l5zGbgngsU9NvrCcS9Jj7zru6efZLDmAhiG/bh4A2OTjT+Mk1/IwCXrVZzV96rgYjfMseBbTIwZ/Gz6+h54Nb4UueEfcFXmYN73DKEfhBsErXH2AE2iS0gyZfh0vbobfSBhuXOHsjXxrCmKi0+MOyUL5egbBQa0WCZaFwEo0wT2WazLJNPL9DWKc0g2PZJ5h2ICwTTyyYNskTY5RxWqkvy0p5ooawUSsVw1oYTR4KzNn9gNQLpRGFeQo09KskoRhUBBsrY2pBsE0xyUgYnD/dIJmtlXjIrFZIQShWqyUjMqulaQnFZJ0ERWavPFWhWKyVtMhslqQvFGvliYzUToWUhmawWnIjs1whzaHYrZbw0K02X71wpdDvXgQFxS9fxDIGFsxELSlIHkSPDftMdqWRPYkeG7t56FrDM+rFF0VulTEW9/YIPIrysJUGyiQ4OBTykMWjHQI2Np5xqbWGrCR+bFDiwWuNO8mXVlyBAzd0TtgtPNJrK2C14vdWPMs5Ix0FV2l04wxqBEylgYwzfuEptcYs8lCFR1QZnhijEp5QaSQiDUB4OvGgwxtrKIBa4wtnWMFzag0l8td4gnFc+z0eLDrqRR6YWvdNHixw+lUemFbxXZ4Iqrla3xafyzP6OzwhsXHW66O1T8I/E1bsgzrCLRZy3k21mPdS1fL+w6psEN86ERp4Eqoyh9kqJ29y2Et7x4ZteKCxA85wV7azh1+68ahuqlmxGMReF4ti2c088rZSsu4/qnvEDae9PcP3k0TzxxxmKHtVfima+Rhe4lX4h3YN21raCzBCf3AaOvy6y8XXLoVdHtxmpIEkXvEf1SkiVtPebOE7R6zhI+9E7Yr2aV/5NbXfIm8kr7o/sEPYttLeTBG5gdPI4Yf/W7Go5tLUHdUWZk1/4Ed+MJP4QonocR/bNvLm2qFQ5lzAq+uP+rRtQ4nvfPCft9O+0Rl68gz+odyoc/DDYcTjv+mz7P6Y4dHMwCqbYB4dhJTPlC30xJkIjclf2BS96R3ZJs78JGEIfwZCoRcn1mErlFJnojWcDDBqAz/HI5IT05coNCtBofByBuEwMX+YTTBDw0iBOY1tFx53QLGOfTl/ZAwt+wNdjv0ZBpk0uMJwA5szxsCDME9xCOLbyRqMsMYJhiWWRfIBCmGZ1lDFtZA1aOHsEgxfXGuoAxnOEN6QxrKBNbghrBAMc2g7zMO4Q2H0GVy3vPTobXwsoUBMxONG8mgccoggUesNBzj8QOSnM/OjPOZwbTKgk4CVgjfqVDAcp6m4/JiMgfTDL5WPFWpRB5SBqEqC40fQ5PnSodyBCzqzMpQZ6TSpWZv4EOnePFaoTtKJw7MwKicB9SIxJwDj8PhBVxJrk2xK8ZUeVjFk/FBKiqAYFFbUJAbLJAc/QMpPTbrxSvuwZAIUdUbSjlqqRyMTeOkTkRab4kFIH8xYFrtpinkJ3poUn/eE5UZZLEtUP4n8jl9CiyiJNFvIPZu6mM+KdbsVzWzdiVdbHmM1ti61jSUde5RY7TZy9BLxUZ66XdUf+ZEblpKOL4qet9m84WMoozxpo54/8mPem0k6kih6xoeGjZw+2WnJbbtV0x/5IR8NJR0uFD1mo3HjaVHq1IlRcNzEZ7+bav6Bkdp0UqatoeUBTvISJpSkJzYw6tokJWju6EoiJg4gEVzWEEFiJcfCCC0z2qV4wS6NOQHglh65c5u7Sd5fOd18EPUaQbXDI6hFXT9ghH4QwBjCDgc8K6iBAWMCL0Tw+OnBAmMBN2zgbTA2VA+lsTuqvoB4SxXul6TqJ4IuiLyxSELH7VeYvTEJF6uzoHbFnG5Bw2L2gNR+2KFgbMnyUGicHTG7OumW2NFCWl9Lgwn6F6VbIVqI2ZXQPSiNwOo1hM6SJmB2EPF+iO+tyhsiSVTMjojruppbIknA5J6IQ6e3KQKh2XOF5brYJie7TeNnaDEhmcggdIw1r8CiTJBlSXMQjEJkk0eW5c7m86Zcrw1F6VQzT7OchHHGbS6lBb5xW4m6gaPeXMHHh48ViGVDSOjlooGxNAP+KOzvu3UasJ0iY71Oj8aZpt5nwyanlqkAGeSSVVDyBR3LmcaHS0hd7DinDzdgfmcjmqvvdohmSC5z+JKEJY+IsHT5I/Wc2EwT7ceAmF/7QolU2BcYbd4dqFphDg60AvPh08i1H7jGfDHSyvpzR7wJyHlkiF57TokHx8wvQ9Sqc80osjv435UN70BeWHS84T9KMIkXISYAQT3xVkScz9tKj2LsCVRtTvPVZoQ5bKfP/ESNADR+6gzfiJ7h1fmtuIVtOPV4n9QnnGaPnvMb0RvsCr8VVzCsph4BlPqB2eDxs4A7XeM0iFvlt+IIlt3UY4JSV7AbPZm4odb+DmVHT82s5bDj33jJ136R62g6YjOVGDajwPIEyjMBe5xI1QzZaE+1gTV8xQ0QDFBUembcjfOLIivCglCwQK/s2gLjhw1vYdP5gRlAzOVKp00yhBKcEQpBJWxWrvCCNE0YaNh28UIO0ihJ8GFbxA1DSJtkAYlklbv4PwiQ1vxdGc2TjrbXUCEm4t6MP/UoJJV1TuQJSCGjoK9hT0M6XYqMKOo6qJ2boWxybXkoN+I+jVmjyvbM3lRyP0URivsmsUvimk3UDSm9D4Uj6HG0joaiEXUunV0y18dzbI4lgNF7Yra3q2+FJTBxO2AWo/LGlw9ozIQ+rVl7XUGxUWZF8don4Z/xM6SwjnCLhVeqzzdNX0UvmtWyE6+uHIZqLEvqGkratuJb7DZvtEelFiGP5UbtM/s1GOPf9F7RCRlmhkdbst8H6QSebcFGl4UOxTBLQk7hcR+iOYN1/8h4nIOka7/mg00TSx4xbEB8or0vjJ1ke+WlE+xAO1Jqn/DbLDXL2peL5S77MuPMrqzapDOrg3m0h5PE4j8QcWbutY9yVp4CxWTkNqNqNp7CS2biNpteFg6AGYPO78ViUbaMHDwiOMpglKp/EiuAH6RiWmJtFz1ItBPMbt+JU1suYzUycm1zSTm5zG67mcPTsLGeulnVH/2RH2wlHRMTPu9jA6ce9nDB8IjtcKzxm3n0g8mkA2JaHrBv7sgJMatgYp9Qo13AOv/ozuAbTTokJnQHoMmTDjGqJ3xbLnB49qiv06o9+8DRwKOO1JqcWXLkHHq/8mX9hZMld2KWwdHdOVpGFGEUZLoOcPoUix40M1FjEhNzERQ4K9ug8fOH0JgF0kGSa4MyvDY1HLYw69Fe8bEDmLnC6/+ZFcoGWb8lNIMahlsS3kJGqAc6lCHckCe1ghr8aMbwwiDTJkFARFklDo1iu7IZlNESY2fnWBy7twNISHd3wFhEq33CjzqYk4gyNmYgwYO5EYPLx4oNqIOSgSBABJV2dwKqAqMCnLnLeCwZ25k5lhpnp9GpT7rXaBhJCRYYMHaAwMcFBAYzFpBDAAWF1e0ZvR3BJO3hlI5NwuFz8HaogX6lvEedhsXsUrucqvvUacTkTrXLp7dXDcKZk9Ly9qGuP8NbrvGkMSI5zlQ1BTCJliBMYGNqog2I2LMe5Ecw9QSuNp/5KuvYuSynbWcLmwBs+rhzjO4W36JD2K6A2+lWcoW4E8zLzlHGdAK3wm/BCSybaZvdUiewmzu2tTkoG6M9nPq+BRcwTabtb0s9wGrsgANsVvNxhwK3wm/BBSybafvcUh+wmzuVnyc3u82iY2fgh90160+sHLvfU7OsRqyxUPtIDFchT3ZNQN1QkcOGMeh5uUqUXpKNEOlZg2wUXjCMEtl540MUXjICpOkDgQ21He6VHz3EWXtj/t95wW6/I+Y3R46whzJBIwAGzcoTCkl2jWsRMzziLBIFSq5FvJCJM0gSPLn2MMMoziBRQKVYZO6XH8ujN8wBEc0dc7d1iRQTeUhCXjmkBJoHEY4lVERJ0MBtTrvBgUooiAJJQLi3Uwkl3Tq5h34sGt00OhYbaRfdqVC8jW7YyQghKEJx2KBFCwKTKg0cGDA0kmBAigEYGEG/p3V3DIyki8t31oG+pr21nsZF7a27pLqb62nI9O66S6i4vQ474PF574r2TXIgfKznm8WRsP8NiN9HbT8e1b0+u76Yfjy7+eWg7KloquLWVXcohxoYtnRgfecffv314vzm8sP76dsPV+/Obq4TFfsCHILoNJ1U8QQ3KQ+oCPbi9ZMI52SngIPkJ/4W2VpKts5F1krJ2lxkq2plHP9ise1V6NCZU7mr8h+bct2eNfexbHqr2ijK6XT2zlOzoFY32cmkm8A0KVB9vUp9hQ5GOMqxMYw8/HVX7OzjZWho2UXaXRlOgxMzcK+6YPodsnhvjyQ3ASmQiQmTK5WE+EioDIRJE802fJR0qkHgMHyz996qKecXTZNwGavkWH7qV0r2VtvCwNO4q8rFnEqyF+IzGClSvSp3rn9dNk9l86447tLCQ4kvwHkoXoo5qx8fjW7rJJm7X7Fp5ptP7979v9NtEvnp6tewPYNWuzjKmoEW3BnqxZp2u19+8bWbEEbWmAcAT0LMsC7bLqX/z/L5pv5w+z9dP00yeBIaDF0MqGZnm/aBguEJqZCUXfmGjOJJabB8oGJ80Ca47uyaPWwdLu2dTnmF+rtuuKj+t3xTtMXl3fuynJdzBAUgJWZp636cvW6banmfRDALi2veraINSdzbocYkAijFZCHtJSfrn8A/4eavUe1wS0WHEigR9EYUo1B0YDGnM+em1LY/lG38wwR2PQF55BM0zQqld9sYrsIzOejCY4UUBudpXbfe/qcKsKEtH/KqU/ylbuY6yIa2fMjFbNZ/1Lr+XC6VPMNSmA/cmzqJqMFplTbyepsVXy7n5Vcdalth3rb+kFy3IDb3B9yChgj8rm4e+6Tg3JzUicgdjaro5mzUGXTVmNGjLka71RjwZN4SDc1mI7WJhj/i9D6FQZnnR3Qhx2cqnHhIRg/EVDKFsRc94lLZFAZZytBKfqgqoyl3+TGJpzBsUgZLKp7O+EgZFTkNKB8IScMfFVFpxMONcxI4+dAWGtCsUxfV+u/revmuEgRES4VCg7rT3MDENj6VNUbKatn75b8X83nTRZ9/L7+2fQBfTIc/+OoHiX2BqSsRrdlMFy4GwTOnpkMLJ2tyNCTyh6SpjGSChcg7cJbCd6sK+fTtplrMr9vicxeMylCuxrMLVs18HCR7PnUNms0iQPkYNp0viuox44OC9Y9hWV9ptbzP53+OcmDXsnoq2lLLQmsgXpZtl2R+vgTyVJ5VpkLuUS8t4yo1q6p/BnOmTbnatKo+aKt8AQPdK6vea/ujo3Pk4aurXdWUl7ChPx8cvrCLZ4qjc/ynErwUjf1ooKvSRns+v3T/q5tqVixyPClQ+wtYedN/ibWYBSa2fPscvSNbtt6lAFfll6KZq9nlaR3ZqoeDzwwpjrZjxip4gSdY9od0lKMKoHdkyzbLXLaBmke2btbPKTLYBugd2bK7YjODbh/l2XPQNrIV+vluPN3Na01bO0d2hLYY+ka25KlYVP1rWufFcjsj17II0BuaDI8zITGAhmWVDKYeNf/TGHtcbMlgr6X8ZU2e1avn4EYJd7XUVDm6edEDcnqmnRj//f1pcn+DatBJoCrcrsCX7ZvH+D0Buzx6R2D3gvOZU0uwjZ1aLGniXoBjoMJOQBIOd8IgDmqrDa1ydY+pXGgQ7xWx1lM55J+hMxJ07s/OWQl9amZakkYHUxJ14sPt9JiltTS0rS4j97pswWM0dOSDpoy05ddV3SCmEGnag6aMtLMuZazuEfMERKQ7qMrIOyw7zTHrIWlkS1t+6uX6zjw/Lgc/KMzpIdsT+fvKVBzF1Zg35vVOqQNuKhttnDm01hyRkBIaf07IOznc1fKp/lye18u2KWYq8dDTmJF+Xq4W9XPgqB8d3VaXnfv92xs96p2y7MzvNou2Um5wS2d2CzR93dOYPcJfXJ2/+kEvwuzVjRwnu2p/fnWqasZO3/h2nJ7+9JOqIYPCkS0536zb+lGzbwT0jm3XUPNlNyrNkIvtaNsg3SPbh1zGxJrkL1xm4kYvOGPJoXXmXD5FWD9G+xK8bJzJgo/F86Iu5n2aXLSbRtEOQHPeeUMOU2C1mWeebo1qM1BIcUZb7jZLlYWrQU9G0n9s6rZ8q4RrKsvsKX0thyO1am7iac3bb9+U67ZabisbCp8t58NZRqU+nKjiJdYGhisTlJcIjlpHs8nY8VRb9AB0vkA2RTsMT0msNE7C69mm7orhCkaz9LbpBrpZsW4zGouoY7Q9OcL7DWnDcrzbwDEK814DYhnypc0gvc+QtifPuwzMwZvwHgNqpFZ4h4FpiZoJY7PT3lvApYDyM8bMp4A+oYp6FOJzqdznwXlPAfdkNN9R4FpHez8BZ5fOuwkci6jvJaTt0XongWON4H2EtGEZ3kXgPjHaWX3cM9M5pc+xiPP+QdomzXcPWNMN8nsHiBmG2jsHrCUt5PsGiEUt4bsGHHrdPFTjHQPhgoPa0nu2E/lCAxU3RzKexBcaqbuLkvcEPisMUk7fIyJghpP3SLN4p+5JJglP3Efrkpy2P5gZOl6PPk9/5igMtdvJWVBxpAVCixDvzv57+svl9c2Hq8vzs1+nr89+PXt/fkGDmASVcNa5Tnz/4p7rP3G8iX6EH4Bhrq/ZLLilNAkZYpHMRkqsh0lYKCtdNhR2UYtIx1+usvGCK1NCHg6IIgFp6cgGCa4SCVsEO1XwmgWaD0jbhrGM47dSYsVGykhajPHpgusuEi7ikopNFVk9kTDxF0ZsPNwaiLT1SEsBfvsF5/wSLsYihU2WWI+QsJGXGpyUIbaqIOFCLhjYNMDagISBPSgHxmQJC/otPJuE/MJdioO8iGDzENYLlCixKwFBzvSkX4mUMJ0PwqJm7qJ4QZiTu7MLzPSbyMaaWAe5ZHPog1rEdNl9dUs0soIKtB5+cGIPzVmCr9Afy1Kn+1eEtVejFk+athpgGqfw+nwSjDX3jqoVvj6fJpa8Po8lf/XnV6d/OrI31foz4v3oNPtekW47O7TrWY05TJ2m3SvKSvtYtkU3iBQqrnHUpczMu5ggTUzOk9DEQPxcVdPS+kKoHzb3RfDR8uNl4Kujvs59WWxIPPCGcvWmfuRVPjFFsRgHFaLIHACixeEYkhV1H9p2dV5HD/kGgAxJNZquJA/mKKjJ8q7rPMU9D+coq0bURdumXGw7cnSZMehBtriEixrvAkiE6BZtJSPeXC53FzKh+70l8CKRxycIhB/cDiCsVycmAaiyrywkYdnRCkAFQ1YOTkIcAzChYJaJkhDhYFAozOVgJcc+0FNDAVCJmB0VAVjBJZnpljXi5adl9bhalI+dkuD34X1gX+pFImcAQyd8Ai2jEkND0EqBNIrNjqYhaI2QiicmxNUQsEJwJfESImwEWSHM4qnJsTbs0UoBN8rOjrohbI3QG29tK/4Wm/ahbqr/JYVfR+iFoi9EoRV83WZRir0gslroDUMLIi+IrBN4kbykuAviqoRdPC0p6oaAVYIukpkRcwOerBZyw+SCiAtC6wTcSEsb8fZ93b6tN0t8rLUEXiTO+gQ6MdZuCpX4CqAqxdYQLDuuAqgaMRXFSYinAKZCLMVSEuIoDKoQQ1Gs5PgJeqpS7AwRs+MmAKsRM4Mta62nbk9x7M7dX75BBy1I7oVWVwMgWousQPsorbWGwNWWXKPogpXXELjOAiyemrQOG4JWWY4lMZNWZSPYKouzeHLGGm3Yw9WWaqP8ghXbELrOwm281f34PGz10wO0LfiSERogUQ3RThNpxmgIXTdIB+GlURpCVwzTOG56nIaw9QI1mpoeqQPgeqEax86N1bCn6wbroAXSaA3BK4brcMuH8mleEvvikdrFyJBJ58qjM2fReXLonBl0lvw5Y/acK3fOmzlnzJuzZ815cuacGTM+X2bmqC8egT2OHJlytjw5d5acKUfOmiHnyY9zZsfZcuPMmXHOvDh/VpwpJ86aEWPi8WO9WZLzYUPqRaOxg6EbjI2WUY3FLrRyKAaxxZHYhdYMxGliRhx2gRXDMIqXEYUBZMUgnKZmx2Dfo5VDMMgujsAutmYAhlvbj7/7j0HSF5AdyZeMwxCKaix2W0kzHoPwujE5jC+NyyC8YmxGktPjMwiuF6Px3PQ4HULXi9VIem68Dni8bswO2yCN2yC+YuyOtL4fvz92T5waLg8yLxmzbQjVaH1sE8047QDrRmgIWRqbHWDFqJykpcdjB1YvEmNY6THYx9WLvklibtz1PFg34kLc0ljrICtGWbCV/fj6a/VYkZcnjkIvGWEdCtUQazSLZox1kXWDLAgtjbIusmKYTfPS46yLqxdoUbT0SAsA64XaNDM31vqerBtsQXJptHWhFcMt3NLmfTGLpizmzxdfq3WL357zpV7mDhkYQyfkAi2jc89MAFop6Eax+XfRBKA1wi6emBB3Q8AKgZfES7nTJoysEHrx1PR7b4IerRR8o+z8u3EC2BrhN97aRvx9Vyzu6uaxnA/fvETHPlDwRaJwmEQnEMNNpBKLI+hK4TgFz47IEXSNoEziJsTlCLZCaKZSE6JzHFwhQJPYyTE66ulKYTplATtSR+A1gnWy5a37I9ab1apuOq1nXW34eA0KvtA9EiESrbskoCZSuk8iiK52p0QcXnCvRBBd524JAjchXkewFeI1lZp0z0QMXOWuCQI7476JiKer3TkRt0Bw70QQXufuiUTLA+fd+nKMt/UMsRc98eZy6B55MxtH9cybh6186A0GF59687A1j70hmOnryz6y3gozkphx8g2CVjz6huBmn30DPFv58BtMLz795oFrHn8LtLgfj990aXa13LYWNRa6oi8Zl0EW1djsNZRmfIbxdWN0xABpnIbxFWM1lp0er2F0vZhNIKfH7SC8XuzG8nPjd8jzdWN4xAppHIcNUIzlsSfgx/P9xz3JGbYt+JKxHCBRjeROE2nGcQhdN4oH4aUxHEJXjOA4bnr8hrD1ojeamh67A+B6kRvHzo3bsKfrRu2gBdKYDcErRuxwyxvx+qpc15tmVl58fSg265ZwCTIs+SIRO4KiE7IDraQSs2PwSkE7ic+O2jF4jbBNIyfE7Ri4QuAmcxMidwJdIXTT6MmxO+7xSsE7aQM7esfwNcJ3uvWN+P12+2nj7bG+q7KYPRACeED0RSJ4jEUnhIcaSiWGR/GVgnjaAHYUj+JrhHEiOyGOR9EVAjmdnBDJU/AKoZzIT47lCc9XCuZpK9jRPGqARjhHPAF//eS6ul+W84/F86Iu8BE9KPyS6ygBGtW1FKC5NNdTQiborqlEjZCuq4RMUFxbwfPT11dC+HprLCR6+jpLxAC9tRa8Ddz1lnBP0F1ziVoiXXcJGaG49hJ/EuH7P67bot2Qr8UDpP8Z7gFxcbLcBWK2WI77QDwj8twJApuhdS+IZ0SGu0EQFtDjftAAvcBP4+ffEwKZoH9XCMIK6X0hQI/Ic2cIbIvWvSGeGRnuDgk8DfN7WLtF+rdlV7ApjZOM6KAb1/Ai4wACSekTWvHWUxkPMMZofWQLaw7/q1sIY1Q+w8WyhDA+YAxRGCPYdlC+3IUzReNTXixr6N/2QvUYrY99YW3if/0LYY7K58DQlhiPZq+lP2l5MOaxnm8WljH9z8BQELgDwFLmt8xW2VlAJWjjVmFkZHnXddMFvsaJKYOpeycbJCjb2QOl9qG8vOZVUz0WzfObclk/DoerCByA9PevuFz0EdLFSQyCHe1T0ZYEJCsKLYfTDLEI5BKZMqxGsaN6/yOp/qOEvPauddummLXDnc605+JIymnm5azzvQUFwxD5J+w4KlRtfdZ2Gme7a18JQJ6gQlDrQiSTBhDVaJvkiOu3CjCocuu/L9szcge2hHgMwFi9aR862WpWmPHVH7PNYuix+3wQPwMr8S22KgGFsWO8VaFkXEEiBcebNB6sNZLN/2f5rAB8UEQbG/nkg1odekvZWBbsTsIo0B8UjUv+W9ms42MTzYCjvox2WHHTEC2H+xA0ugKoVbUPW1bcbqrF/O+/3yigG6ry8ZZftynbx/JRp/O6+sbynmW9VOm+ez1jcXcD//lxheJN0RYKRoBKc1rk5x63xaIwn4iXdQwF0PnGa0eh1zp7ha+DiiFD95z8NQOoXsq6gSOfJDlbzpP5ZZzJ0sCms1OXROoPAhXIpB/LwGoV9NSZQsFhEHlKsANOH4tVshP2hagd8Z2hN2TlVu+xPK1LbskjnWHQG1kZiFBMHA14JENTMJOZp50QhNoJqrKkZ8MxIPzEOE3lu+j+P8L+uf8P8qw0bO5B5XlYN2TgATa+bBhxR7jmiSGIRDgoMFj+/NNPP/75ADOdts8rciMcUE528t+fMphODvYEGup1V+i6XNWLKpLqYAFPbG1s2EFhjPldUS2XsdBOYj5qy8V80eVqTbl5/KXuutTnSG6P5vY15mbXa3NfYy72j/Xi+b5e6qF7CnORX9dd3C7elE863I66vNR6ze3qy8V91txWbaPp477GXOzbhJU+1B3EXnqg24GcHKTJ7TRYEg5fMqSTnQYmVuLh/V5WQrqdhjx0f/sixhtU5OH7tJ7PhHyDilxPV+x8g4o8fF14FeLtNOSh+7V47I/CCAmPWvJQ9ufNFlWnixGCTVFBGAY2rj4iNoHCVK4CLbZNPz9onspm+6ZEZDswgObLa5HNy7tis2j7D1NtX9ojowEKBGzWssGsXt5V95uGPrSakuo0b5v68e/r2DZXisrQoEW3rJvHYlH9bzmcq6Nncr4CLba2Tq4VB6BMSQENeVc+/ADxe/DR5oHWoTrdhRlNgYWooUh0JerHo/K//X5xOX1zcX757uzX64Pep6KpituAZksEvSq1R09ZuN2Wm5ZP5TJyfNMuR1h124ldWNqBR2tpt6Tw9pqGiPwsAUN1ubC60ADwGN9YShM+ejtMiK09JKkd4tJnItO0hEOSHMZVU7f1rF687/8pwHT0ZCDdy0hJHT0ZSLdFpZimkgyM6yqyuZGm24ln4LqrN83r5za2QZWmM5Vk9MTkWV+8M6IP/3J4bxf17PNNJfNHU0kuxl/K6v5BMhRObDUZONuvvxTr6FJBCvGgIQvd5XJefpXh7VXkioxiREtLBsp59DxRmm/uHh3Se77JfWnEA0bvTmMJI5lztXyqZ/b5/3D6fCxMzqEv/XrCTWPU48tTU2rDQv5pKAIa5ZAUTq000UYwy1JuLL17RBCVeCPo77ETeiHve8J8AYf9njF54NL/XiwWqm1uKMzN3q9vDSmYogGu1txW7AvrWwJpzm3Nu7J9qPVMOKjLzX3W3GOmBDjqQVl25tvo7iEN+Ra1jSglThydpUIjD9WKuW/6q0e6wl0p5EQCZ4CvN7clV8UXo1I1Qzy1We1YV/dK6IOm3K2+u7JGrbUP6kb0+xw+P64Fv1bL6H4V14pBb1ZLbpu6mM+K2GtiFANMdVm5vxTxvV488qApK21T9jcL6vAedGUlJiwtIJgZiwxoamC5oXletfXUeZ3GX2gwi+GXGLZSyXzD0m3KYBcULBsESwlxENLyQVCVyutWaFLKm1coZvq2ZwJ1Rtr0xCCS3hNL4QGvjGHWX+ic/VP6cPs/AtKjhjFYJe5ZAC6pRUqe7SRYKTMcFt86+voeBm+NepmPTyd51JR7RuiE2GtpUpTUW2o4pMkcIcmIzgtQdH4usL2sLXImafc7evQfbgw9+3j5n+Xz2/7IWZu4Z3OoICSITAcGMwLB683F27NPv95M311cX5/97UIGM/G1oeCCWiUjLQqYNNziYc3n3u901xvkszYLc58vt6W8ulmtY5kLt8hZc7957KRxTWKVfhGf9wnYjm6bLn9mABrnoYWwgPh1PpzkxXzC2+4wvuRLRrAAjTSEAc2jFsNCyIIgFsUFnv6n5ZrwwRq7Lkj2JT0gyCP1AbCR1LwgjC3wgwSydZF53e4+eoF7+Hbxscc0oHZWMzlGB8a1RVMW82dK6/giLzPCwRj8Yc5vCYWxLgDJGvBigMBc4G77ba9pC+w9ePMCvyx6jrD7hBhqhwOoxZNG+hJgnOBpocFoDw6jlnn+CE/MOn0kIQc9TmCAoy+nHa/+/Or0T0dLlA0J2aFCzt1px+Nz9tn1rIjvOnKtwO05Cq1I7VqT4LF71kJmxGk8EjbhLJ6QHHH+i0ROOPUlIY/v8OKJcfu7EtLU7i6eFbu3K6FNr9oSAjh6/ZZKDGRvVdEm93SNQvh8rZNJLbabeo/lsamZQc7fyY0gUHZxYTWiXDECRssOU2ikXdAYFm8HlMY32zSdglnkHodowx2ldRmpe4kxSMI+IpnrXNR8tgJVNkT8jIARImaSCoiRm+V8Wq/KJvGOjV0OHyk7sQ+edt9+W7slhQ2ZtiGha3BSeWQKZIJOHiOa2PdqYfHQV2xFFQ6mBpry5uLq3eX7s1+n1zdnNxfXatAnvmK5Ef7NPuTBNGkFZUjFOYf90nBT7kI4G/CgIQPdolq3VkFRJwO16VDTk5V0u5JSFhwmaSErSchbwGKQFvFzPGnSvYIcpJTX+9KkyJf6mGyYxQMMImXRgEeafm0PBYp/WY/JiVnUwIBSFjOYpNJOhD8OxyVMTQFQiNiJAI8RNUnHcFqK8rEipi9YWsJEhscrT6Mpy7AMxuQCWxIQvbDGoEssVCbZkAuUDLJqfVM2/TcTF/3TEWWbvqosY3pgSvuPTW3gw9PZbRnSVPa/LK1wo+y0HkpTpq87aOEcBaqfPDdxlIjmJCAQaS4SpuFl8zAROYsPY5Gzd5CIn7UjyTDZOkjGz9KRjoXJzkEySlaOZ8Fm4yEkahaOJ0Nm3yEwYtaN58Jm2yEwapZNIOM6PTGrJhBhstQgEiUzxTOhs+cQFzlrprEhs+UYHTFLxvO93jy/LVmjoiksY2KsK8eJTg7/9f0pbXnZ1QuoZO/YsbhPsF/Aw+In7o1H7Ovx7AC3/JQtAc8T3ZUN38NtDYpdr/xazja8dPQoKuTxpyMP5tkxbyLS/xqdgvz56Ed92XfdoFjcH23seLYnITyVx7LIGciWM1jvTecV8/6TphQAV4hHArVpte7S9GpWLPbf0Yu0sFcWPeX75SCa/AwqUIsnjTXfN44/JURzUaaIGKXckI4HxkZxCe3uOtjo6U88sKksO3PiJlwqNfJGXJFnxBNzgmPgsnQiKxCGVrvXZqb9SzRFa362w4tCXlF0EBrezbn26vBayK/DlUVGIN8uwYoLkoq2/pJWylyNwdKy1mZI1JT1ECw1cnVExJlekSDQ4tcnRMyI1QoCNGHtQkTtvL2nwu7rzGmBXlCbONqyUid2vyjIyD0wPi96RwdLHdvXUWaP75NhgXG7ZXzK1F4jlhO748gnTR9ExbLiD6XSaP0cq39h83BzXDi/sophJ9S90LmrGpjQ2spNKWRCZRsRtXe9/erdtrmMz+Z59lrF0Lkk7pN8tm5TBmmubUM4kL7ZfUmPTTKxdFCgLF3MVDEFx0oRUZSU1BDRhJhEhcW1y94iIyUC7qhDnTAdDlN8+DCIowPCwWPRtIj4Z5fDB4RezAuBfjvY2i0pbEywDYkcI95+HiTmNCmYiaWFxGVrC4/4910N0RCaZDR0ZCDsW0DagnnIEGuWaTzCWiWSkbyskYYkLWggMUnjU5KQN0IhH7p9D0C1vvjaeXs3a5AAW1oyOGdqLE0CYkdTHhviGAoKkXAchUmaXgRCgeKXf5ic+yLv+7/IWB1VeXmTXw4kIaM/HsikflOuFvVz2ehQ+9ryUN9Ej0ygUG9QpySYfB9WifesUIhHLXkoo1+GQRGivgfDfcaY62lwj5pyMw2HNv6lkTQj7vsiHLLNah5dWUyzHTRkoEN8ryINSPhKBYcxvtCZxsMtcfKmOvHFTcxEB7esyaFDzOCTfIQ5PIOwy1ivzl/9IEx6BxVZ8nSP9udXp2LcnY5xeE9Pf/pJDDwoyUIMrOqsuiG3bsr5dF0uj73LX9WxyuFXdfZi16Z2v2ls7ZYUdlXHNkQyn07BEOfTEXXc+XSSkDefxpFC2en2bF38dFIaGtCl07aMzV4ULWGbl0OayLOShMg8i0FWrXcXl0roDB2ZnnJicxz3iJHb4rxWRG6IYxqTuBXO7evYmyhxvZ16A6WcOn7zJJUad+MkhxqRTyZZCfkkkhDIH9qi++0+ffjZKYjPIHZyyWPPrn5bDptEONbw9jTSJNhdjagmUY6DYKRlOVhUUp6DoORlOlhae/5eL+ddn+jKyvxwYivSall7JWS5q0Sj30x8ZVmYOz1tNatWxTK14olg9pVlYU6sNyFAketNLLoiucyNACzQq9ssRsRIh4AkjHVoyvBoh7im0CtKHfEQlxX6dbiyxHEPurXQ3jMv21ks68MBTfZqqFieOo0xMAXLGgdRyJyxMEUrGg/p1O0xGUaEmRS8oy2fDd5e+xs5/F6NpoeQ57R4VvTMVsI7bJvrtK6hLCfz/qUJHWhTW07q/UkKHWpTWzZq/MifjBvk0Z9Oi1+tQULT12wE7G+LarGdcuiQ2+oycp/Xj6uu05dq5K7CnH3yRnVw9BVmHWm2i7O/1YvNsi2a54uvVTu8O680/ET1Z7MsuYuMtAC9l8wmTezEIzmR+/FsysQeBZISuVPBpuyfldl33iKO/iLRY6oz5q/huWlTfima2E6uVY46K72ytQebbdBuSREno4MhojXYIAZxBRbSozH3DPOxZp0JTM58M0wommlSSHv1ome9V5Cd9G77MW4J6kFDDlZ7bTBx/QmiWZHXnnDocOuqYTbaqiqp3dJv6COaDv9iPodxs57/Viw2ohY0dGQg7MLbU9msu1HtY1Nh9ieikdJRlZW3/768Du6gKQMtfmYd5qTPqVOEfs7SNsU8sme8/RmdodxYyjyLd8puAiohu3Z0glHerZI2qBvSzDHcq581ZCM4WszhdY+mDRxU12EqVqumfipR5+o9NFBYgZDyjpcHhXylC1cz4g0uCIDwwhaOI/1+FoSBfx0LR4G4dgfCINyvg+PoZ49nfbZKJbEF9VgSSWIQBZka4khualabmGJaHIz2MKR0KFgRjfpiELLfSIJsSF5OFl+V8kBwy0+IehFv+HiVE17owT2T1B4h9Bywm4EIgvi6pVc5boESUW9qZderGbuEi6g7nW/7yQ86vUbZ3sW5xIImYL8hpJHbgPm9FxegLN/6MjMy10cFnIPim2glASOBjztz5gBBCPJ8ANLEnxuEubjzBApfU3xh0u0kldnYVxpGUTn3GNJZr3VIXTXqnEap+NsDKVJfkX6bpkfReGPiR1QKGfoUQpSPfPSASNnfioObUoUZXR26hG0t5bM16NKhLs6O0pHuymbR8Tsw4fZxIln/BmyZmJ9FR+NBOmfki7+BRIh8uJeP6Ky4laEoJW2ViMLXjf3i3G/iKdFlTM4+w2TomSgjQ0i88YrJDpAvu5LHtNTbpInBDPsiKXmMQMzqYgMEYYaX4grMre5iN7PuS9BmVXex2wQPKm/CuoMW3oUvwETcxQdXTbmAz9MgmTr5JPxJU4CJuFkAMeG3DNAU2OEBhKEODEgm1CZCAIm0lYAmekvIgEEsV4Ei25ty3Xa5fx9iRIgBPYqkmGX/ABxl6R/Pk17+D+HgtwDQNLTpNIjFm0gj+a4ouRqI52nQokOkaD4QITlDthBqkQFsGdLyAt2fhL6k3Eq4S4QijeUo0GTrNBqGvykX5X16XQamDKrK84wRE9HUcyZMQTF8uO0zCIu2iYajSW5kQSDo7SwcA2JTC6IgbG3hOJBTIZ+EOAkKsQDTn+fVtvrUdfTbcrjr6F/98NefT3861rW/Qe3t8B2Oq7Kb/i6tqwn2FHBlYQXYaZNtZLpBEu0QNf/P5h3Zu6y4v4nroBL4HMlOqVmaYlio7nfL8rFeVrPrspx/fGi68hgGX4rJ4rrBNpM8+3h5vqjMtUXo0Z/YZbmNEftiMrbaCfbLyJCGVErOpTm5R3+5HFQFfBPYflY3/Z702aralV/HOZ3Coz0tqF7i43LtTA2oN9bZWCrViaeHA5n4ovOsKbtsRwhqK8lAuct/JIiGhgx8/WtNWwmG7+8JLR1ajHY/3Q0YyKDqFB6tn0L1Evupa2dgwXHntrvCbKYTRwsH0H9yqs1mIQ51fX8qY7XNDjTwYZ2Pj26q+Gds2gPfvl1/FLbr0eBIrNmVGC5PSsScGD2oS6eZ4cVi92I0fnujb0Xj8B7bRaVxNVvVyZJ3K8DYPNkpPV6mDFVMzZVdU5PvFfCZTiwlLDyEhw0iqQ4cBXX15GA9Ngaq+yIbltiB+e2LC5PYVqYGSiL3bliVO7CrJx9r8Pv0XGhAYSavVkSHteXybLcqqW9D+tTY7RFr/wE32sgVkhptBIsCEEeyYBNEnrgjg4tpGOiTuHaRQekeCFesYFVMd06bmvIfm/LYoG+LzazsV6LnGo8qqjzzk9pVBm1Wih4SpFbdEmgVpH9fviQthdgSI6+HAJWzFkUcs1MrmN5lSCLUk5hethGoLEXZkKDSXFbsDh9omgBrVOW3+x2lx71QX5P3MmT/2lSLOe15xnpVQBsDGD9iq9HHdWaxYain3yguv9I90e9BR036vNtbu63bXRKpRIQY1pWJ+ZcusaybanZ4rrikNYUfU6tvSZ8d/1YsqnnRVcon99Rk8etDDRKXNpUoUXq7xduTJsihwCs+5o4xUDN9z9ixFrFrbL8PQIc7gZTxcLH7x2JkT1MW3v1JOiGsrSYL6bAfvJVJbytHWF1FerROflc2T2WzfSsI27dBkfGyvWDt1KQPtDzyXE2B1KCSgjyBFPKx8St41vdOiet4sOzoq3kRDOaaXqBRIr6wL3zxVCbPTuG5T0DVCqYg9iSRB8Fe4AyY7PgXePLLOvDwBXHaIXD85wvplEPs1I99Hx9qJwlGQn+CisjUogbgAFRLHHYpVKkDZmEk/MEyNM/aiM4sLEeBMl1rfo+PhNWiPsBH5PlyXJISdL/rLGwF4vBuoAeSTu1ieUp76ZxF5utQfp7l7UNdf+Y9y4OsLtPMHE5ZZK6GPHyXy6d6hliUS0BaanRJh68A7pZynlmUnooMY9TwiqaAElSjHInNNI0XkR0Nunx3G+P1QQrWIJglH7oqV5uW30UgLWJO/0YI50XVcrl5DM79d2WZmfTpMY3+ePH+zeX7v5ErnRwFSQsMg40gy+urD2dvzs+ub+g0pqgaz/mHdx9/vbi5oOMYkmo0b88uf714Q2c5yMlIwGsh0R5rFh/Tab16WX5rGQsSXV/+7T3q4fhAB1FNHkpX8pF4vSlNRehQPhSrT6WZ0N3KJ2L0rDTPp/fXHy/OL99eMqFseTGZ8W0q8/1+TMcHBEbq+qGaqZ0fMpnd/YNQtACAZ/r0+t3lzQ0fy5DXJcOFgSAYNRCguTChIEhFCwZxpmOnO+zOYjqcU1je2T69/8/3H35/T691cpRENYdrJtz1rz78dnl9+eF9sv+DSI54Bq6U78Sx8M6Donpz8fHD9WWy+4NMpqxiO+2C7/Ts/Obyt7ObzmROc0FK9Bi3ahOBCeQ6COqxXPz35Q3P1Y+SujQsZzoI6rH8fnnzy5urs9/Pfp2e/dbF3bPXv3KeWUBNFk7cmJfCpA59BJ+fXv96dv0L6wl7CrS9TsDmKdBju7o4+8hiOggKWQLfjX1rfx8TTmN8AYV04TqVPAVqnewk0cfPXFNBmvdn6VAeBDoIKzAdH5P73hUmqYNlRppIRSqnzqUCtrOnUzE02oyKQoaZIsTIaLOEJNnRtfrXgg4HqTF+BQiM5FShmqkeBZksmG8GsaiDLpoL40xBKponxZle/WTkLP6dZNWyLZu7YhZ660RwJRmwqW/cRIuueGKIEl5p2VoZhZlWfJqdrBLOuiw5JIOYEsTSu5UaT7IkXEpNw+E9I0uYD2R2nciVemEutRv17MvVB61SjImnCNVUQEvEDhKXcyvegFuz+1IjHhc2KiSfEB5MwvRmdO0nlN58UJA4HLScNc+rloVjymoyFZv24aa4ZxAdJTV5qicGylZIk8IPvngYcvANM3nHf+3b2kGmXRlmz3UrNC7Ej9dqFGRWbUywjcOVqL0vr/xYW19wxeSdL99e9nppCIm2ZBolgt/5P9++YvRhtb3LNu4rgMDIb/z7dbNe+LdtZg8/CSbSSATpUgl1KUhmykkhbavHst601+WsTt75kcL1dGVi3iaBT8VCBdpXpkftXxW+04Hq0U7h0XozVC+xJ7t2htKkVfWf5fP7/h9cohNLBwcu4WvDV5m6OviMlo4MjJt1eY1++SIG6ivKQDsvbzf39+ZXAsicpooMhH3Jj0X7wAc0NGTgeyy+Dl/IuirbpioZgWQPCqnKQLyuN03qmqwY5kE+G9tvZbNOJuRpxKMaHdLQCHJeL++q+01T9h8A+/u6XpKGlJD06GNMFIQ56ASbJnTev1oQejuG+MRQqYKeI/6jDBEOCEx7iCMEyhL2kMG0gTaGoEzgDipMCygxG8XPC+IielJUJxjBDPN4W+yTEfvxof+CaWKpwiktX7R5c/H27NOviWP4YLWToyj+Xh7TUngR6ezq5vLsVw7PUVSRB3tKw8ehH9EI0BjOYr4Zd2MOwzCXW1zuLhdX569+4NQ62UviWsMzNETz86tTLs5OVJnn9PSnn7hAg6wm0fmn65sP71hAB1Exj5vlvn97sy+Jymv98qNlsoGqibkrYHBoZTG5WhInOlkSlkoAVYlR9/nxtl6I+A4q8hD2sp+uLkWIRx1qjN6dc/XncknqA5DEaL0gWDn18jnIbHZPSFGR+gKoTN4bkoy0/sCgbOu2WFxvVqtFYokziWprUuR1e8e7zaKt6F0kKDZaP4kTEDtLuBVC6wRNpYB3slMjQ0TczmfmC6jHC0kobdmfW3c94tbaIJHxFtiCtVNX1UDLQxs6iKMUSbKTgxY+IOaCo9TmLAL0oCYb6Rx7ViRNa6vKRnxfrBfJS5rStEc12UjXn6vV66KdPaRXGpO4ji5N5mAsmiP3kb3y40ehuWg32TdYI/6ATNzgM0duNt019eMZKfrAmLaePKxtrUFqalHjhPvEfuw/XgRG6CBB4ZF7S5yD1XXC7RJ48vsb1VAX7hGwT3zFGmakRvvbRNpLsWCnbATqx7J9qFFdDwd+0DdGizf3ik4zaBuDGz1+IMkZgwmbHR+rkfCcsE2gh2P4dheAELbN8iNHaq9qVnC2DGYvdcWJSAtdgCr5MleCj7bIRSZEL3ElMBkLXBjWYE/4+dUprSscBcbvC07d3M5g2CzvDTATrzsYuhT7Q4CQ2SHQjKhtkBQkcR8ERRnsC/3eJ60zGBLj9wa3cm53MM3mLuumoCgruqAu7Pxss27rR9KabkRw7HlZkIE3JwPbIniYaVHNq/YZd5wJh3viK5XiJ49k7Sq8XK42bX/6SdcOU21mS/bTWMSrC0gjHI35+ddts5m1dXOGnaphTHCU6lsBx5Xd3RDoaGIUHzmGuDWzIodprXgeGyBizVxNXWpz1SAgZ3YaJYR96782NfINTL+80ubjr9W6PX5Ecv/1SBRTVHQ0509TEDtCvEUkTodGpTpgXHG8uyyqxyrRm/Hce2XZqVfFvZZfnAy6cjBDvc24TxrfzwChUXtYqH5G34Lsl/lmAo7ulZBCDX9MgVI9EcWZ8sGrcr1ZEFt5J/NiHmhUL3TAwfjQ0p5RUkp44igT4CbvB/jafuw8aXs0SoztalPlxmUjWA8NSb5wLiLz1mBzBJ7+g1deh/kEVCw2Q9eXUYawPRpvg3Vl4O4DbIePHR2siNzG5oiwc33v29S7myV+d74nRySZwLpwV1u4rRHH1QHNgzgvO/PFiK4WVcT+u7dD2TWb0FGiCrhZzRUes6tFjGh039fWp/UovTggqdGZ+0cyHHPxgpKQbJLQjWrbUKPBTWxkCoxmjkgrN/UNlA7ywSZh1bjXGyLNFnn5p5PdXl73pn4sqsSY6hQe75UfoF7q2z6OnfwXfcIstHd8HD3xxOcJsxsTQ3ui7bzQ6GYPXZnUcleM7qggT9tVd8/V8h73IdBEK3qqMhCvi9T8JgY5SOtwBePF26pcYJ/4tuz40eJYLTdY7IyUxwqPhBcqdmoS548E7XPCbyTsHseQZhF2OWyJkXfRgMpZG2mO2bKrHFNo9LscQY2JqXjdVnfV7tzlJ9ypkBixpy0Xd9l/XvxG/PhPTD3ZWd9WizZ52RKa+KAtK/euFm4Xt6CPqnIRr/dfDfmlLObilva1KXK7cfWTOdtFxVVIYrS4GqycGFdBszViVQqQG6tAvVr9KAnN6UdcYmzEwkHTIxaO2+1HV+V9N20uG9KZwYDQaL0pVj+xQ4Xsl+UqCEB6uhJSijtJh3rTDMPNfMOMR598swxDTHijTNbG6dOKlAamnFREc8PjKKn3gyIjj6QKPR+2nOuHSSyKF8LKtHwwjcrxQCSzf92u+zrb2cdLZ9kbTkfDguPNlhMM5Pt1w20RWJi/bepiPivWrS+rgn4Sr0BqFuQf3v5nLtMi2jPbdV9me14h1Zkt6ndxfOnkZdk4m8LKM1hlbMlZ1x35YSm86QULam3EWdoxe3ARnAmokH7dZDJQzerHVbUoLSEhekBlDvhtpFBlBzVmQO/igSY3oC4D9LxcLepnTW5YYwb07rnOlZgdVVlgd7MGzZYO6cyAvzvxogkPa1RCN0YW61u7lHMesKDWyGJpx4wsEZwJqBDVlIHWCUc4S0CIDajLAD0z3pbS4YY1ZkXfvomlhr3XpoRs9LZhpeqqXG1aco8LC2v0us7bvArkUJOAWlTTRlorPI3/WNwPNx+ilpC84qNN2eGaiRN131r+uztRINpbO74q6fs6cTjKmzoINrPLHotfletVVxwTZ3whplvZF4TivnMfqHwyiBMb6WB16AWHYv2ubgSNMjlqUEbbv1kgYDNUyOFeGXPQQWrTVotjhHqs55uFCbf9GXAdI+6Y98cuiuOdR3eb5e78qqttWwzpjjs8sLau8Lr8tOy32sv5x+J5URfzdOWQlJzlrm4ei/5j92Wa4FhWXu99/75F+fl1MfuMq9wRkBMs6vtuUPQiUxDALi+vfz/HOvta1evLvnvNylVbG9vlQZSgqJxqVi+fyqa9bptqeX9T/1J+TeP4MkwOoJc/FYuqi751E+7phyLR3n766piw/eYpHUQgpb9F1ENGHYkjkzR6xZNBDFv7UTzEcVe2swcGyF5Oj6TPdD9eHoo5H17Hk4X0HEnb9fz7av398KlZBvdPp6aTHq5yYcDa0qLGtG9ErbthisGzl1NsLPchH8oYRy9IT9dWoOqAEqcDHE2B6L13TIUE9R5/NIXYVZ0bQmj9E3sfCJGpG5metsnjxapmRTVQiSqj+1YbiQ392hqN6eLuruytLkVwgBZdyq9VK3iuprgq1+VybuRHJKa9qCrPx83topqZH2EnMZnielzV+rrT9VByAoYpq9pSv1ftw7wpvhS3i1LgWZCaPJwL9+gfj3OBPvBH4GzrXerPYDNENXn+fv3hPYtmEJSx+LOYL9sLBsJTmN3v6PnL77Y6z8BB3e8hrZBNA2IgqXx39t/Tszdvri6ury+uKRVPXEkUxqAhehnAtkSkPwAstpwGSWIOBTAgZ0+o2qvHVd2Q/GByENGof7fvQ6r/IKJXfx/crsvY+BLkMERVnseyIj6NJWZjIFQ3ZdoHVM6a8OFYirX5BgUKZi+iT7Om+sba9QgtkmI3+Ja0qGVKZWP6WLQPH5vyrorks2E2S1qF0epX5VdynDuI6MWZZAYWDDPopAtF002gyeHuKKNBcNyZJkFYYlp5wBmrT7mSel5y03+Ri+EjezkVD2mLz2U/J0nO6iFX8YU1mDZLERUorvLUFkX1yKUChLWeXzcpuiq/FM2c5tieqAbP8cK8651670I+DFpMi1Y08C+2I4cFUIVefOht58SHvZweyaddl2KwHCX1aM77rsRtHEtYy5fYHqTsN5ilY3i01Y1KuC0JmISwGYFluS6bp7K57o9DJHcMYShQgxIdvYnU2mZdPJX0BPEopMlwU7+tFsT8wxVV6c91MSe3iSGkyfC2qR/JrQIIK3nqm/Ku2Cy4Cb0nrTIiFMu+V9IGgoOMyrpesZnRVlgnBxHVucT2o9e86cReVI9nOHV2vb8jhsEFqFBcCXRuXyUsBGJvXEXRVMun+nPpvc6CWxF0RDV4di9O2TdPY2BsOT2S929vGBw7KT2Kd13cqriNYgnrMbF8xhNViYCbJW20HAQ06v5H/xbJWyqAKaU1Bwi8TIWdCVBfnUJxpbdbARr8RiuKYdgBpeeZjqD+WvHuvMe67Wzt6yAnNK5wHsLlrHnevkIRPawRIHSE9QlvN9VivivCSQtBcX3KL0XVvq2H+RsJ0JXUZ1uX7bvtjtb7mrga7Erqs83LTkNJdTxTSp9p2Cdp23LtvD9H2GWxpPUZm9J6UQMDdhDRoQEOljgZr3+yZFcAf7QkmUIPCn8PKgZNGtTyNs6BKrFb57Yo+yADRIA+yoBjiL8WABLgXgkI108+zA63Q+AgO8bTg2iksw0QFe90A+5Rpdb3IB7sCh+aALMWGwChrMbiecy7RY1vpuOpPAVqbBfezcloqgv8ZckMHueuUToV9npRIpt7cysNDH1ZK57qOnDLMRrMV6DDtrtthMhzENJh2H15ichwENJhQMxKIQrCvDTMYeQR5oH8fTK0/Ws0A/rT6V//9OMPxwHHnfUc0irjeobkkrd73UKgkmGT7ldz+I/UZxeXVe1tdWMhQoIyHGztKpUBV3VEqsTcwEGu+F3ZFtbFBCgAQ0oGYnx1CdvyvggXoRNK1DiUYFbg7phDVSS3x5OVhO/VvCr/sSkTjYoSl6JdfO2G4mWx2G8IkcDCwlKs4QjQYXGUhBUWlmJtT+GRWBwJBQD6Y9J7PP3KHevRxAWZOOfA5ZAYmricDGYOX1UXwfAk2AA7DdsUO1GxXVKjwuQQAZUWVgzcqxurGXNXLr1qtOGeCBfBPDOOcndYQFQ9b0RLy4qgOGNZSlIEZO3v4WkCYmKU7e17NAxHRITgnu3Ak4QlRUDmAT88DCwlAyGPYDExGQpjdE9JioDQKRdYXFo1MY4ox4/dFg++ere8XuXDZhMR4SClADKs61AbwxOToZAh1Kp/XrX12WO9SeV2dkFmdW/8q7QxNkfFmCgXV+evftj3q3RuCxbnV/3zq1NS3UB5buXtQ9mUm8ftITLvpCdYfUBCCnBc1MFVb5XXq/xsNkutucaktEGSeX9KUg/o7aJo23JZzru/Jda0MNJCsMOdF6j1y5gUE+Tt9qQ11m2h0tyKy212ep0YKK1i7Kra2cMvoTfmXv3wg3dxJUyC1yIBvbbeOiTRxUT1kDCDW1SMi1IVLWJQt4pxqwLvoQdrw90vT6pw9/7UxXLziK/aktGAeFuW8fEDKq1RcXKsgEoLKrYv7Q9VmLiMP1XR38r9Qnuf65VfURliRIiJ4e01RuuHSjMrftefILpoGujuWaNGqxi3qsPbBKGPOII1R6SYIO/f3lAIwOLcqneHkuL1HcrIKvnY1G09qxdvi8dq8ZyMWjEpGcjlvCtW3VWJzB8qzaz4w3L2UFTL9/2/YlXa5eSVJUOkX5ZZafAtNahW/Pto1GqRI2JUTAkl2fYBAWb1V8Y3rzBjBlyeXTnw6SocRVSQidO/RrJdKepvlU0uMECltSru8upuvKBVf5BhQxyX0hM1WwUVqsM0tl9aq2JG7doIyU4fklAAINUtrHYfswi9LCSiioDpb3FBAU45/61edNPJonnubz9+V67XxX2JWrBBiXPR0GcnlM5M2B/06++ortpnhIfExDRQ0h0EKK1RMSarDwhoVG+dwU/WHT92n6y4XlTz7rn9Viw2iUqdkhoV9uzJ5C8kwQXoF87qppxfl8a702DFTkmNCpEJb1iGC2GtasbrdovKqhyWODBVHouqVEmvWQsAt8QIFFaqFutlMTElFNxwGhaSYeyWqDF1H0pqVNg3JCKwhUQ0EN5uv0OGr/9QXqPyT9dvEANKQIIJQF4Z1F0UtPabkyM4VJpbsXWXKlhZ/NZUVAXJXMwsxa8ItVmpsk1pKEFGy5CEHGA77CSybbC4vOq0p3plJZWmTm/ID2zsNWAc1izIrO6T/x11zDpaVEyEQjicFRDgVr9OPNuhAFO9/zlCqA6zlLSiN10SAn49FarvWFhabdJx3ZLSCp17QaNVpm4ATVWKOEEpPS65k/evLU3G94SgCCf5UK1i3KpC95yY9aTu8ENWYrzCjqnPLq5QdXLcAgorVUu0GnMBARIh7UVWOVll1uBEfNwRWRnUcGHWsNiIBwrIyd4NLtdnq2r7eeGPRVM8btenE+NTSlIB6O0KTbAtqlFl0d9r84yv91BeofLL/UfX0dWbEgoA6HoF1XVCLcPbYmJSlJSfWeXElWE8zC8srRbpW1BxadW4GvkVDcu7u6Ngz2TXQolroSVcDS6vVjnC9SJCWhg4V4yKaaHQCPgVWwkEPfqhxLXQEi4Kl1erHOGiESEtDJyLRsW0UGgE8oqPb3Hz/TStQxUS6bGAkC4GwXdDkqpANC8Oy6pCMVj4CPt7APjTHKwGRcCEOwdFNBEQrhyXU4TBuXFKUhGIzMGvvn+vg+yzESEZRsIzzVLCihD+5xWVVYnzMqCwrFpMbfxK3n08H9aC+4+lkR0JJa6FlnAuuLxa5QiHiwhpYeCcMCqmhUIj4Fc8vOtCH5kTgnKchEO6JRUqRDghWFxeNc7xAgLy6rG18isbXjfavVLV0leJcPJqcAnfCwjoVY/wxJiUGgjOL+NyajBEBn7VV+W6XjyVe12vn/eXvdVdrcndX4w0G2x/LS25AyVFNZAS3cYvq1IporMEBDSqx3WRoIgGAr5mfoXmaQZ6soCRVgJL+CBYXKtqhCeGZZQgcP4Yk1ICIdUvqNY8IcDwTIy4FlrKN8HyapVjvDMspIWB9M+YmBYKjUBQMWv2n2HSj5zra0zxKTN7tQk9bR6vOH1Hzdrlk/Xt0Xh6jIuKSVESvmSXE1eG8CagsLRanD+BxaVV42oUVbQ/lc89wYFWoYmYdruAjCoEzh1jgpo4aDeNi2oi0UmEAHec6UlKUgEI46938imJpQfrnV55hcoJvghIKACg6+VX17+HQne2mJQQJOFkVjFpVQjn8ssKK8U5FVRaWDGqPn41u80cuivF5cQwCXdyCsqrQ7gUVFpcMc6t4PLiypF1CqravbjA8K64oBwn5V9OSYUKMR4GFZdXjfQxWEBePbZWfmXn9fKuut/srl3YukppfdM0cN4sIKMBga+aX2Ho05XV4SOY/z9rd7Yr2ZGcC/pdeJ3IDh9sqjtBJTWq+1RDfXq6KBSIFJlSJbrIJEiWoGqh3/1EmHkEw/80872ZySvupHtMbsuH9S0fXjy50rO+fgrU6aM+zfp5H7kWOb38gZjx8z7uH/7lD/nGr8+l+Euez/sQr0/XsnnxkzDj533c//X9h+9++Ov7766533/74memuT/3g9/97ee/fPzxw//3qs/9NPPnfez/9vHnf/74t+9f/kjM+LnR/I/bSuK4/v7w+1cENc3/RR++LvvXf/onL/gNfvuv++W/5e/+lb/6t/lo37X91Z+85f6iD77fML4+2J++4ou+wL+8+/f3r/3o57xf9KH/7cN3H15d2lvmz+wI/nodXX572wTxp59fvr7S3J/3wX9899d/+/jjd++/XZtXvPjZ1Qs+t83+6W8//PDxx2vj7wvyXtFu5y/4ssp1e6df0Zrt2b/oo39/LcIP38emnK/8+OQlX/QV7pt+v/r3f/KCz/v423Shv/34zft/+s+/vPvbT68ZLJSv+LwvECe2eO397+/fffOXV3yD+iVfFILYC3Xtjv3aMKQv+k3a+rVpx69s7/dXfeZgKi6tdbLNU2V/eXT10is/s2H+KTtA/Lkt/ul0fvhLb/+PHz98/6/vfnr/D9fB6PUVH75JbeLp46oXfN7HV3tZPn3gS3tYvvIj/vjuU/L49FMi15cV5WtK77M/5H/+f/7pD1///p/+8Q9//If/9n+cPgkzfu5vOh3FvP2w15zE/NqPO5yHnHzmK45Dfm0//C9/+F/f/z22UXx1Z5y85vO+xP/54bv3H//28gdDvs9sV37897/dbnpfHutBxi8q4M1+XlvC6Yu+6GtcW+fP6fCKl332bXt0oK+5b99zftEQ/5Ufmub+kmHOaWfITwY4r9ke8qWP/cu7n/6yNnQ/feCe7fM/6rZH1Le/f/fzu1d+ZpL/8z785XOjnj759cdGvfSxL54+8/Sprz585qUPPZ6z8fSBrzpm48UPO27i//xpr9rD/8WPO2/v/fx5r9vd+5UfWG90/elHvrzP9Ss/tNjU+dNPfGFP5xf71HRn3efO9Lix7ive/jWN2m/RnJV7r+LnnLZefelDPvwUWvn7bLfvpw+CfJ/7YX/8/v13H7//8M3tPJ5/+cuPLwyei/xfcF91Hbv9YzxneukG6znnF1yJ//DDh3ib47OdT7N+0cOk1/zIT7N+ZrEGOb+uYD/N+5s8p3vVhx9e8yWFHTONX1/in+T//Fb1dR/7G33gvaV51Wdmmb+8/3/dzy1e8GUX2n5szq+53MpXfmZ1e1V78hs0JbuxvSbYL2wz/Ct61ld+JmT+zAvs00NbjpdXmv3zPvqlzZyfPva1ezn/qsFYcdpENSR74bCJX3v78PKPLl/xmXeln57QfLwvTbN/SVfx0hjrNxhh/brx1W84urq9xUu/7ynPZzZ++Xnjzw3f+ajxlz7g6UHX6VP2bF/esb2i2clyf8m16HML31cnrnxyUWL2LwPzV3zsp1m/7CPvpPj+n3/8+N3/8tPH73/Fdzi89gsGb+tN/vjxfLua5P0NcCPdib0CjuNO7C997CvO3X763F9x7PaL44nXHC30PKT4NScLvdgOv/rY8+fm+Fefev6rYv6Kb/Crzkd8sep5m3EfHb6mvhUv+MKP//ZV7U2W+0s++NNnVa/+FqeXfslX+qf//o/98upvAbm/8IOlt1/zyVv2L/zo1oh+zWfv+b/oGvjbTz9//O5X1L/zy77kq8Ro9pVfYM/8JR/7v//t46tGGWnuz/vg2zkanzz0+OkV3+GlF37+13m6W33tF8lf8tt8heL85sM3eOHg5s8Lyeu+xuF1nzn+jRUYDyI5Dn4/zftFc1J+WXr78mfXL/liX/k1X+P8ss/8Kvcnob//+N27D+cHKZ9k/cKP/OcP7/96fAz1Sc4vaf/WBfTqFvCT/J85yfX5kLhXfHiR/3NnWf779UJ5/+Ov6Pfql3zJ7/8VX6B6wW81q+lVZHx+2W9wB/A6QP9twXpjtFe1OOUrvugB1bY326sfVeWv+lwA/feFRq+4ILPMX/qx147zptcvTNxIcn8hb58+7+WzH1/nWS8T1pcOGF4xTvjsj7jNvHrNvBPI97k9099/+Pnjy5YK+T6z+n949/PLH7Xl+g3amVc3L1/0cX678tJH3TMdP+bPb9Zfv/uvr/7j/Y8/3b7Z777qb8dbu+b+t9tA5PrKP8WHX9/r43e3CZpf/Xml/d/vb4unbzkiy/90+erNny5vhN+2qX/+85s/3V/hCf4/PFu7/qu9IXnLtuVqW65+/Vd/Q/2t2Nyy9S3buP5rvJn6lsfYso0t27z+a77h62cKbdnmlo2u/6I3NN824S0bbdn4+i9+w/S2cd+y8ZZNrv+SN9LeXvZfIFsuvf5L30x7e+G91HTLdg3Jn+wNXd5O24vN9sK9lXW7ZBkbhMHjcA0EvRWBnHso2q3IW09+SduD0Ub1W9oejjarX9P2gDSqf84ek3Yr+zayL7lHpUn5JffANC2/5B6aZvWX3KPTL2WZ9z063aMzs4usQ0Xx6FDyw/senX6LQeOsFvQ9PP0WhJZdun0PT/fwaFbn+x6e7uGxNOcen36LQk/bkb4HqN/C0Fuac49Qv4Wh9zTnHqFxC0MfWc6xR2jcwtBnmnOP0PC2jNKc0Jrd4tA5zbmHaNwC0SXNucdo3ALRNQnm2EM0uKoYY4/QkKpijD1AQ8uKMfYADQ/Q9T3H28ltz7kHaF6qFn/u8Zm3IIxLVtfmHp95C8JoSQnNPTzTe5v+hi9vLwQ5ob+5xWCMNzzeNoIeZw/PvAVhzDdT3s6x//K5x2dyWUZzD9C8hWFkTcLcAzRvURj8hvStXvZWZu4BmrcojKxJmHt86FK+Je0BIg+QZu0R7QGiXr/nHiHyCFnyNWkPEPmI4JJlhCEB1Z+9x4duQZhpc0R7fOgWhZl1qLTHh+r40B4fukVhZt0f7fHhsv7wHh6u6w/v4eFeDZt4jw7fYjBn8iV5jw57dOgNt7dT90uD9/DwLQaT33R52yfkhEGbhye7gnmPDnt0sgaT9+jwLQTT0m+5R4dvMaC0T+M9PHILAmVtkezhkVsMqGe1R/bwSK9+j+zhkVsQKO37ZI+P3IJA8w3xW9b92pA9PkJlGckeH7lFgShrMgXG1VJdwrIHSG5RoLQ7lT1AYvXX3AOkHqC049U9QuoRSts33SOkXoHSwZHuIdK6B9I9RHqLA6eXnO4h0lscuKXfcw+R+o1POozSPUR6CwSnl5LC7c8tEJwOo3SPkVo1PtE9RHaLA2fdn+0Rsla9o+0Bsl4OZGwPkI1qbGR7fMzjw9nlbnt8jKrL3fbwmA8Qsntm26NjUjXYtgfHPDjpxW5we2rlhWl4h+rh0ezWJtKe897iwJbnhbvUSy8bpUh7zjvKUVekPee9hUPSjjDSnvPeIiJZ8x1Jz1nL4XYkPWctB9yR9Jy1HnJH2nNev2/NBeACQXM8kNQAPnGFW1xSbGkIC+4HkjYTDW3BCUGywUNDXXBEkKwBaOgLrgj5ddtQGBwSigsXkcEtobhw0RmcE4oLF6nBQaG4cAEbmpOCcOo2EDM3heJtO2pQLweGDcihOSyIZP1qA3RobguSFy+4Q3NdkGyc3wAemvOCZiP9BvLQ3BeqUoCguTBUpQBBc2PQtFUAfmiODJrWM/CHNg4xA4Fo4xCzgYjnipdKGiBEc2rQVKkaMERzbVDK80LMgiLSKxcsojk5qKTNDXBEc3TQlKsagERzdtD0CgORaA4Pll5hYBLN5cFaWh9AJZrjQ34T1AAmmvNDfjfQJtqr42uRF4I2y7FHA51obhDFJQY+0Zwh0hvBBkLR3CGqUoCYOUXkN4MNmKI5RthISwGgotGhpgFVNAcJS8ezDbCiuUlYCoMNvKI5S1haJQjNvCalBmbRXCbyAANaNLeJIsDgFs11omj3QS6aA0XR7gNeNDeKvN0HvmiOFJbd7zfwi+ZMYZp+WyCM5lJh+TeAkDlV5GULitE4nnOkt2uN8UmHW/ol7U/AMpqTxXX4m5YueEbjGDzmlQJIo3E89UgrMaBGkxKdGrBGc7y4DpaztwXYaBK3ZekjjQa40ZwwruPlPDOEzhWjKjYgjiZ0KDZQjiYRvPxyF3xUdRiQgHU0F42chxtoR5OIXXoVg3c0rUG3gXg0jWeKaVcI5tFcNq53BGmpAXs0x43rLUFaaiAfzX3jelOQ3Vs3wI/mxNFuT9qyzBA8V47rfUH+nSF4Dh2tpQ+KGyhIc+u43hnk7wzh07hxS2mpAYY0i2eOlmYGEGnuHte7g/R+CFCkhYr0lhYduEhz/rjeH+SZIYIuINcbhLRFBh5priCtpw0RCEkzPlx0oCTN5HDRgZQ008NFB1jSzA4XHXhJv1zqi64DmPRLqy+6DmLSL72+6DqQSb+M+qLrYCb9MuuLrgOa9AvVF10HNuluI8VF1wFOuutIcdF1oJMedJI/p+1gJz3spGfjsQ520h1IcmPogCc9ZmX09Nk76Elf8zIy2e+gJ72NukZ18JPeovpl3UMHQOkxQ2Pkz+tBUPqapJE/sgdC6c4k17vT9FtA7JoergowlB7zNUZ2h9txwkbM2BjpeL7jnI2YtDHyK+iTaRsevZFeQThzI6ZupI9fO87diMkbxTWP8zccS/LGAidwxAyO4grCORyuJfl9bsdZHK4l1/vvvNQgdj1il08kAUzpLiZt5tcmcEofMeMmvzbBU7qbSZv5jBIAle5q0mbKnB1IpTubtJlfcGAq3d3keieeZ4YAupxcb8XzzBBAp5OWPi7twCo9pnkkM/o6oEp3OWkzDzWwSp8RvbQVAlfpbictf8LaAVb6jBlT2f1TB1jpjifXG/f8jXHa1KyvepCVPunQYoGt9MmHOg240qccKirwSp9at4XAK90JpeUPiDv4SqdL3byBr3SK6OXXPABLp4hefs2DsHSK8OXXPBBLd0dp+bPdDsjSHVIaFXPfIH5OKS1/wtvBWbpbSuNLVqHAWbpbSssf3naAlu6Y0vLntx2kpTunNE7Hsx2spcdckbSmgrV095TG2Wi9g7V0B5W8dwJr6VzO8O1gLT2shfMLCKylh7VwfgEBtvTAlvx5aQds6YEtnF9AgC09sIWL+ZMQutCWPHLALT24RYrplhC78BZpaUTAW3p4S3EBgbf08BZJUbqDt3QnlfyBbAdu6cEtkrZvoC3dRaVJelfWgVu6k0qT/CoCb+nhLcLpLQCAS3dUaTmedhCXHuIi6T0AiEsPcZH8IgJx6SEu6XOzDuDS3VTSR9kduKW7qKSPsjtgSw9sSR9ld7CWHtaSPmLrQC1dyxn3HaClaznrvgOzdKsn3ndQlh7Kkj7l64As3R0lpdMOxNJdUXKg7yAsPYRF874chKWHsGjePwOx9CAWzSsGEEsPYtF8UjoQSw9iuT3rS5ofIJZu9YPyDsIyQlg0pY0BwjJCWDR9tD9AWEYIi6XN6wBhGZd6MQv4ynBCSaf6DNCVcSkXtQywlRG2YlktGkArI2jFsmt4gKyMkBXLGuEBsDICVtLRzwBYGbHYxdJuf4CsjJiWkj4cHCArI2TFKKtKA2hlBK1YKuQDaGUErZhkkz0G2MoIW6l+HwQvbMXSif5AKyNoxdKeYICtDOeTnj+bGmArw/2kp8+mBtjKcD7JFxyArAzHk3zJAbjK6PVcvQGuMsJV0hlQA1xlOJ30/JHQAFcZjidpdzTAVUYvn8AOUJURS2PSWg+oMtxN8loPpDKCVPJaj6tjQlTyWo/rY2KBzCWt9bhCJjwlbyE+WSPji2TSB48DV8mM8hHswGUyziV57zlwpYxrSV66uFbGsSSfvzBwuYxzSdFE4YKZWDFzSefTDKCUEYtm0s5wAKWMoJT8lnIApQznkiovxM21pFjjA5IyZlS2TA8GSMpwLOmXYi0URC4W0VzSu64BkjJmLEXLm0mQlDFjNdolDQhQynAt6flzqAGUMpxLev4caoClDOeS3kbWfwKlDNeSfnsMlVycQCnDtaS3fBkbUMqgwyPYAZQyXEt6yztQoJThWtLTxYkDJGW4lvR8feIAShkU8cuDDZQyKBYU5n0iUMpwLen5QsUBlDLcS3pPW1iwlOFe0ovVioApw8Wk93wwAZwyglPylgg8ZTiZ9GJ9I3jKcDLpxRJH8JThZFJ+ZYifk0lPn5wN4JTBEb50rASaMiSil+HWAE0ZDiZ9ZDfNAzBluJf0dNnhAEsZziU9fRQ2gFKGa0lPRXeApAzXkj7SrhQkZbiW9HRV4QBJGY4lPcXfAZAyAlKK8oW4OZX0kTf14ChDYylvXvvBUYZG5PLaD5Ay3Ep6/lxpAKQMx5KeP1caIClD6/EKSMpQqodXQCnDuaTnj6sGWMpwLynqPljKcDDp+aOtAZoynEx6Ou1zAKcMq+8NQFOG1fcGgCnjsI5ngKYMO9wbgKYMB5M+88EYaMpwMOn5c7gBmjLqNT0DLGXUq3oGSMpwLMnnbQ+AlOFYks/bHgApMyAlvXmf4CjzEuvn08knExxlOpXk1+QERpkxUSW/eZ8AKTMgZaZzPydQyoyJKvnN+wRMmRc+/T5YsO1i0tNnnRM0ZV5Kv5yAKfNS+uUES5mHjUMmUMo8bB0ygVJmi80Psi5xgqRMx5J8gc0ESJluJfkCmwmOMp1K8gU2ExhlOpX09OHwBEaZLiXV+0LUWr1YeAKizEAUyrr7CYgyXUrSBmICokyXkk4jLTNglNkjblljPYFRplNJ8R0gbKEo1XeAuDmV9PxR7wRHmT0Cl405JkDKDEghSfdnAEqZ7iX5CpMJljJjo5H8qfAETJmx1iet82ApMyyF8rwQOfeS4vuCpcy14Ug6kpmAKTP2HOG0aoCmzNh1hNNLGDRl1huPTNCUWW89MgFT5mHzkQmYMke9EnLi/iPuJZ2zcdfELUhmucB44h4kriX5L8NdSGJOSv7LPtmHZNa/DHciCUhJH81P3ItkHmob7kYyS7acuB9JIErRPOCWJO4k6YBnAqFMV5J08egEQJkBKPn0gAmCMkNQOC0GAJQZgMLpHirgJ5OiqmU3qBP4ZAafpMULeDIDT4riBT2ZVI4nJ9jJDDspigGiFnRSFAOEzXEkH3tOgJMZcMJpEwlwMgNO8lkPE+BkBpxIegM3AU4mx75M6Z3WBDmZISeSbxMEcjJDTiR9CDtBTiaXW2RMcJMZbpJePsAmk+tF/hPYZDqNFOMdYJMZbJLPpZjgJtNtJJ9kN8FNpttIju8T3GQe9jSZ4CbzMANlgpvMcBNJb/cmwMl0HMnXcU6AkxkLfiStSAAnMyag5N48AU5mTEDJvXkCnMy15Ce/hgFOZsCJ5MMjgJMZcCKWvzNEz3Wka16jgU6m80i+M8sEOplBJ+mjvAlyMmMWSr6QYQKdzLXiJ51tNIFO5lrxk64BmWAnc634SSfOTdCTGXNR8jUgE/xkhp/ka0AmAMpcgJKuAZkgKHOt+Emnw04QlLlW/KTTYScIyrTDvPUJhjIdSno6M2cCokyr78PBUKbV9+FAKHSp78MJCIWCUDTtzgkIhZxJeo4+BIZCziRd0+uNwFAoDCWfxENgKHSJ7QjT643AUCgMRbNhEAGhUBBKejtFQCjkTpL3IQSGQpd4VJc9UCNAFApEya81AkUhl5Kezw0iYBQKRrG0ASdwFHIrybWMwFHIraRbOmAhgBRyLOmWci+BpFBISr4UnoBSyLmk52vhCSyFYkaKpV0qAaZQYIqlzwwINIVCUyztoAg8hcJT8lk0BJ5Ca9eUPNoAKtRjJl++lyCQCrmajEseQSAV6jHLIY8gkArF1JRLHkEwFYrNUy55BMFUaO2ekkcQUIVigkpW/0BUyNlk5FMBCEyFYv+UfCoAAarQ2kAljzWoCjmcjJbHGlSFYopKy2MNrEIxSaXlsQZXIceT0fJYg6yQ88loeazBVsj9ZORzAQhwhRxQRstjDbpCMVOl5REEXqHY4jV/vk8ALLR2ec0jCMRCa6fXPIJgLBSbvebP9wmQhWJHlXwvYgJlodhTJX/AT8AsFLu+5jsSE0ALxc6v+UN7Amih2Pw1f2hPuP9rbACbb01MuAVs7KzS8wjiLrCxDWzPI4gbwcZOsPm6VMLNYCm2680j+MmGsB7BkUcQ94SN/VVGHkHcFjZ2WMkXmxJuDRt7w+aLTQl3h3VYGSOPIKgLxRax+VN2AnahWPqTP2UncBdyWhn5U3YCdyGOPfryCIK7UOy1Uu2+CxHk2CAnjyC4CzmtjPwRN4G7UMxYKYZpIC/kvDJmOr2FwF4o7GVm0y8I7IViAVD+hJkAX0hic6M82oAv5MCSgxwBvtBpARCBvtBpARABv1BsuJI+ZibgF5IIX77NNPALST31gYBfKOat5I+ZCfyFYuJK/piZwF8odlxJHwYT8AsFv+STzwn4hWIBUP78moBfKLaaLQoO+IVi3gqlkx8J+IViy5UseIAv5MAyKF1wRqAvpLHreV6rQV/IgWXka1kJ9IUcWEa+PpVAX8iBZVBaUQFfyH1l5MtTCfCFYiUQZd5HYC8US4Hy55AE9kIWwctbZbAXit1o8yeGBPZCziuD8/iBvVDYSz4NlABfyEq1JsAXipVAmYUT4As7sOQ7mYO9cCwDStsgBnrhS+xfnzZuDPTCl/qYDgZ5YceVwenOUwzywpfDVukAL3yJwKVXPIO88FoKlAaOgV54rQVK2yAGe2H3lcFpf8OALxzbrBSFAfjC7isjfWLFYC/cInzpujMGe2H3lfwSAnrhNuvWjYFeuNWb+jHIC7eIXlr7GeSF22EJHoO8cIsDCdKmgkFeOPaqlUv+zhA9x5Xi6gR44dhnJe96GeCFA17yx3cM8MIBL8VXBnjhgBdJn5MwwAsHvKQLkRnchcNdJB0YMrgLh7ukux0zsAsHu+QXEagL94he2jcxwAsHvEg6iGSAFw54yXd8ZIAXjsNzUn5lcBeO2Sz5egYGd+Fwl3w1NIO7cLhLuhqagV14BFqnds7ALjxCrfPaB+zCLiuFnTOwCwe7aHorwsAuPA9rzhnYhYNd0iNEAF14lse4MZALz7rhBHDhABdNR3oM4MIBLvlKZwZw4QCXfKUzA7hwgEu+0pkBXDjARfPqBODCbir582UGb+HwFs2rHngLrzN30sNNgFvYRSV9vsWALUzlqQcM1MKxMih9vsUgLRx7rKSTlxighd1SiiIDZ2EqZ0cwKAufNlhhUBZ2SKnyQtgCWTRvfvAonkCW9Oaf8TAeZ5T8MR/jeTxBLPnADY/kcUQpbucZT+WJPVby23n+5GCe2GMlHUrj2TwxsSXdbJvxeJ7wlRxjGE/o4XrvaAZfYbkcxh/gKxyTW/JbfwZfYTeUYekUGwZgYTksPGcAFpbDwnMGYGGJm7x83A3CwiEsRTGDsHDsaJsu9GUQFpaIX3peFAALn3ZYYQAWXjus5JlBWFjr3g58hbXu7UBXWOveDmyFnU+KrhlohfVwlwC4wlpv2M5gK6zhmtnaXQZa4aCV/FEuA62wHno6kBUOWckf+zLQCsfZPnkzCLLCVp8vxyArbAfVZJAVjlktecsGsMJuJ8WgGFyFw1XSzc0ZWIVdTvJuHFCFXU7ybhxQhWMH27wbB1WRtYFtFmMBVpFL7CSWnlYGrCKHA38EVEVcTooDvkBVJFQl3eNdAFUklgTlW5ALqIrE/ir5FuQCqiKXw87tAqoiDifzknWLAqgia0JLerkLoIq0WHueHmMMpiKxw8ol9QwBVBF3k5nPWhBAFWnlzjgCqCKBKmmDImAq0urnCAKmIs4mM584IWAq4mwy0y0qBEhFYmFQuuG9gKhIK49AE/AUcTNJ67IAp0hwSlqXBTRFeoQtnVsooCkSmpLfggpoijiYzEt6pQGmiIPJvORnGkLgegQurc1gKeJeMvOJGwKYIg4mM59TK6Ap4mAy00O0BTBF3Etmepa1gKWIc8nMp20IWIq4l8x82oYApoh7ycynbQhgiriXzHzahgCmiIPJbGn0AFPEvSQ/mkPAUmQcHiAIWIrEFJa0SQFJkRGxS2/VBCRFYnlQun+DAKSIa8nMZ5kIUIrEcUA9v9wAU2TWMwAFNEUcTGY+I0VAU8TBZOYzUgQ0RRxMyq8M0YszgdJt/AUwRWY59VaAUmSWU28FJEWonnorAClC9RJYAUgRisjlR5sCpcjaZiW/iAFThMrtAgQsRcJS8m4GLEViu9piUAOYIrFdbTGoAU6R4JRiUAOcInGmcT7tSMBTxMlk5tOOBDxFOHq89FGRAKgIR/jS5gpARQJU0tt3AVCRAJV0wxIBT5HwlOI7QPTioON0Qw0BTpHglPxGX8BTJM47zqdUCXiKhKfkU6oEDz2OxUL5lCrBg4/dTGY+pUrw7OM4/Djd4UTw+ONYLZTucCJ4ALKUW54KnoAs5ZangkcgS73lqXxyCLK3l+keK4LnIEtELq8ceBRynIU80msNJEU0ApdeawApElusZDoiACniWjLT49kFJEX00NUBpYhzyZwtrZ9gKaL183IBSxH3kjl72moDpshhgxUBTBH3kjlH/o0hclobpgCmiHvJnOmzMgFMEav3zhTAFLGIHaXfGDRF7BA8wBSxCB7n3xiCZ4fggaaIRfAk/8YQPDsEDzxFLIKn+RtD8OwQPBAVvUTw0qVxCqSilzp4CqSisc9KuluHAqnopY6dAqno5VDxFExFY6JKXpkUTEUvXFcQBVNRZ5PiolcwFQ1TyS9kBVRRd5Pi4lRAFW2X+oJTUBUNVckvIgVV0VCV4sIAVdFYJpRudaLAKtrqDeEUWEUbHYINrqLt0HIquIqGqxTBBljRgJUi2CAr2uwQbLAVjbkqRbBBV7S3Q7CBVzR4pQg28Iq6oFTBBl7R4JV0TxkFXtF+CiD4ivZTAAFYtJ8CCMCi/RRAABbtpwCCsOg4BRCIRccpgEAsOk4BBGLRcQogEIsGsVCmQgrCoiEsNN8MfiuQFcI3+BBrEBaNzWyLWIOw6DgMXRSMRcNYiliDsei8HGINyKKBLEWsAVk0kKWINSCLBrIUsQZl0VCWItagLBrKQpTd2Ssoi4ayEN8e+l1bTMgMEQxlIbnduVCHCAKz6Dp7ObsTUHAWPZy9rAAt6pgyyRJ3V4AWpcPoBaBFA1o4Hb2AsygdRi/ALErz8H0hdBQDz7RTBWdRp5TqO0DgSA7fAeJGsY902tYDsmggS/G+ELcwlnTrIwViUVeUvAkCYNEAlvwrALAoj0PNAGHR2MW2qBlALMp0qBlgLBrGkm6VpGAsyvUdgwKxaBALpzuWKBCLHqasKAiLhrCk850VgEXlUOXAVzR8pfjCACwawJJu/aMALCqHAScIiwqdvgSETiJ0aaMGxqJrPVDxxhC7QJZ0AyIFY9EwlrR2ALFoEEvxHcBYVNuheoCyaChLUT2AWTSYpage4CwaziJpQwzMogdmUWAWDWaRdOMGBWbRA7MoMIsGs0jaYoKy6EFZFJRFQ1mKLwzKoqEs6RRxBWVRqzdEVUAWDWSpvgSELpQl3SpNAVk0kKV6Y4hdKEs6T10BWTSQJa0eYCwaxlJ9BwhdGEtRPQBZLJAlrx4GyGKBLHn1MFAWC2WRrDE2UBY7KIuBslgoSz5VzEBZ7LAcyABZLJBF0pGuAbLYpa53BsZiYSySzssxMBa71BXPgFgsiEUv6RsDsdjhaCADYbEQlnQ/KANgscM+LAbAYu0UOxAWC2Ep4gHCYiEsRRmDsFgIS1VuEL0QlnS3JANgsXYIHviKha8UZQG+YuErRVmAr1j4SlEW4CsWvlKUBfiKha9o1ngb+IqFr1S/D8LXT3UPfMXCV6rfB+ELX6l+H8QvfEWzfsGAVyx4JWu+DXDFAleKogBcscCVoigAVyxwpSgKwBULXCmKAnTFxuHu3MBXbBzuzg18xcbh7tzAVyx8RbMO1YBXbBxqH+iKha7cliR9KhUGumLz0HQCrljgiqa7Lhvgih1msBjYioWtaDpLyMBWbB76PaAVC1rRFG0MaMXmod8DWbGQFcuvN6AVO9CKAa1Y0Eq+tZmBrdjBVgxsxcJWbisTsjeG4B1wxQBXLHAlXRFggCtGh9gBrljgSnEZg65Y6EpxaQKvWPBKcbmBr1j4SnEJAbBYAEtxWYCwWAhLEWowFuNT+ABZLJAlXXhhYCx2OCnIgFgsiKUICRCLBbEUIQFjsTCWIiSALBbIUoQEkMUCWaqQQPzkVPuAWSyYpQgJOIuFs1ja2AOzWDBLUczgLBbOUhQzQIsFtBTFDNBicmo8QVospKUoZpAWC2mpihkCGNRSFTMEMLDF0jszsBbTUjgNpMVCWoqIgLRYSEsREZAW01PXB9RiQS1FRMBaLKyliAhYi4W1FBEBbLHAliIioC2mh1t2A24xO92yA7eYnW7ZwVssvCVdcWPgLXaY1GLALRbckk9wNvAWO0xqMeAWC26xfPgL3mKHSS0G4GJuKnTJrwsAFztMajHwlnaJ3Vcu2c5AK3HLXQ9eVuKW29cKXbJb1ZW45a4juBK33IcYrtQtO9WRWalbdq7Le6Vu2eVUiIK5I5jZ4GslbrnraK7E59xBMFWxNIxnIExVLA0D2vqpWBpGNLZlKYqlYUTdWyhdv7MSt9x0/KEY0HaomSt1yy7HH4oRbXr6oRhRlxdKZ4WvxOfcvbyvX2lb5nYqlY7xDJmpSqVjPPs4lUrHgPZ5KJWOAe2HG/yVumU/3OKv1C374SZ/pW7ZI6DZkGQlbrlPVbRjQEe0uKm+rNQt+6nJHRjRETU01ZqVumU/tbkDAzoioMXlMjCio+45V+KW25vclj2+Wolb7rrzXIlbbj0WOcZz2LEQMaDzciqWiQF1oaGWYfZK3HLXz5xW4pZ7nH7oxIDOefqhEwPqUlP/UIzojIjm3f/EiE45fnUM6dTjV8eQxrFF5VfHkDraULoacCVuucubkpW2Ze6n30kYURqn30kYUTpWUcKI0rHRJYwoHRtdwpDSsdElDKkrDrV8AEAYUTo1uoQB5QhouhxspW7ZT40uY0idcqjlvQVjRPnU5jIG1Dmn/uIYUAcdSpeOr8Qtdz0XaiVuueX4VTCcHOHM5nysxC23Hd8c4ykRz2zex0rcch8qqGA0pZ++iWA45TA5aqVu2Q/To1bqlv0wQWqlbtm9ye15JyoY0MPOuytxy+3xzE+LWalb9lP9FIynOw+lK3hX4pb7VD0VA+rWU35xxYDGLjE9b/sV46k1xa7ELTcdvwqGUyOceYuoGE6V45tjPDXimd+GKIZTy8lTK+05s11O38QwnHaYQLVSt+yHKVQrdct+mES1Urfs3uD2dB3uSt2ynwa5hgG1CGi6JnClbtkjoumeoit1y67Hr44hdQuidM3qSnzK3S71XqErccvtg9yR3yo2lKJ2OGp6JW65vYaOdATdUIra5VBDG0JRcwqqvzhhdg/oSNuthk7UDrN0VuKWW49fRTG7h3Ok7VZDKGpOQeWbIxS1FvFMW6KGTtRivk7aWDRUohZKVH4TDGfM2Skai4ZO1MKJisaioRO1cKKisWjoRC2cKF29vBK33HoIPzJRCyYa6fOLlfqc/bCX70rcckc80+cdK3XLfqqf6EQtnGho8eYY0X6qoOhErUcFze9wGjpR64chbkMmag5BNC/FN8eA9lNAkYmaSxDNvFds6ERtnAKKTNRcgmjmDREyURuneKIStTFOVyIyUQsmqq4tZKI26HS1oBO1cKIq/ghFbRwjilLUQoqqGKEUtZCimbe5CEVtniKKTtTCiapSRyhqbkFlqaMUtXmsoyhFLaSoKnWUohZSVJU6SlELKapKHamoBRXNvDNCKWohRWU5YkhDispyxJiGFFXliFTUqJ3KEbGoBRZV5YhY1AKLqnJELGqBRekOtytxy12ub1xpW2Y+FTpKUYtjr6tCRylqIUVloWNIyY6FjiENK6oKHa2ocTsVOmJRWwuvivELalFba6+K8QtyUVurr4rxC3JRCy6aqVw15KJ24qKGXNSCi2YOnQ25qPGpL0UuasFF+Qa/K/U5u5xaXuSiJhHR4npBMGpy6kzRi5qLEFEx3EUvaoclWStxy+3xpHRKyErdsp8CilzU4pxsShcir9Qt+ymgyEXNRYgoPcV1pT5n11NA0YuakxBRutB5pW7ZTwFFL2rhRenZQytxy32KJ3pRCy+q6hB6UQsvqmoFglELMKqucwSjFmBUXbkoRk3tdC2iGbUwo+rqQjNq1k7XC5pRcxUqrwA0o2YR07xdRDJqdoopilGzY0yRjJodY4pk1OwYUySjZseYIhk1O8YUzahfTjHtiEb9coppRzTql1NMO6pRDzVKj/JaiVvueYhSRzbqwUZFlDqyUQ82KqLU0Y16zC8qotQRjnrAURGljnDUA47KKGFQQ46qKKEc9XZqezvSUY8pRun2Bytxyz3KMWlHOertGFKUo96OIUU56u0YUpSj3o4hRTrq7RhStKPejiFFO+r9GFLEo96PIUU86v004u2oR72fRrwd9aj304i3Ix/14CNK0bujHvWTHnXUox56xJf0WX1HPeonPeqoRz30iIsrAPWon/Soox710CNOZwev1C37YYDUkY968BEXVxfyUR+H3rSjHvXQIy6uRdSjPk4BRTzqgUf5NgArdct+CijaUQ874nSPnJX6nP2ERx3xqAcepbs+rMQt9ymeSEc96Ki6zJGOetBRdeEiHfWgo+pSRDrqQUfVxYV01IOOqssF7aiHHVUXANpRn8eQoh31sKN0V4yVuOU+PPTuKEc95KgKEspRDzmqgoRy1EOOqiAhHXWiU5AQj3rgURUkxKNOx1qKeNQDj6ogIR71wKN0h5GV+Jw77KgqdrSjHnZUFTvaUY+JRlWxox11Pja8aEc9phpVxY521MOOqmJHPOrMp2JHPeqhR+luJitxy631OBDtqIcdlTHCkMZUoypGiEddjl0p4lGP2UZVjFCPeuhRFSPUoy7zFCPkox58VMUI+agHH1UDO/SjHtONqoEd+lEPP6oGdghIPQBJ0kkBHf2on/yoox/18CMpYop+1E9+1NGPeviRjHysjoDUT4DUEZB6AJIU1wsCUtfT8Aj9qIcfSbol4Erdsp+GR8hHPfgo3a9lJT7ntlM8EY+6HeOJeNQDj6oIIR71wKOqzFGPekw4qkoR+agHH0k+skM96nYKKOJRDzwqywUDGnhUlgtGNPCoLBcI6Qg8KsplIB6NwCNJB1MD7WiEHRW/dKAdjcupjg7EoxF4VPzSgXg0Ao/KX0qY3XtSSUckA+1oXMptnVballmPxaKY3Y7FghENOaqKBeVohBxVxYJyNNqJGQbS0WgnZhiIR6OdmGEgHo3Ao/Ts4pW45T7U0oF0NIKONB+QDKSjcZp1NFCORshRur3QSnzOfZp0NNCNRrhR9cXRjYbLEKW7+6zELfdhWv1ANRqxNq38KhjOUKN0I56VuOXm45tjPION0j1lVuKWux7qDkSjEWhUfhMM59pDqKhCqEYjlqZVVQjVaIQaVVUI2WgEG2k6ABioRuOkRgPVaIQaaU7BA9VonNRooBqNUCPVvFVENRonNRqoRiPUSHNmHqhG46RGA9VohBpZfmc0kI3GiY0GstEINrJ0gD5QjcY8xRPRaMxjPBGNRqBRFSFEoxFoVJU5otEINCpLESMaaGR5i4tmNOgUUDSjEdONqnJBNBqBRlW5IBqNQKOqXBCNRqBRVS6IRiPQKN2jaCVuufn4SzGkdKyjaEYjzKj8pRjSMKPyl2JMA43SrX9W4pa7Xsw0UIxGiFFVLChGI8SoKhYUoxFiVBULitEIMaqKBcVo8IkXBorR4BMvDCSjwSdeGIhGI9Ao3QtoJT7nPs03GkhGI8jI8slyA8lonOYbDRSjEWKUbqKyErfcp2YXvWiEF5VfHAMaq9PSc4ZX4pb7sFhioBaNWJ1WfhUMZ2hRetzwSnzOHavTqjdHLhoOQpweDLwSt9z1YomBWDQCi8pvguHU02KJgVo09LRYYqAWDT0tlhjIRcNBiC/5AAC1aJy0aKAWDQchvhQ3rshF48RFA7loWMQzN9qBXDQO20SvxC338DcvbopRi8ZprtFALBruQXzJ/XegFo2TFg3UomERT86bc9SiYaeAIhYNi4DmzRZa0TwtTptIRfPSDhfLRCuarkFV+Cda0bycAjrRiqZrUBWiiVY0L3Qo9IlWNJ2DOD20eSVuuQ9N7kQsms5BdTEqZrdjMWJInYPKYkQsmq2dihGxaLZ+KkbEotkipml3MdGKZpungkErmo1OBYNYNBsfCwZj2uRYMBjUpseCwaC6CHG+a8tELpqHvYwmatHsx1qKWjT7sZYiF81+rKXoRbMfayl60ezHWopgNPtppDsRjGY/jXQnitHsp5HuRDOaPUKadtMTyWie5hlNFKPpJsStiCmK0TzNM5oIRtNNiFt69tVK3bIfetKJYjTdhLgV1wuK0TyJ0UQxmm5C3IqrC8VonsRoohjNEfHMH+pOFKN5EqOJYjRnBDTtpieC0TyB0UQwmnOcLhYUo+koVIYfyWjOY0CRjKajUBkiJKM55VToSEbTUYjzvVImitE87E29Ep9zOwqVxYhkNKmdihHJaDoKlcWIZDRpnIoRyWjSPBUjktGkiGneTSMZTeJjwWBISY4FgyElPRYMxpTsWDAYVL6cCgbNaLoLcb4vzEQ0mlzfkU4ko8nHWopkNPlYS5GMJh9rKZLR5GMtRTKafKylSEZzkVHRTSMZzdjFuuqm0YxmmFHVTSMaTYmQpme9r9Qtu9fTnp72vlK37B7Vnp73vlK37Ke+FNloOgzxbVub9M0xqC5DfNuoJs2OQXUa4s5Fdgyq0xAXW7JMhKPpNsTFliwT5Wi6DfFtj5UsO8rRXNtb59cjytF0HeJxKd4cY6r1YomJcjSPcjRRjuZRjibK0TzK0UQ5miFHo7jWkY6m1o9IJ8rRDDkaRcVAOZqOQzyKioF0NIOORnGpIx1Ni4gWlzra0Qw7GsWljnY0nYd4FJc64tEMPBrFpY54NN2HeBSXOurRDD2axcWLejQdiHgWlwDy0Qw+mkVU0Y/IiYhnHlVCQKIApJlHlRCQ6LS7EaEfUfjRzK8BQj+i8KN8CTchH1Hw0W0NVLJFFCEfUfDRTMelhHxElwhpOvwi5CMKPkqPvV+JW+5TZ0qoRxR6lB6zvhK33B7P9Jzulbjl9kqaHgq9Erfch3kphHREx92NCOmIWr0nAyEcUcBRFXuEIwo4KmKPbkThRkXskY0o2KiIPbIR9cMJAyt1y94OsUc3onCjIvbIRhRsVMQe1YhOOxsRohEFGlHRqiAakbMQU9FOIBqRsxBT3lcQohH1qJ3FxYJoRL3eHpDQjGhE5cw7FkI0okAjyjsWQjQidyHmvGMhVCMap9VMhGpEDkPM7Q3xW1bD7BhTh6F+vcPIHqgTshG5DPFt8UBW6uhGFG7E4w31t2KffHeMqdMQ83xD4+31rg+zY0wDjm6LB+ht40++O0bVbYg5fzRJKEcUcsSSvzvSEc2IquYlg3ZEYUdsxbtjVMOO5FJkx6iGHd3OP02zY1TDjm6zatPsGNWwIxlFdoyq81C7zapNyx2j6j7Et+xpQWJUQ4/k2iG1t0OxaqMeUeiR5FtQEuoRhR5J0cqgHlHokRQXAeoRhR7dTiNMs2NUDwedrcQttwdVi2YG9YhCj9IjTFfilru+gyGkIwo60n67mTL75JtgRIOOtBjrIh1R0FF1AaAdkfsQ68wOfSDEIwo80qIPQzyiwKN8SiihHVHYkaY2TUhHFOvTitnmhHREsT6tmMtESEcUm2EXE6sI6Yg4Qlr0kEhHFEvUinn4hHREQUeaj9VQjijkyPKxGsIRBRzlszwJ3Yichjif+0joRhRulM8IJGQjCjayYjiFbETBRlZcishGFGxkxXAK2YiCjSy/9SZkI4rlafmhqyt1y+4BzSdWEbIRBRvlc58I1YhchiSfzETIRhRsNPONJwjZiIKNZlHpkI0o2GhWxYIhdRiSS8vbf2QjchqS/LgqQjeiWJ+Wn25DyEbkMCSXotFFNiKHoeuFnn5xVCNyF5JLcaWjGpGdjpQgVCNyF7JiSIpoRM5Co+ih0YwozKgaTaMZkatQOZpGM6Iwo2o0jWZEYUbVaBrNiMOMitE0oxlxmFExmmY0I45JR8VomhGNONCoGE0zohEHGhWjaUY14lCjYjTNqEYcalSMphnZiIONitE0oxtxuFExmmaEI45pR8VomhGO2G2oGk0zyhGHHBWjaUY64qCjYnjMaEcc046K4TEjHnHMOyqGx4x4xDHvqBgeM/IRnxapMeoRt2h78+6UkY/YhShtSxnxiN2H5JJ3vYx6xIdJR4x2xGFHRYPEiEfsPlQ1SIx6xKFHRYPEyEcck46KBonRjzj8qGqQ0I84/KhqkNCPOPyoapDQjzj8qGqQ0I84Jh1VDRIKEocgVQ0SChKHIFUNEgoShyBVDRIKEse8o6pBQkHiEKSqQUJBYjeiskFCQeIQpKpBQkHiEKTi7o5RkDgEqWq/UJA4BKlqv1CQOASpar9QkDgEqWq/UJD4NPmIEZB4xrA3H7AzAhI7Ecklv2FjBCR2IrrNasguAfQjnly3YKhHHHpUaACjHvGMQW+Oq4x6xO5DLV0Fw2hH7DrUiosF6YjpBA2MdMSOQ9Jyf2GkI3YcknxWI6McsduQtH57DNPxiQOjHPFha2xGOGKnIWmjeG+Mp9uQXK+VPDvG03VIGhXZMZ6uQ3KNUZ4dI8onDWS0I3Ydknx2ICMdMfdToaMdMdfTGRjliHmeCh3piF2HykJHO2LmU6GjHTHLqdDRjpj1WOgYUo6QphjASEfsOFQWOtIRH05SY5Qjln4qdKQjlnEqdLQjlnkqdMQjFjoVOuoRhx5VhY56xBIhTU2FEY9Y9FjoGFGpH64x0hHr5VToSEes7VToaEes/VToiEcceFQVOuoR6zwVOuoRuw9JPquREY9Y+VToiEes9b4pjHTEQUdloWNA1Y6FjiENPKoKHfGIrZ0KHfWIY85RVeioR+w+JD3vSBGP2I4dKeoR26EjRTxiO3akiEdsx44U8Yjt2JEiHrEdO1LEI7mcOlJBPBLnIcmPRxS0I7mcOlJBO5JL3ZEKypFcTh2poBzJ5dSRCsqRXE4dqaAcyeXUkQrKkVxOHamgHInbkOQHQQrCkbRTRyoIR9LqjlSQjaSdOlJBNpJ26kgF2UjaqSMVZCNpp45UkI2knTpSQTeScKP8yEtBNpJ26kgF5Uha3ZEKupH0U0cqKEfSTx2poBxJP3WkgnIk/dSRCsqR9FNHKihH0qMjTW/rBOFI+qkjFYQj6XVHKshG0k8dqSAbST91pIJsJOPUkQqykYxTRyrIRjJOHakgG8mIjjR9mC2oRjJOHamgGsmoO1JBM5Jx6kgFzUjGqSMVNCMZp45U0IxknDpSQTOSeexI0YxkRkea3pEKkpHMY0eKZiTz0JGiGMk8dqQoRjKPHSmSkcxjR4poJPPYkSIayTx2pIhGMqMjTe9IBdVI6NiRIhsJHTpSRCOhY0eKaCR07EhRjYSOHSmqkdCxI0U3Ejp2pOhGEm6Un+4ryEZCx44U2Ujo0JEiGgkfO1JEI+FjR4pqJHzsSFGNhI8dKbqR8LEjRTeScKOR3pEKspHwsSNFNhI+dKSIRsLHjhTRSPjYkaIaiRw7UlQjkWNHim4kcuxI0Y0k3Cg/DlqQjUSOHSmykcihI0U0Ejl2pIhGIseOFNVI5NiRohqJHDtSdCPRY0eKbiThRvnB14JsJHrsSJGN5LBSTRCNRI8dKaKR6LEjRTUSPXakqEaix44U3Uj02JGiG0m4UX7EtyAbiR07UmQjsUNHimgkduxIEY3Ejh0pqpHYsSNFNRI7dqToRmLHjhTdSMKN8qPPBdlI7NiRIhuJHTpSRCO9nDpSRTTSy6kjVVQjvZw6UkU10supI1V0I72cOlJFN9Jwo/xgdUU20supI1VkIz1sia2IRno5daSKaKSXU0eqqEbaTh2pohppO3Wkim6k7dSRKrqRhhuN9I5UkY20nTpSRTbSw1I1RTTSdupIFdFI26kjVVQjbaeOVFGNtJ06UkU30n7qSBXdSMONRnpHqshG2k8dqSIbaa87UkU00n7qSBXRSPupI1VUI+2njlRRjbSfOlJFN9J+6kgV3UjDjUZ6R6rIRjpOHakiG+moO1JFNNJx6kgV0UjHqSNVVCMdp45UUY10nDpSRTfScepIFd1Iw41GekeqyEY6Th2pIhvpqDtSRTTSeexIEY10HjtSVCOdx44U1UjnsSNFN9J57EjRjTTcqFhmr+hG6jLULZ1CqMhGGmw089mSimykMddo5hPlFNlIg41mOtpVZCOlepqnIhopnaZ5KrKRBhvNmc6YV2QjdRhqPV8bpMhG6jCU374qopEGGhWFgmakMddo5sMoJCMNMpr5xFpFM1I6trloRhpTjWY+I1RRjTTUaOYz6hTVSEON8vXnimikhx2OFMlIY5FasW5ekYw0phrla9sVxUhDjChfo6JIRhpkRPkMYkUy0phpRPmyE0U00kCjYgW6IhppoFGxAl0RjdRZqBUjHTQjDTMq1qsrmpHGXCPK52sqmpE6C11vpLNJtYpmpGFGVTuHZqQx1Sg/w1gRjdRZ6Hp7OeXtHNjkohlpmFHVFKEZqatQ1Z4jGWmQUbHSXpGMNKYacX6loxhpiBHnO7gokpEGGXG+g4siGamOU2OEaKSBRlxUDEQjDTTi1AAUzUjDjLioF2hGqodddxXJSB2Fev4wRVGM1FGo508BFMVI3YR6zteKYKSOQr3ouFCM1E2o52CoCEbqJNRz6VL0InUR6jnRKHKROgj1whZQizRmGXHRDqEWqZ2CiVqkoUVctFqoRRqTjLjoE9GLLLyI8+ps6EUWXiT5UNHQiyy8SPL6bOhFFl4keX029CKLeUaSV1BDL7LwomLZgyEYWYCR5DXUEIws5hkVyx4MyciCjCSPqiEZWZCR5FE1JCMLMpIiqkhGFmRU7FNgSEYWU43yfQoMxcha7QuGYGQBRlpcAQhGFvOM8uO/DMXIQow0H7oYipHFGWqU9v+GYGSt3o7BkIusnbZjMOQiCy4qbkUMuciCi4odEwy9yGKB2m2NTPZD0Yssphlp3tgZipGtU9TyaoFgZE5Cvbi00IvMRai6iTL0InMRarfFJsndhaEXWcwz0nxMb+hFFl5U7MdgCEYWYKRFFUUwsphnZEUVRTIyRyG9XV4X/iQzRnScxkWGYGQBRlY06ghGFrti52sCDb3IYp5RMYw29CIbp5VMhmBkx92NDMHIxmm1tyEZWcwzyvc1MRQjCzHK97UwBCMLMLKir0MwsgCjYmMLQzCymGhUbGxhCEYWYGTpQwBDL7KYZ2T5+VKGYGQBRqb5BYNgZAFG+U4Vhl5kTkJ6KVoMBCNzFNJLcTUiGZmjkF5yvDIkI3MU0kt+h2lIRuYoNG67LGTfHcnInIX0MtN1x4ZoZO5CeqH04kU0suNEI0M1MnchLZZjG6qRuQu12+4TaTliUJcaVVHCoIYa5bfehmhkh6PUDM3I3IWK+3RDNDJnIS3WjxqikQUaFbf1hmpkoUZVtUM1snWSmqXxRzSyQKMC6gzRyAKNcmM0NCOLnY2qiwvNyCQqadHxIhqZRCXNGww0I3MV0nbJ6yiakclhsItkZI5Cmq83NRQjO8wyMgQjcxPSlncuCEbmJFT/SIymHIa66EXmIqQtH6IjF5mLUPlN0ItMD5UTtcg0QpkKgCEWmXNQ/U0wlmsv7PybYChdgzRfIm1IRab10m5DKDKNUOZdM0KRuQXVPxJjqfUDNEMoMotQFq0bSpE5BrViQwVDKjKrdd5Qiiz2wK5GiUhFZlEviwYFrchiatHlDdHb6y035sZohhVVwxu0IjM5jREQi8w5qBywIBbZcTsjAyzql0uEND3Lc6Vu2Vs9AlmpW/ZejkBW4pb7cNOyUrfsHtOe3j+t1C27b76gaf+2Urfsh7uWlbplLycXrbQts5ZjipW45fbNFzS9316pz9kDivJBwkrdsntE8wMlVuqW/TC3aKVu2b3Jzc+fWKlb9uk/Nd3gZaVu2T2kfEkvr4YRPexktBK33F5L86MwVuqWXU+XS8OYugdpT7cCWanP2d2D8l3nVuKWu+xCV9qWudcN6UrdsrvQp0+WVuKWO7YySm/OV+qWneq2a6Vu2WMv1uzmfCVuueXU0nUM6Do+LRs8r8Qtt50qXcd4ugVpuvJuJW65o4pmA4CVuOXudX+xUrfs49BEDwzoONyBrtQtu4+KumRd3UrdsvsQNz9lZaVu2X1fwPzefKVu2Y9VdGBIx7GKDgzpLCeirLQtcztVuokhdQuqKt3EiK5NsItKNzGk87Dd2ErdstOh0k2M6ORTpZsY0SmHSjcxoMuJiko3MaABRUWlmxjPcKKi0hEGNJgoP/BnpW7Z602pVuKWexyGC4TxpHkaLhDGM5AoP01opW7ZPaD5mTwrdcvujW5+zM5K3bL7WDd9/rsSt9we0PT570p8zu0MpPkhOyt1y+6PuS/pPnkrdcveT40LY0j5FFLGkDoEtZZuBrdSt+zxCC19yrFSt+z15L+VuOWOiKbut1K37D5vYVbFiCHl8nZ0pT1nlsupFRWMaOx/XbWLghGVekvzlbjlHqeGTjCi4UTppKiVuOWOOlpUacGAhhRVIwDBiAYVVZ20YERFT0MAwYgGFhXjC8GQnpajrdQtuze7+eFTK3XLfosaUbpN9UrdsntM80m0K3XL7tNRqChHxaCGGOVHW63ULTufLnbFoMbZadXFrhjUUKP84KyVumU/cO5Kfc4ebpSfs7VSt+ze9EoKJCt1y+4D3vxYrpW6ZY+oFv2AYVRDjmb6sHOlbtnp1A8YRtVKCFxpW+bDk9GVumWPmKZat1K37Ha6YhCO2toHOx82NoSjFvtg561pQzdq4Ub5LOCVumWPkObNQEM4agFHlNfrhnDUnIaU8oraEI6a05BSXpUawlGLSUbpg9eVuOWOxje/5WlIR+1yeDa6Up+zOw5peszVStxy36JWPLxcqVv2fug3GspRa4f70oZw1NphecRK3bJHSPMmo6EctRYhzZuMhnTUgo7yOcwrdcvuMc3nMK/ULbv50DGd87ZSn7PX+2CvtC3z6b60oR011yHNT/RaqVv2cRjGNMSj1ufp4kU8aj1imj0EXIlb7tMYqSEetX4aIzXEoxbzjPInAit1yx7VNO/wGupRG6dBUkM+asFH+cloK3XL7g+8Kd01e6Vu2cehf2wISG2UD9VW2paZTpcj8lELPsqnmq/ULbvHNJ9qvlK37F5N87njK3XL7tWU0odfK/U5uxNR6rsN9ajNw5bJK3XL7rWUi8YO+ag5EA0uvjjyUYt5RvnqrpW6ZS8fea+0LfNpzNtQj5oD0cj32V+pW/bDzLGVumW3U4uBftSonjm2ErfcXkeL28eGftTiALVq8IWA1Oj0YK2hILWYZlQ1dihILQQpX/ewUrfsUUuL3hEFqYUg5XPlV+qWPWpp0SUhITU63J02JKQWhFQNYZCQGrdTB4aE1DjqaTGKRUJqMdUon7e/UrfsvtwwP5lhpW7Z6dSsoyE1ru9jGhJS49N9TENCalwvZlqJW+54WppO2l+pz9ldiQqIa0hIzZGobNSRkFrMNMrXSqzULXtEtOiQ0JBaGFK+VmKlbtk9olJ0A4hI7bQT9krdsns1zZdWrNQte5xemdN9Q0Rq9VbYK+05s55YsKEhtVigls71WIlb7ghp0XohITU9PYtpSEhNT89iGhJS08OzmIaC1PT0LKahILWYdpQvZ1mpW3ZvePPlLCt1y+4Nb76cZaU+Zw9BypezrNQt+2HW7krdsntQtainKEgtBKlq11GQmhtReZ+MgtSMTuMMFKRmfOqT0JDamnyUd3hISM0Oa71X6pbdg5ov9VmpT9l7zD3KjyRdqVv2Q0XtSEj9Us4mW2lb5sNsspW6ZfeWN191tFK37MH3KfZ39KMefpQv9VmpW/bD3PqVumU/zCZbqVt2OwwFOwJSD0DKFxKt1C27V1PNm5iOgtTXIrX8uVZHQeqORNVTs46E1FtU02wV7ErcckctzW/ZOwpSj+2wi4a9oyD1EKR84dFK3bLroUHqKEg9Jh8VDtNRkHoPFUxhpSMh9X66Oe1ISD0IKV8ztVK37B7T25LM7JciIfV+WMG/UrfsJ2/oaEh9HaWWd+4dDamvo9SKawANqcfeRnnn3pGQ+pqAlM0OX4nPuWP+Ub70bKVu2WOXjfzeoaMg9djcqJiX0VGQemxuVLVgKEh9rVXLL0ckpB4zkKqqgYTUx4kFOxJSD0IqxhkdCakHIeXL7Fbqlt3rqeXdaUdC6vNyapJQkfo88X1HRerzxPcdFanPA993RKR+2t1opW7ZPaj5yrmVumX3oOYr51bqlt2Dmq+cW6lb9ghq+gCnoyL1UCTLxwKISD0mIaUnPK/ELbfP+8xnFXU0pB5zkPK5Vh0JqTsSaVHrUJC6G1H5TTCcTkR0O0kxay8QkLoTUXHs+Urdsvua79seAem7YzidiIoD4Vfqlv0WMkvPyV6Jz7mdiKpyQT/qLkR8KcoF/ajzYVJZRz7qsb3RrbVI3xwjyqeIoh519yG+TZ5K3xwj6kLElyJE6Ec9/OhSDALQj7oTkV2yNVkrccttpx+KAXUhmnPkXwX9qMc5areONM2OEXUhmrMoF/SjHivVbmaXZseQuhDN6+Ao/zIY01islp/xvlK37C6C+RnvK3XL7jM/8zPeV+qWPWKaD3eQj7qcYop+1F2I5rWXTosR/ajHgrXbfMs0O8bUiWhaUakRkHrsiX0dqeXZMaZORHZJn+B39KPuRFSVC/pRdyGiSzGsQz/qLkTFefMrdcvu7e4l16mOftQ12t107mdHPup2andRj7r7EHExZkQ96u5DxEVLinrU3YeIi0qNetTdh4iL6wX1qLsPERcXL+pRdx8iLpoM1KPuQERctOvIR92ilqYzrjvqUbdTLUU8Gs5DpPnVOBCPhvsQXWtp1noN1KPhQkSaX40D/Wi4EJHlV8xAPxqXqKXpkHEgH43LoZYO5KPhQESj+uaM2cW/SjoeHahHw32o/CqKuT2gkl+LA/ForB2O8oktA/FotMNod6AdDdchyxvpgXQ0go6ykfFANxqxZq0giYFwNGLNWvHkYyAcDaehalLpQDgaTkNN0huGgW40WtTPnJkGutFwGSoexA1koxE7HFGudQPdaMSitZ7uzbRSt+wxlbfIjfHs8RimyI0R7VE9c5MaqEbDXcjyI6lX6pbdI1rMbh2oRiN2xL6kO4Wu1C27P1jLFy0NVKPhMGTpdgUr8Tm3u1C73hhnAj9QjcY4AcNANRruQu16H5220KhGw12oXW+kM6kZqEbDYcjS3RNW4pabjr8UQ+ou1GfRuqAaDXehumAwpO5CdcFgTN2F6oLBoLoLDc4XaAxUo+EuZOneDytxy91P5YhoNNyFynJENRruQiPd/HclbrnpVIyIRsNZqCxGRKMRK9cu6UZkK3XL7ivAtajVqEbDYWgWvTSq0Yg9sS95J4BqNEKN0s1TVuKW2/vRllvaQDYaLkOzFb8T3WiEGxW1FN1ouAzN4lpENhoOQ9Zy1hvIRsNhyFr+KGsgGw2HIcu3xlipW/ZoeIueF91ohBulh7uvxC23N7ySq/RANxqxw5HkxYhuNGLlWjVKQzcaHO1ufnWhGw0+trvoRoOP7S660XAZKqs0utEIN0rPGV+JW247fnWMaOyKXbVGCEfDaaj86ghHw2nI0tO6V+KWe3ju/DnDQDcaLkM9fYo1UI2Gu5D1kV+LqEYjZh3l22Ku1C2796S3IxR4DMyM8QwzSs8YXolbbq+hvWguEI2Gs5Dly4UHmtHQ070LktHQfipDJKOhEc6iKUIyGkFGxaL7gWY0NAJaDI4RjYYeA4poNJyFiul4A81oaOy4m1d/JKMRZJRuc70Sn3PbcbCLZjTiGLWqo0MzGq5Clm6ivRK33ONwuaAYDZunywXFaBidIoRiNNyErFjRPVCMhpuQjfxR3UAxGiFG+ZLugWI0TmI0UIymm5AVC8AnitGM6UbpgQ4rccsd22Ln004ngtF0ErL0zK2VuOWORRN8qxYKZ8Ws1C27V9GRNwATxWjGTkf5WRQrdcseh0vks+wnktG8RETToctEMpqXQ0QnitFsEdG8LZooRjP2xK5ihGQ0g4yKGCEZzbUndhEjVKMZu2JXhY5qNGNX7KrQUY2mu5DN/NpFNJruQlasRJ6oRjPUqFgrPFGNZqxXKwaME9loOgx1zQVjIhtNh6GulL87stGMjbGL2eET3WjGbkfFjLOJcDSdhrrm1zq60YyNsVs+TJ/oRrMftq+ayEbTYahf740Sw5yoRtNhqLf8mcRENprBRulpRCvxObfD0HWAlf9OZKM5DmOjiWo03YWq34loNJ2Fyt+JaDQDjWbaG01EozkinvnCuYloNMcpnmhGM/Y6KsYXE81ougp1zccAE81ojgho+qBmIhnNeXiaNlGMZswzyod0E8VozsOZWyt1yz7qEeBEMJqxVq24EBGMppOQ5edirdQte7S5qdFM9KI56wNDVuKW+7Bh4EQtmjOimY/oJ3LRpNi2Ph2LTuSi6SJkObpN5KJ52uhoohbN0wlqK3XL7o9GZzpwnahFk2JyZx581KIZu2HnGxFOxKJJh9uWiVY0SU/XOFrRDCsqBqJIRfM0xWgiFc3Y5ahoPlGKJvdT84lUNB2DquYTpWiGFFF+GaIUTT48FJ0IRTOgqPqZGE2W48/EcIYTFb0hOtHkiGZKnBOZaMopmqhEU9qpk0AlmqFE+XYPE5VoyuEmdCISTYlo5k48kYlmMFGxw8JEJpoSz9DS801W6pbdB7jFhgwToWgGFFHekiMUzdPkoolONPWw3nCiE81Ym1a1FAhFM6Ao3QZ/JW65vXrm8/onMtHUwwTAiUo04+S08otjPN2B7DbjJrtwUYmmQ5BxcZ0jE02XIOO8yiETTT3FE5loOgSV3xyZaDoEld8cmWgGE3FeQ5GJ5omJJjLRjGVpxWr5iUw0HYIsPQtvJW65I6D5gBKRaB5OT1uJW+4IZ1GbEYmmO1D5xSGeFEjEad0nNCKKXY1aPjmLEInIGYhbPluUEIkoVqUV/RChEpE7ELd8chahEpE7ELd86hehEtElIpq2LYRIRLEddjFRjBCJKJCI06aIEInIHYg0n1dEqEQUSiTp+IkQieg0rYjQiKgdbj8JjYhcgaxYD05oROQKZMV6cEIjIlcgK9aDExoRhREV68EJkYgCiSSt0YRGRO0wUYyQiCgmFlWliPF0Ayqm5xICETkBmaSKR+hD1A/3K4Q8RGtaUU7nhDxEMa9I8rYFeYgcgFrBQ4Q8RD3CmddP5CHqEc28wiEPkQOQFauvCXmIgofyG0pCHqJxGOIS6hCNdihD1CFyAKp+JuoQjXEoQsQhChzSdFRBiEM0DvcrhDZE4/TUjBCHyPmnum8mxCFy/inumwltiJx/qrE2IQ6R+4+l5zeuxC33qbVFHCLnn+qLow1RzCaqvjjiEM2IZzpOIMQhmqd4og2R888snIoQhyhwSPKp84Q6RA5AU/Ipv4Q8RDGZSPMlBYQ8RBQBzRt+5CFyASIqWmf0IaKIaFEwCETkBETFhA9CIKIAIip+KQoRxTq0WZQjEhHFOrRiN1lCI6JYh0b5MgFCJKJYh0bF4A+RiAKJNO/mEImID+dJECIRuQPRpShGVCKKdWjFXGtCJSKOFS5FqSMTUTCR5h0AMhG5BF17keLNMaROQZY/wCF0IuLDbQshE1EwUXGnSOhEFE5U3CkSQhFJ1NK8p0MoojgwLTtLdKVtmb0TLRaLEzoRxWyiYpEzIRRRQFGxyJkQiiigqFj6SwhF5BRkxdJfQiiigKJi6S8hFFFAkeV3ooRSRDGlyPLn8oRURDGlyHLGJ7Qicg0yyx+GE1oROQe1y6UIK2oRxUK0S771FSEXkZ62TSb0IlpeVAx20YvIRej65YuLDMGItD6diZCLSGPjhXwXCEIvIieh63cprmAUI7LDAaQrdcseu9bnu0YQihFZPD/Lt2ogJCNyFbp++aI+IRqRxQZVRVgRjchd6Pr2Rf1DNiJbcS0qIMIRuQ1d8xc1EOmILE4hzc/nXMlb/hXbog6iHrED0TV/XgkZ/YhdiNqlWDvCCEh8OZ2+xQhIfInotryaMAoSuxFd8+eXMiMhcUw0yjt6RkHiSwS35dcaoyHx5bTMm9GQ+KKHJoQRkThOVbsUM9kZFYlja6PiOCBGRuK2IptfyYyQxC2a4/SUx5W6ZT9tWMUoSdxWYPPrnpGSuJ1m7TJSEsfJaiMdfDBKEscatUsx+Z3RkrhFe1yUDMbVuaha1c6ISdyjxraixiIncSxTKxb8M3oShycVC/4ZQYmdjKqtLRhBieN4tfyAzZW6ZXfxLdYFMIoSx/ZGUlwESEq8tjfKH5kzmhLH9kaSz5ZhNCXucTpB3q8xohLHFtn5ximMqMTuRpxvbsKIShzbG+VbfjCiEo8wwnx9FaMq8Th1sIysxON0Yh6jK/GIJrg4M5MRlnicThFhhCWOlWqX4jBJRlriWKp2KVYeMNoSxybZl+JQRkZd4hmNcC/aePQljuVql2LSP6MwcZy0lt+LMgITz1gonO9HxyhM7IhUrVhnJCYOYiq252AkJnZEqh5FMRITx17Z+e0lozCxGxLnW+kxAhPHTtmWcjEjMDFFXU3ZldGXODbKtlQjGXmJHZCqtbaMvMQOSJJvQsKoSxy6lJsLIy4xnbbfZcQlpuhTez4QZtQlplVTiwEB8hLTqqlFn43AxLxqatGtIjExR00tjqFjNCbmqKnFOXSMyMQcI+Fi2QKjMnGcuHYp1i0wOhPHdtn5dmeMzMQczfAo2iWEJg5oKtbGM0oTs57GkihNzKeDLhmliSUOcyp6KKQmji2P0ltvRmrideZaMaxFamI57a7MSE0sp92VGamJJW5eiwUjjNbEsqJa1EHEJpaos8U6DUZt4tgz+zKKOojcxBJ1tlgewehNrIfTfxi5iTVqbHE6GqM3sR5vXZGbODbOzi9JxCZ2TsobVpQmDmnKfyNGNJgpb9/RmNgdKV+MzGhMrIdtGhiJiYOYii+NYbRYQJFmRl3iOGot39KDEZfY+WjkO1cw2hI7Ho30uREjLHHMRsp/IrISuxsV+9cyohLHGWv5YARFiWMqUh5y5CR2L8onfjJaEsditeIXQhAldjdKh0SCiiSxt1HeOwgakoQhpWERFCS5HDZOEfQjcSCS4ltPzOwVMS1pQTuStUYtz8yY2Veopb2fIBvJ2hA7z6yYObrKPDPGMMQovToEvUhiK+z8OyMWSaxMy78zUpHEpKN8mp+gFEnMORpFboxhOFHxrTGGa8JRnhljGNON0vsNQSGStgY8eW4MYot+MX3QLwhEsoAoXzcg6EPSo1vMvzjykDgAtZZHEnVIYvPrfAG7IA6J80/LV6QL2pDEbKORX9pIQ+L40/LGTFCGxO2n5UtGBGFIYgejou1DFxKXn5bP7hRkIYkdjAowE3Qhcfpp+c4Ygi4ksYFR0ZSgC0nsX5RPkhJkIXH4aUXLgyoksX2R5lgmqEISKqS53AmikMRsI8sXdAqikKzti9IBiSAJScw2KqoygpC4+PRi/21BDxIHn17UfNQgce6pTgAXxCCJ6Ub5pn6CGCTOPdViQUEMknlaKyqIQRKbF7V8pCaIQeLc03sRUcQgce/pPa/9iEHi3tPzZdSCGCTuPT1fMySIQeLeU50uLqhB4uDTZ76cV5CDhGI7qrzdQg0SB5+eL9MS1CBx8OlFK4caJBS7AObVHzFIXHs6FWWI0XTrqXYYFJQgcerp+aoRQQcSh57O+c9EBZJYjZYv1BA0IInVaPniCEEBEieeXnQU6D/iwNPz2e6C+iMOPD2fvi6oP8KnDQAF8UdiNVo+41XQfiQOSys6CqQfcdyplgkL0o/IaW2+IP1ILEfL0VjQfsR1p1uOr4L2I6471TG4gvYjEnvF5feMgvYjjjvVIaiC9CNuO4Py+xOEH4ldi/L1ZYLsI+461XmcguojzjqDixE8oo/EejTOW2dEH3HVqQ4RFDQf0dhZLJ/yJmg+orG1WNHJofqIBhnkhY7uI4471S4EgvQjzjujGMyh/UjYTzG/V1B/RGP3v7x1Qf0RF57i3CtB/hEnnlFVIwQgsdikM29EEYAkAMjyRhQBSOx0WI8gAck6Jy2vFmhAEgZUDCvRgMSdZxT3k4hAEgiUP+EVVCAJBSpmxgk6kIQDFYNQhCC9xF6O6UWuKEF6ib0cczdVpCC9HDZFVrQgde6ZPb+yFDFIY9Oi/G5VUYM0NrkuHnEoepC6+cxcORVBSGM1Wk+jryhCGptc53tQKZKQxo5FOXMqmpC6+8x8MKyIQhpr0fK9kxRVSFvMNUmvWkUW0rVfUZEbg9liB6p0HKfIQur0M/PhqqILacweyp87KMKQtpjKWZQJxnKtQyt+JcYy5g7lo1VFGdIeC5fyX4kwpDFxKB+tKsKQrnVo+TWIMKQ9Fv7mVxXCkPZYyZ22s4owpD0WuuTljTCka5OivKYhDGmPdS55dBCGtMcyl6K8MZY9uL0ob4xlLEKTvLzRhTS2KMpHHooupE4/M/doRRdSp5+Zu5CiC6nTz8yH+4oupLEILSdpRRbS2KAoXxClqELq7jPzZUKKKKTuPjMfdiiikLr7zHzYoYhCGtsTWf5N0IQ0VqDlhq1oQjpjbUted5CE1NWH8gkiiiSkjj6Un92iKEIa04PyYYQiCOmMs1uKMsFYzji6pSgTjKWLD+WIrchB6uJD+ZbzihykFM/B8hJEDtJYfJY/g1XUII21Zy0vQcQgjaVn+ZwKRQzSWHmWP7JVxCCNqUH59s6KGKSx7izfUlkRgzSWneW7GCtikMaqs16UN8bSuYd6Ud4Yy1h0VgwI0YI0Fp31/IpFC1LnHur5vn6KGKTuPVQMCBGD1L2H8s1aFTFI15KzvAgRg5TjuJa8CNGC1LmHiqEpWpA691AxNEULUtceyh99K1KQOvZQ/uxbUYLUsYdy1VWUIJVYFJp/b4QglVgTmldMdCCVWBJavDfG0qGHqHhvjKXEgtC80qMCqcR60LzSowKpxHLQ/IpFBFJnHiqGeGhA6sxDxRAPDUg1TsfKvwkSkDryUDHEQwFSjfnveU1DAFI3HioGVghAqnHKZF4m6D8ah53lewEo+o/GWWf5PgOK/KNx1FluS4r8oxq7neT1EvlHLY7Fyusl6o/GSWfFEA/1R+Ogs2KIh/qjcc5ZPqVBEX80jjnLJwEr4o/GKWf5JGBF/NE45KwYbCL+aJxxVgw2EX/UeYeKwSbajzrvUDF8RPuxmASUE5eh/VjMAsqJy5B+LGYB5cRlSD8W04Dyp7KG8mOxEVF+Womh/FjsQ5SfVmIIP3aJo0KLX8mYO2a5F79SMLdPcs+HpobwY247nA/xDOHH3HY4H+IZwo+12Fcq/5UIP+a2w/kQzxB+LJaO5f2lIfzYgh9Kz1gwlB+L082ymZiG7mNOO9UBYYbwY247nN8YG8KPue1IEUuEH3PbkSKWCD/mtiNFLBF+zG1Hilgi/JjbjhSxRPgxtx3Jz/kwhB9z25F8cG8IP9Zjfl7aahrCj7ntSD64N4Qfi0PN8sG9IfyY247kM5kM4cfcdiSfnWAIP+a2IzkkG8KPue1Ift9gCD8WC8XyAycM4cfcdiS/yzCEH3PbkfwuwxB+zG1H8rsMQ/gxtx3J7zIM4cfcdiS/yzCEH3PbkRzADeHH3HYknxZsCD/mtiM5lxvCj7ntSL5o1RB+LCYD5ROlDeHHYlvqfOaIIfxYnGOWzwcwhB9z25GctA3hx9x2JIdkQ/gxtx3JR4+G8GMBP/kjG0P4sVgUlk8lNoQfo9glIS9BhB9z29GitUf4MbcdzVHJEH7MbUdzVDKEH3Pb0RyVDOHH3Ha05XUH4cfcdjQnKEP4sVgSVsx1NJQfc9zRoolA+THHHS2aCJQfi1lAxUw6Q/oxPs3qMrQfi3lAxQQmQ/uxmAhUTL8xxB9z36lmghjqjznwVLM1DPnHXHiqCRWG/mN8mmdgCEDmxlPMHDAEIIsTzIrH9YYCZLEOLIdzQwGy2HEov/MxFCBz5NHizgcFyBx5tLjzQQGy2HCouPNBAbLYb6i480EBsthuKAd/QwGy2G0oB39DAbJ15H1e5VCALPYaysHfUIAsthrKwd9QgCx2Giru71CATONkpHyiliEBWexKXTTlSEAWh5cVTTkSkMXZZUVTjgRkGuuG8skUhgZkcXRZMXvJEIEsNqUubgsQgSzOLituCxCBLDalLm4LEIEs9qQuhu6IQBZbUheDcUQgizVg+Xbnhghk7jxV64YIZLEjdTG8RgSydW5ZUSYYzHVsWVEmGEs7nHFliEAWG1Ln8zQMEGhcLoc5lyt1yx5HAKRX4UrdsscMvXRW3Erdssf5OWlnuFK37HEeUjq9dKVu2ePAlazNWolb7vq8lZW45Y4zrrLqthK33HECQBailbjljiMdsktrJT7nju2o08kxK3HL7ZUznRyzErfccQBAXiYNoxkrw9InECtxyx0nOuQl2DCWa2VY8SsxlrE0LJ0csxK33LH9f36dNIxlHFeWPgtZiVvu2HaxKBOMZWxFnT4LWYlb7ti7OL+qOsayx97F+a/sGMseexdnzfJK3HLHJpr5FdsxlnHAffoEYiVuuWMPzTyWHWMZG1GnTyBW4pY7NqIuygRj2es9UVfic+4RO2jm18nAWMY+1OkU3pW45Y6Jlvl1MjCW47DV4krdskcws15zJW65DxMtV+qW/bDJ7UrdsseeBkV/MjCesTYsX6i2UrfsfoeSL1Rbqc/ZT6vDVuqfr//zqw/f/8f7H39+/+0fvv/2/X9+9bs//emrr7/++e8/vP/qzX999fWH+J+T3/jbfvW7//rqehf3u//6/9981abFH+PaEMcf168cf1xvDOOP68DP/7idAep/3Pb5jz9kJd22yos/rk1G/MHrnW8Lx+IPffxB9z/k/sc9s7X7H/fMds9s98y2Mt9mA68/VubbPM744/67bnNm1h/3PMTrD5b7H/fMcs8s9/e5f1W9f1W9f9Xb40L/w+6fbvdCuD2XWX+szHYvXrsX3c3k449x/2Pe89xL7GZh64/7G95/l91/l91/1w1b4o974OxehnYvQ7uXod3L8LYD6eOv8fjrkdoff41HvvHIN+jxl9z/mv3+Fz1ey4/X8uO1zPe/5PFaebxCH6/Qef/r/iva9Qs+/uqPv+bjr/v7tab3v/rjFf3xiv54RefHX49XjMcrxuMV8/H/Ht++8eMV8kiVxyvk8RnyeIU8XqGPV+jjFY/f2+z+V398v/74fv3x/frj+/XxeMV4vGI8XvH49v0Ro36/jK4//JH6+C798V26Pt5PH+9nj1fYPXW0X/665xuPsh/9Hv3x+Kbj8U0fLU8bj286Ht90zMcr6JEqv/z1yPco8fG4rsbjO4/Hdx72eMWjnMcvv8Pur5iPa20+rqv5KPv5KPv5+EXz8Yvm4xfNxy+aj18073W5zcd3psf1/GhjGz2uU7pX8caPcubH+z2aqKb3at4v93z9Qitff8T8+te8/8WXx1+PfPxLqt3/ksdf95axP66D61/31HFvCq9/6f2vexvo58Ovv+5NlB92HX/Ny+Ov+3Xvp6be/3r8v3uZ+mmT66/Hr5yPXzTvnZ0fN3f/azz+enza/Wr3M7LWX4/vNx9lSo/fQfdr3A9WWX/drw0/E2P9NR+vmI//F73P9c/Vn/u/bv371z++/+FvP7/7+cPH75+7b77eiTz670aPi4welypH9cre8ucf333/07tv8D216dN7WlSE5PXv/vXD88to/vKqx6X7S0u8vs/tTOf1x30Acc8sl0eYHpcgjUdhxiWdfY9vvnn/009f//XDTz8/f59rtfnlC/Uo7PLVP3/8f9/vBfv86kb367VR9NDpG2FBzqcSeXRxs4rw7fX/4QF+/8PHb/6y/ZTrXd4vP6W8Rvwd9tFda09B6Y9KR79UsLpcbm/29U9/fffTX95/+/ym1p6/zSA9vsNP7/dXzz6erxM6v/jTT5/tacQqo7q4/fUffv771z+8//HDx2+//vbd3396fpv+VG96GdJvt4+WrbKplhfkt9/+eL2mtgg+vfDR3sUfdB9Nkf7SkN8j9RhcXBvKe8z40SRZK4svvsLXH7YfQL98i8fIPP57b8ceTfS4XyyPrnjc8zy6qNsJsPEu9+6Q71+S76NV1jJCj6+4l5SO58iUjc/91f6q5yA9Vbp2/zozRgeH9/nh3c9/+fqHH9//24f/3C+Tp28z+IWIv/vhwzd//XBLeK4ul6fgX3vNe2hvT1mO7/av7/767vtv3mO79lT57p0P6wtv9X4r4tuO1r+8x32I19fw4fQu1x+4vRE9lY7exzq+uO3lN3r3nx8+/vTDux/ffffNj+/f/fzxx73pvDx/xf545xci4O/8b9fK//HHv+/f9CkI+qhK69bwpff7YX+rp6+ml1++2gsXur/Vh+9/fv/j9fvtrTQ9tSvafynGF6L6l+uV8fHHD9+8+2txqbTn9qo/LpYXorO3Gdfb36fLd93E1C/+5Cs8XSGPYSdr2YXFu9xq46eV0fdWf+oH2wvvkg+Z2nz+PfcW9zEEezR8vl/hK98/r/j63E/SQ04u44XG6Jf3/e79z/+jsm9dclxltnyhifgEkkA8y8SEw1XlqvZpl+3jS18m4rz7oAuLTMSSe35t7+4mkRAkeVm5cv+xf+zV80upHZ514w4bZQpbr/xEViwqrFMX6EOe4nH9+Hv4E8XcD7ebPrgjiCx/cJ9uiAlFtinvfvw6Hz5W8gZ53ZswQF5Pd/H35ak/RCu+eJeDE8uPFHIx2AwWLmL6EzjE8LU8HiTFyjrcgbhbh3QHplED/P0Aj6qBL9TALENExCJ+YBFxi54N/J4ujcVdPHVbTo9GVVLar+pe8OruDNlbM5DIbZ4o8fKh1JqXJ8249IDGIc7oksNlHEI7LrlZxiWDw/gGyw4H2ONzeYSjPAJOHt/Z9xiBgJN3GIFwAOKPBlFGg1iiGRD8GgwcaovPiuDXwP2M63F9WKR5bhw+fzBU81yPPw/qZnOd0Aemx0r1CAYMbmMbRGnTYKm32l5qmIYqgmn09TZ6LYfiqbzv1Vaih/V6/B4Np69i5/RqXeDLIsDm4GE6BKYcwjgO3q9v0gifosDGI9jnEbLxCMqMLGJp52CEwwgElzwCdh5hMI+gEewCM6TDYwYEvwaE7mA0mYH7t9fr7RJdMeKut/KacdzQXUvZzTo32r5/T5d94WUJV4F/vEkkCyN4Jy9arjlub8fH7fn9vT+ezwd9M8md2EJ3DoEaRrcvpdGcvIxwmBF5SFsiak/6jrev5/gHlYtJGlchPdwEtGSibvu/+l6ycpXpS0Xb8faYLOX50lVv2Mr7seMaPwrRayuWJiUb8tZPzl9246D18I8Gj4vL4uLqcK2ls2oRDI8XSQqhuZTSmUDGG49ceLCtsL3TLQi1jnONeHgOxCIwlg2S5RWTyePSMfbcKRifqGrrjZg+4eT1uDC5vTzK0i/nZcDIDD1UCC4pZHEsIsZx78IGQAS14w7hOO3l7b/UwzfyCgn8uhjHaovByd03BHqKppGl9+ik94jI7GDpFZqkbLuOvfgUAwykgXsLSWzNb3TSb0zW30Sa8kqYdhqddBr77DTSiz7JqXuMMhI1YAMMlmr/x+NwX/tCXnpn3Ld+Pn7E/4+OZnyUw38/D0VAQkYBzMDDk1HMY/+lTA3pe0QLlx68aGLs1Ve28oZqeZBp3Cl6d3i5O5DsRUYXaduUSk02ZQjIPsJBaGDUNh6OBcxHAxPMpHMbdRR+wYBoYZq0UFgtMogtzIsOeg05C9NRb36JCSjtKT5UypxZiBqQ/nApDTaVaWyKn2MQ6syEJsiPav9Nwko5CCH5plksp3+Rtq0kXCd1j4N4dgZW4iv+vpObuU+W5wSv+kehVQ0kNyw+0fDvy1pqIiflZa3LjtBKHtFIUuv6vKDsIlrEfu+v+kKRaZchu7I0UfC2vx+m6K2yimR4P54W/lXj4OdN7TwrnY8lU0KGFnvWSesknsytWWvWrjLJ8rGkoZ1RzuU66nRtEvYqJ2gQu9jY3PdDuYTRJJaKEvCYLilKAF2apChdUpTp0Rv4OU2PXzk3iGS7SSGTqCiT8rSABdicsof33yI00zr8LTz4Dgq6g6ff4W97+PK9Reo3AUXivbL1xeM6XU7Hvf5sMn6G+QYaPRzlFHsudDLp0Vlkmh0Vcrq8/9z92N+LRKEM1ia7oIWlTHN1i7jD8euH2pPa/EnibBJHd+Yk7vz8fjvc9PPJtNuL4Y+jjksoE4pqPwyN5s630i1GmtcLKoZJWC2s0ab58pFT8K9LWJLo9gAfwTfSNMNqrf2gzHCbRQJUQU20SWRlvVUgJRkSNh3ZjquWUV75AYyKxSIcmSylDuc+WGYDvl2iqI9d/DY/tWUidVZP0wPz8NXoQW1701Ib4XI5aW9SrHhPw/Jvt+PHl4qc3Me08ufl9q1z01ZsEhrvfrtd9h/ve21Dt0G8vwNuCTg+a4AvAQLMWsSBoQ7jL7p2ad73yzm+SnyP86/L+8ol6LxYk5DUYkgmakgqM6ToZ2gzjoUuPJ+74lDIqA9API6GNiD88CcaJuf9afpQn/okRDtZvFaK1Yd0LYV0xkKysHiom85XexWxmF0OflDdk0SPW/x4/rrEbbb6Qr1y1xvEMBvEMJsUtom/sqsCCBd3Gdj0tTcTt15Oj4ScP6IGW5okLptOGPRe5SuRErAh/8JljwBrxpLZ/t/mrLyNTDcDfORoPEPKW221XulxxJdMi5xEiwVrYRe1SAi1NOK+mrb2JlKR5sNDtcLzePp4P+2P35NWrW44p4zyvqUHY5T1X7+L4IC6OLk9M47deAQZ1DEbqjqJoYdHvYuFoWhxZCzibsA/GmAd49RJI1sKnao+RO1TCaOvz8phc4me561FCmqRNp/v9/50GrPLa6hSI/2QqacpE/N393nQFkKQLgyNuL39fWhESitDBhsbbBxn1EAjDy5Fg80DGz1STkmD0PNIPadVymJ7TqtHyrQKD61MI1s9Uh5r7gxPIzs9Uu4yfkNPI3s9spMjNz/mWMsmR0qkWUc39DTS65FOjqTm6TRy0COlLUfTYPPIoEfKq6ynp2YcqT+nTN/23KGYBurNJ49YTzNG80i9+WSMoefRiWmkftpWPm2//bR687Vy8/FLdhqpN5+MOPY0yTaP1JtPgjb6fnPzWb35pPnYc493Gqk3n8yl9dw7nUbqzSftvJ5rzGmk3nzKjnKbm09/FJl/XFDldKDefBL+11NM4zxSbz5lJtE80TxSbz6dUN7cfHoHSQBZzz27caDeQNJj77lXNA7U+0f6zAv+nA3U20e6x327uX307pGQrr7b3D1680g8XE+hJ+/xql8V/pleRavZ/nmPhubxS5sZyr7tEZ1w9Cp8/7E/notMrjUKdsa+zzRUjwxeBZFotnayavdvp8OulgqRdmBPnRXIqIhwKnvWw9NyiC86QGIdzVus8wiul0Gb/sXI/xRBaPFabCMtA8c4pA6aSzRS5+l2moePf1zYn1Jnm47axxBw/jx+PSt2bKcWoKHbqgCcWekYt9RIer8cz+W7e6fcFJQxBWowJSn/qZjQvlH4JWoHlzL+kyIKu4pQJwPycVv8s9DZ0q+KHJRjR+/nUiQpRvKNdNIctW+zuOtxVwHFyYdy1DjKUkpoi+9UEunlRviPSHAXz9LJNxroxQ5JFTXhZcbZDDQXVcrYlakx5d0Nnt0vkFPf5ypXT8PoQsjocJZA0UFhn7gGFlKmsN/u8KtQdn5QmFNaObAWVQ9f+iCVWKBGeZZ3+3t9XHZr1PDQKOQxv6GSpGkn37UIVUnnX26fz/3zPR5VWpinEgQUoZ3FHfeP2ptJB9Y2zcs1+nyeP3bVkMOg6qgamvLQov77eXnoAL7CgTTUzIOYMj8ztOo5Xn+sXDtRsw4GBYFtXp/7BUI5ISr3j+etkOaUtJcPNwLid2mja0kyNLPUw29Juh9uvw63Geip4Yud2gMUQJMlfe9vj/pDqeRl83pb3q9RqVxuYx7ocNbFJlJXWkPRUVnUHGWrfkNp4VlDo2ErWfWN7lTZCI0XraTdDr/3t6KiRj0YdaMgahUoHyS62i61CC8kVBWKqrWzNO6s5RTh7mGQe9JSkEEWEj0RrSaDfB1LI01awn+qezGoN3p99T8fx5N6mBCUd+FfKsdf+9PxozQcTNPIj9zTZBLEzFaaliFdfOte6+nfh7cfl8tPLUQa5XZB0G8I2bCFlP3hMoD31QZOhv7h83b5/q/75VwBrQQZB7EdcjqBhsOT9KowlekPWRjfWnH1Z1D8mNbdFyBrGUM1C01AVcr39Xga9ZpSlmUVrviqiVvGpPRDt3GYZ+GT7NrelyWOwHX5jUM9yePiVGGJAcwmox8MuFcseFYsMPU8rFmbuZYekXUNKB0M3O79vsYTVOQjxM0L9FCfMosukXegEMkCgWnBPGLbXBy4YcIRZ7aT3vyQJA0J5zSkZxkSliSkhGFAJVSDSqMGBWgNaqcapEcNgKQGFSs2o+JRQNEaJE+RPW5RW9OC4AVUG6YDHBWEGKbHp97yAMSyzCUM0cPVh6tTfm2ThfJjtugTpZ68srUbvk0KZaSFSB0XzMbXvj9uz/cV9FyiSlt8axBIgSUqYYrT8odMbQRinAZZ4gZqosGeMPiGuSjRAh9nM3wYBDVtLotAyUSL6qkO83bYO11CQxsAnOJXB44OdXd9rtCCFIeSC5cJaoDuc3gjB3qnXGPioFg8yjQ9cIweFZse6VuPLDuYxYzH+nmQTnmoMQ/ANijIDIjGDOjEzID1G/DmA7CJA3CIQ4sRoCIasJJg+DIBVWABXwGgExPwVAHw8Lw3As5eACg8a4kA1HaTntk2qUrSNmCSaEDc0yRqIwsqrLiF0gE0UHsm1/Jkqh9UvvdAgjkeM8wHpqzRCjKuZbfuv/OjCB60oZFXRHoMu6WORtSOBhvJqD2PWaa7vBJGk75n2n2oI8B5xWIm8B248DY8AD1pSeMgqSA8t5MWIRMMfrRwxkRCGTuVNRwb9s0q9lLYNhKsvmG5LWKmfynfSGjfpMDSgUgbrwOTULJx/EaAeJ6ohnKQMRCDarRUPtvlejfUD4dMPAVYHk8spblXES9pD+Ry8FSTaFuQRvkmm9ivlnKapSzsd2KmkA1CbpYJWatiLelyDtAbw4ZbXUjbrseQPvEAgpthI8pdiK+VTsgEzYBvPFC+n7VQXTohE08DIL+D/aevw4u5ZNn9AHTnQEFOSezn8/w+Q4sez9u5TPBFScoV5o7fFhzUKdhk2q2giQB5n8VNbQOFbaynIsQZ8sn7VKnUNi93Qxa8Ys2RYWEwG/gNn7qUuDoR8ikDIPvDRvCyJvLFsZDLn7lmKEKqPkftbMgQPmwSO2wEzKuS9QEZjBSaH/eVgtZC66dExqpCJsmhyIcku7xkrLTxs4UboHc7VC/1yaazHOYVp/kVPZrxKrzejkWSWX4+t6V2kogSct9KNLbb0giLhNUzDFIJWrMRz0oiymcYvAp9UtqqWcIj2nnH89fj8uOgyHuChAbafiN0ff1bK2pSnlkPagawrUSHg4u83Q6nmrliJe6w3Qg8QkBRsa0qIhzcDNii0b3B82GrofjdOJiHHm6Gxxt5uBkeboaHm+EBOPCZlQYOloeD5eFggVnZgD/ZgCU5ujdwZeBgDXCw4M2agR+FUYEVeR25dRqU/zc4WA7cMgs3NJVbMeI6iSryyWoYUggBDhuYWgbwhNpUhhaf4J/mrRU+yyyoyQYWPSCzvHop9sigrAK19KBOUjJkW2fgVUI/7Tjr+IUxS3tREjLIWyiVTKTVDcnHhIEcUMbco4KTA0jZI9QCu9JDiGZ4oidfHN7/D+HVOnb5OTt8Tnqfz6Kf98fluxZAdUHhpHjCviKn9u69qhFMNUJTt4wtwR+7fVEgIAk0KcpxHny4vU/xJfVaKl7H/U4poPo+MrsBb3jqFfJCogbTOmnoxgfa/l7T8OrjKLrYHo/TvHxBryG6Lij4Eg9oiPHVBzJqfWAF89DmLHCzCkr656mOM6Q6kZDiPCFpx8ATw9XJasdKbhebteT2sow4gWoitpNMKwEuSYMMRAPCpQY3aQ6DcbxrZd7K2yjEFAIC/sUmmaVWPrHi8gPrTkPrPLO4FYaikwZWAGl5A0awBhc8CMBNkymqeRRKz1lbFHkRtvkTb2/UBTNRhUx0sowJBFtDepchvQCYtAZQv/WIHthke1nHvd/qo9TeUaYAUQTkXyiracWqX16lO4eszLe/wvJgyfPXeRSlBpvtW2EGhqxxIb3ik8rkiHjleDMi3ZTIdaKG315fOVttbeWcMNH8i4ttI3MpU0EGtVsogI6vhc4FTU6egIWdllVUJq68TlA0EDgOLw71yphzQdW8gdxpww2EIF47KmU2sNNgkJsGLRUafF4QU5oe1PeWFmnXn6K2ToqkA2lFRMD8i8NQKSCVh9TC4bJgmrBgBmzh+LSZDwJpc9sj4UyJUcRDVE1VpdtTNmxq4fZSXm2xFNi8wWIZLNa2w1CvVB2UUkOmELm7FsWQLaiOWjiZfWZ2Q6zaccyNeo7qkiniyTabYP8msrZqylbNG2tb4FJkqQ+jij+AkdrxAPgkag3rcY26LZG+68BPCPSLAUOh6WDBWFokJGesrYV0R1zeN9v7UYlbv41aFpevxW3lMMupwJWcYlVEg4+oHZCJxt7vUDvdYeJX156auLJGplGMrPkq2rbvqm+iMEO4PjsoOrivBuS9Bma+RdOXeKJeLOY8ee1AKQrO3sJdfqHTttZHcfoGrM+2qff7+PhRNoIYzXMZ8Ni47QlC20isdwu+LR5nnQRV5KhLMefkwKvnk9vSNjzfd/+lIWOqFoYHTZ9RbZ3fVWzeSLXcNsjbowVOQ6s3Z3GPXereEQ/uXm1LWePD81ZTLEINk48EajPbURaykrVcsoOle2T5b2o9kSx5dEdb/h6z5bRgcpTwXVJ6E6oTHYFAlt2lq9+lOw0E00CU+GTyeLBUIZZle4pu+CjCnq103ftkdTrElAzCn4bLPLw9v76iBaWNAIWVQMqto7blx+H9+L3XEFdZCJwbRdE99XH43D9PWut3KjZBtf0ytAaa6GT9vafVkklChSV6UIVCIZPmZLpUtC8LOc9DebmWqa5xmtPx+6iDGF6VXlB3/+Nw0hy/QQGSe6oH4sASu9goiL6jGZN5aPUKUjoIEfwORCTojGXAImtyZyxeefdxuJ4uf+tBT2WnZg+cokFnWYdbbZNYr6iA+AqMIr7jxzuuGzkpL6PPYX9a6D9LO38W72WUGETWKdPALGbDSZWWk0G6Brxa0UkFOQlYzC16aPA6/MrE1ZtcNWrATU7Zd2exlfVVKQefrRZ+pK+X+/FRtHWSj+MRWGs3vtIt3nAF7fzo0aokCt/A98fxvK4ek6cc2bd0NHLjJfQOtDBMLW+U9nF47Isqg6i6JQicmeAfx/s1KpQVUMrKSjBwCPFgVJTzuB3fnsWitxIV4WjlxsdlZKtU80vV1NLiho/n9/ff3UKyqZjXnCywMl1gEg6fn4fZlKlU+BhVSEO1QzSvRsOvaGIm6UIsJxA+nD9WSfl4V4qxlCTqcL5dTqfxj3Yra0j53ewyOZzvooZgBEUs7HPqU0iEO32LdRrHylQA2kY4gN476iOsEjBWrkefjBKXezJSnTKJqiYqJM2Jp6xRavwKaWeUgYD4macbfZ3LsTI0CWy6S5GS+GrbsurvJrPWNOutBaxfTjkY4F3zG5+tKLQ2OgFHx2leWO9UOTMFecZh8amf3z8up8P9p9LSVn7cFjffQCsHk6xqiwjpA8IGHCiQN8maLrLa5zFWVWvmi5Gpd0isF9kZdSUB5+kpM3JF3tykUklV4cU2S6XaiElddezSOXaEryn4riL58zSiHM6Hj1F3FbQjynMA1pX6okk6yuyqPbFUdabLUunhKo+TldWiHVek47jd5/FUVrEYRcqYzEO0n/G0InmWOEtR2RwJNd0cWxoHiuGeHqlp6IoURhFXpJPpqamZpSxrooXJ4Gs6mujl5GnOaJJaWePgFYQsYZMsJ4ybJK3W1iuTlXcmm0aXq+tVsipwdTsOXq2vCm9mnzQ1pMloGa4dktz1ggevKH1gRHNevMMvHeWRvG0tbUhz+HN4fxZAL6mGbcM/7Z+V4W9U5QG6nfE9N4moN6ZV3SQotGWWUO0tKysqKBR2Gr/u0at6E9IjG8cWQZ1Obgo0M4vPz+e/HqOnXOB6rHQpQAjc0k4wUcrlpn1ctbXRsNA6Gv0e4R/nkdD5+nw7Hd93hTtmZa1Dx7f0AiKpkt4oDFXuYAwgCacMKcSS5qzyckZLDhsoiqiQuu6JKlNOCEBZ3hiuJnAbFC7N7QCDfaCh6doMNUi4xFEFpFQGGpurytWAcBkNCsi/DdzlqYisw8ElyAqxv7jM9MJbJKu4CNkTyrRCLV2gEbgoe5R2PXyXbfB6zb/OVvJzP1Z269yG9PBT5LhLlycSkC4FvNERz7ZAp7SIMyOja9EvwbbUY55paLSrLQ0sBFh7QASA4zUu9xClDFDzBFOUNe7v9x+Vxp9eAVFyy95A984slFnhqo1tjhXn/DmuHk7183mY0EG7spWaJMFBba2nW3ERcy+XWEaKUYPgqXnyedD1gEYeNrBit9Q4+jw89BXmO2WdoHUWsBkWLcqtoyHwSWym11lwIEv4Rj1wL2n7jUU5sUWK1AJ4YnOXtwzSoLR9289gmyau/khCU4R1ZDgJ2Gm/vYCL7JnmpXg9RWeOXLZF+N2ijMHmev1kdVve/LwyMX0nle+Dm0gtworoWvBYIv6sOEP0ietMVEYG56FpWwpwGsVUpKhGy2D7aHKZV1JJbcO1x/Fw0qWsrYIi0FYZ0Q5fNc8Jiqepo3FZ+Mm7yVEuPHypD/gHu9x0glcquo4GwGeWE72KMu6RXBKHgIXht9ckq0yCBsXqw2HQ4+jRny/JFJxqK9eD7qCnLtfn5XnbrbjFJW0ejVSPQ1cjrTw8Xa64p4bsSCmhQ0mKjC63xkxLimBrKjvmRz6KrmXIjNWMWcvdQ6tHpJyyt6YkcuK077OEdZNtCZDlILB5dMnY2MpaSg7WzYOLR9cVAPQjx+H1Hvdq61t+XEcB676doVNgXpr4moY/Lt/xSlotn1csKAM3QaKM2l3q1V06UFN1HF+h3JSqzuXiOtxKDu3IHHgp0DDVOMDwPdpyeBiEHowXyOsZj77HHggED2SXRzLag5UmIzI8OEs8Og554DoH5EoHgOcGcOAM4LvhPsi4RN+Xj8NJfx+1vqi9GwRQJAOHANTBUW9w1tGmJeoBaATE7y0NM+Ox9uePWvNY1SFjyDwi/CA/z+9a3ckQKKUGHQsB1MQKMpfJQFrE5xzFU2tiyeJQGxmmayltQWaULMYPyrpMYFKuvKOcwpfvVTg0ly8OXEPNQrb9d+naZdIW3gB8EVpx2XsZ8zENWNMG7nktsq5ajFVi8iNtfTjmmvcKI9gA9cSJeGmxj5FXUsYYZ5k+Hbq2oWEKJZ0QDiicZK79ovkDJXPtiEn8nsmeHNU4UlqZj7HyfOUO2hwypaSNlaZPHUVX7K/oM2sDt3DXAg/np7Z0gmp9lmB5Jlvg9EKr1TJZuSFbFPs3Oc/VAZFJ3eyvvf4qqr4W60ipVeLwdUW/UcyCtN3yODYuklZnun6TLXYceirpxKVmR//gtEtBlmU7euoXoSu+VaMyKtQ6/jo89m9KM3oFrA+ZKYqW9Y0yRiTHtInW0fOmUTg52uztq9qzqJO+kk/gHJgCQ3JiUM8+4BLO4QRHYQp50goKpZN1V7BIQBs2pIt/SMFrMIVZS8nA84zlnaYIgDM2GJdtg0gfGAKtSUhza2jvtzxjndy9V81tDYoVQKYSfyUbDMXw8ReQ+TSdNM68todVtUJAQQoa9VnUedoGOROULFlLozbjdNcj0slrBRn3ou6iurVk1+vt8utA+XVVX0qKchoFFaxoXhUR8zbc49DSm+qUy5us6iGZ9UOqNhiSChE8dSh5aHL/UfRgtNS1So9R2KSKQhTTxVkgMTeP3FqdWvcNp0t74J/AA3E5QYySMkcjVOMsz79FP7NBtUJrKBgxDt7gGhsUosJQVO1aSrGcClsbqL0o5DBCB1kqnI5tSJYKqHBCWsGAlALv5iVmLXPmg3KQDTXlJxGgWilBHl41wBho9mKUUqmqGFTpA2dNwPDRzNHlcurSy8ClFs5WC+e4BfScYwvjTBVs/aCw9Q3N3+bR9SZ+qrhma68kAHZt5ypSBEPZsiYpQNSmhOv543x4/C7ik165LD3FfFVFFpehdBCjKtkQBRxpDUbaNIpvjGYVRjkzljQ+0Qp5rFoY8NbYoxCCbxk7uEoZlFojyVjDd1R9iKNJbCmgBtyRzJJRzIZNd/hzHD/S11jdVe5AJYQ2YpuFVAAVTaMCyBRnOwlQaeOalSYhtyElmFDihRsJBKwh0wjQYJqYebvnqCpLRimghVVjM4UvimuRpLR262rcpvuQej7NhvBUSL5fSNnGsKVtNvOrnTyLocOyJn7jVCqI4hww2Fq7pSDrGZ9BaTe0QI6mysaxG0XVLwYF+IRF0tDSjlEYiyV7VW8S0KLb0lhCkrZ+S4XnMhQGmASsDbDBq+wALdkfJbAYTC85pQLirAhtmgapmSb5Waax2e7fOD0FeaxqwtWjnbVrYNyBCD3jXpocHkAtBgiz4/0JxyhxrVmTM9vI8lqg5TK421Ei3PHRS1ThuCJKX20s9vfh8eNSbBsF56aBtzi4cqn2RgUq0be4SRgu04CRDvTP0Vff0CvLLOUXUpd35lwBj51DfCKAUiJg5UFkb0EzEa0KUE+jRbnJyhfhMyvM+UyFATwCJTYc3+XyOH4eZzv4eTsWd50ylGiBXhRTqbAeFIbeUG6HOHqb7kaSAqeQ8JAscxDyDcnTHeDvZEiG3bruZ4DeymhRUKeegvm/Rg/3N1H9XnEABOGCb3ySMRIl5I01jF8leaDqxGJpvHOSxthsVA8Li6AF0k8G6SfTZarujaMrp6rFDlR01VEy2FFSvVeU6oSF+klUo1lLa+2lzB+HkUak2Omqrzflo1vEHD6WHasjGqpVz9Z+n2X8upzirba//R1tvKWIV58ghZs1W2bi+vs6VUjVU4TCOJgWYvYqsAUqfoOWBwaXngVLZy7k4K2Ux1lTq6tVpytZTxo399ZrcwSVV1UHvAFrllJhwO/VtWtRJmyR5AQbTjRP08GxiC7arWCtnrYCJbLS+crQRU/xslkoMVekNmpw0NH/IP4CIxqOfANsqt0ys9YHflDZz4AUdsgwJBAINAD1ZeY4aB2ba7hsk1UoMPxbjnKN1GJQaDbzYnjNdFRBK5oc+ppcgpKHSe0oNAyyAc4NDIYWxH1IG1m7pYBZrFXlMEOOeGMxM8u/pdkoLb/sMugVI1fA+QiijwY+XZNjnBvnQ8x2Op5/6jdS4T6U6oeEzbLIattMXmZ5PkzNVihh5Se8XP4Vj5Q8c0AdmxYr1ALI2QLb0aLAgCf3xYRlaFbmI2xDy0VGCSUzvqpBM5Rdahn6MQYiVw0nFYGfoWWgUcbzzK9TFWhpAOG2W89UbTjXy2YPBgWBxgKhbUEyZB0OZJ5xy13BjAVAo1HVE/2WjqjxYClGRdC9dAjgdyBm68Dk2YGw0lJsI6arpQ0UOKGFQgKXiumQvOpAk9ll64s20MOshcukGtz2OdOS+/HgMsDNZBsEf5Bps2B9sybb/LRuEo9TpCJUn9Stu+734fDzbf/+c43rVG7uVpBypH36iI7D2EC9Ft9T9ihtVCcF1WqERsZXJYhaDr8POontlOPCHyCO29WIdLwiBQUhtg2UsSuqkd33RZv8MkaX9tvy3+XstkjDLH+OuwUbIbEmtSD5SgcKp6hLYrrk83TpFnZJPbtktoDyyicDxVPXuNSNRrnUNKs+DqvR+iicRgMSrkBdg1EQFHVVomKhBzov0CB9lLj6SirZ0NPQSa46qGgfK0PauTqnyWx8qIjmuL3VDBre4xRFFHXp/6lCw3lF7oK6DIfgn0O41FFV9OPxuJb9pryix3NwMBwcDIciHYdcmoNP5sDg6mFAegQisXuNR9M7QMWMx3t4GFUeMTOP1nkeVHDoLWAQnDEDopKI0xjwEpsBcbABJKu8OK3oSiG7SrQpNdCDrSwdaJ8OtM/8rPDe8M8NJ3Y5fpcloCNcT+lSdkJW4U/Z6SRdTgjOgS2JhvqP52P5ICqVhWYyjpbWjiKO0VL5vwXJjXRvHY1YHM/Xp34ClUvLPNn0G54fo/UvZ5anvaf8CeNAp8c1chz9eudH3GRqnKSdo2US47i+mFCynNBzHAfGvazGWTmOxUHiuHK+Vo5j90oc54oX7OQ4/ikf6jtYGaDs6X00gVnP+1MFHq+iLLnzMY3ETaKi1Tz1PtZ50aCut5aa3cfzbHUvhbCrZ1L0Lx7RqLCxKlLgsVJxKcsYjeg+t/FhZ5FT8KEiT5FJQBuEjZMwy7sefx7+zlVFK6mDiu8EJHrCxsGcpc4xjkqhqXpt0AQFGr5eBKretuvnVBdc8Nno4OdyEitQD5VnbdWzQijtgrUInUptK19IEZ92WdyLtURyqPKEal8iVBFoJHwROdIuVh5Qsap0eUvykzdJUx535SEVLs3mT/5CbIpFVE+PYjtBIDNsqFMlcwFWr59V1XUg4hO4MTHLLcIOlQ2qMo5gtA40nr0Int3KygKovQniJF4up+RVl1SRMYe8pBtH6PLzUOWlVCGqHmrDUTzb8b5L2Ap1mUhO5Y6m3OLo76sqr9ExMvhk9CtO6PPvvS74sBLo3FL3PQ4eGfhLriyZm+L0KMf7+9JKfdyS2pNSzgXv+nC8VxjnBtXo11DS2GmwZpgbZGNtayh9+zS0oHAbJAdDHLvxzJXPPSierYa6U8f7zOFQWTI1PY1THu9jM/LvgmrQ9bqykY/+Ph++L+fj+wjEuv647e9FLlW+hs2anqIoj/dZfeilVDkBm6NQfBdXaHbGQiWVduY7MX6Q7+MMryo7y6nv0ubAWQ6O41dO7nB/5j6roRVTo4p2IZoaF46+suIBDwpBzNl4isy8U5GlnsYCTvuVC+dVE4xAMZunkdry7RKV7u/d1O5gx7IDihWKeSMryuTgVEMtwL06tCLuqStX1kANnebkS98zN+IxmbUY2BFHv9EoX2MFi3IS2SItzTakK21I0QVUkw4Z5kUxQ2LOcjbJOpXiGkMKQ8M8Qa/5AUGiTBbBnXwx72ZsqpOKakhBkCFFYVBROqQTNmS2Mlr1IyZnu6tXdZotIGSIZBoUgMVfaEwCQ6inZ3qcvBrVUrkSNHk1DkUtTqDBtr6nbvCsVlPSMAxoYIXyoGTMDCnrOyBh3G6+UKVlroZ8SrRe2kNoLx5SIiOkuFhIGXLbU/DkOO/6FYdOhVUpSHUaXQXo6ieXiAgk0kPytkOq0woJYx8A7bOU5nCcW5cvaqyA6gqNgF4DmEeDLgUo4DZNLsGDA9bYrNRQT0bv+vGptqO4TrGs9mi55ZCmcsg088bC9Xmq7cgUX0lCRbYNbSpUFx2/bdkpQJk/XdJubUPNv1FyiZUr9OUg9WVSVIn7AsX+CLwOaB7TZ9AxBbWP80uQ13rj98olyzzhBsFXgxlzqyYObSpnLCZTPPEAwKJPmsmts1DnZ1Adalsa8ZymlagoPa9MkhuDEheDhkUGGA4AVkymNOlpsdQ47wQZ0fOp9qugKjIW3BLohBJ/oeAGPQ17l8POWwvNriHnFJQMsECH9ML2OZNyayfMKbJldDBpqC9TCq2dLV1RnJsIbn1yxBvU6itK1Bb6pgV8oAUrSIs6vhZAgj6zytHytnHyXHapwQuqRyguZPgpxgI1YsEIkts7cg72cU6FBdDfXPE7tGiK3eGbd9hfHQyTDoBzS2ta87zFhKqCDCka8PqZDjmsDhdOlx0tLLPbNLmWZiB6boURRzLYoDWd6ZBGQvtb0+FY9dyTGFX1qruTDAdZR6NVafBYwTBSaRVCVDaKYgJHIfKsVClcBqe8V9oI9nT52q3SW0bBjfihvXztJ3LWFRNbUB447wYdJawnNxqosHyRtEs7CsA8Xc5fh/tWOyjVQYFI+d6fxmD84WOBb1ZilFJ7eLhigXqL3/vz/kvvmF7Feht6pOeh9XYx8mJuqVH4vb+vKt6MKlajZs/3/s+u6sSNlqJKnPLH/7P7PBx20SDdrRgqZFiExo1HCdn0qjXG8ErN8Ab3o6Tr7RgFPf7yh5Knhl6BUdSSFLgdHrdjgUlQMLeOgtsq2A0rQ0Ut5d2pk8LLyMu8JYX9TPNF6+IcZRrACkm5/g4cBx21+L+P54JkX5rFNHuTgnrrgF5QFXAtVSfbYcGg9Gub6Y9p+4SVVnWq+TO4c4zL6Fg0EQ64dAKC+bkDdYMgSgNOjgYGeyNQr0DEIexnwHphcEUaxCcsGqVlTEKPFj4O389RVM/02iu9Z+U5a1HR5CkO//v6vlgFY8CtZJtSGcMGaL+BWtIrcZu8U73SCpnfYaBotZX8GgWVUT40vuFAowlrqZqMSnVtaYCAH2imZiWwTkulSO4yTcrAFQEaiiUPqWLYW/m4MJctuq1ZoI2i/8L2xTReCZVpnuTV9SkA6VBS0CHI3eU/A0BBGG/Az/T0Nhhzzr90H0OJ488xMTQAtt0LYWumRytzei2Na1dqHI06HgBkJf8f/kmXG/3Q62IRXxJgiidbZDXp2pj/i+Ll3EBv+ZEBbOnBoMOyX5bCKmkl2xR7a9PrdEl7oaLSpRPlEn7bpRf0SXH5VAzrkeloaXxjefeFhPp5vj+vYwqhSsEtzc4BdbGB2uGkaFQRBKIipweEzyHUOyCCERBRa1E20+I2gK9m+1xpTCEGGa5wHgtBte1npd2Z6dA8VTeLtOvt8ri8X06f++/j6W9JiGblzYoDk8nXPVW6i/iC3VPxyFNGojR2dbOomiifb5Z/ELR9pygQQQbrDpQpSEiu3ibKCYAnwbuTSnnFPaKuO3BtDhSAI0SRG0TZgS6/LLPfzoc/j921MGn1/ZYOQ9r2SSEsigal9ZgsHYHkBrbJgGrTP0YFQ5fEoEthn6xXkLy6pGh8OoTgYfUU3TC+V/laQVU09jQPlsauOkkG1cSpy7R2ND98/nxs3sySRBDmVI6m+KS9481MNdqlZItRvgxivwPNNZ5HHNuISq2R4QyqExHlJDpfHp+X57kGkZECHMoBAk0Hylr43aoYXvEAJ2M9FQn5lBbxNMK6UWkfFBdFjyBaTxscRGEzBqGCXVLsaPm16UmMn/HH/nier4DH31JBKqhiM+TDxp5tLW9bT6rvlAtBOdHzeoKaulSYqwZsFgMF91TEaq2pQKBN7l9DP/laYl15KsBq9usGagMugle2scRltz5fqC9eeRyy4laVKcwW2TxPXYKcR5zyNd97tXhOwTM7WnNbUVYyHgATEkmI5Fa0KOFBmXpH2Ykuz0cJaVcwKupWXn6fy9CcuvgoZnkcSAJz0saiwYrVleJUs0DkeztU8vKS/yhrQdHWsjGDAiAlN6ltqC7K4qrBXQnui3cfyGlpADQqivthozI0BPWp6E0c5YxFD2qoqvHraPOuaej78bqvNAJs5U7hhZ1CxKrIViWneJPba3QR47WoPQbVG7tHNr7feJdpBXfIGBeunZWInpYyvG1xtFh5RFtAkLIZ6FFzHui1UU6wVkjizTuU+Xlqs64y5Wu+Z0UZm4uuA0WP1mWuPBwJW+oSdKYD472nLsD1cP4oeuAZSXfapmAFinL7FJmEp4iGBLbNPQMRc2mBkEKKMv5CSpwq5uXJdpmpWK+kipa+er+6kE6a/7yp6iJjDNtO5kQpRV7TnrLDXo/XIuOpkiwdLd69Xk5/vy7nasNdaVXjGhoo/GdBMdevBUnvTi+yRUI0MC7ftabtnQ4MpWgzd8te5jw6RZFOd8tt/L5lD3qv+GQGnLeO+hjX2+W/DmvWVCvp3zpKzp3iELs5EKE9ILm+1IKDhPIJJGCbb5VldDnYD8pGp2VXI4Hy8T5Wu+henDLxk4uHWmqaQU7ZXlNy5Hi4HS21F+u9LMXRT+ZZwgZY2m1nIrZfN8xQGZOch6Axjtv+t7paJaWAtTQvH4dNF/vHqv98K6/DnrqunPNrUAaUpWCuqLo+6qRLcg0MGgoiuW1sk38BBQLW/gblKn2fjTdmJMmnqFEQyRMLAIb1/Hsc9teyc6zcrfkeos7N7fB1LLPQg0oKNjSrn8ZOHufkbL0friWmJgRl4tJkeBK2EUgJqtsbArhtQ8sRktAN0q1Wff+MKUOXPIBxLYJkNqMsqd9cnbr60WVzr9ykg14a0Vgr2VsUfCikQm2bG6g0wKc3KADMlPgZpIcO0NaCw9JRcFGdoN8p0qUe16ADhImz0WWJZWBElfNljTc4vv5C1IuYiIpKgyRyoMQuSnYtHKJKOU2TYwyvl3IdCWkVABIp5IFqeyWsHgRRAQLT5FfmX2bauWV7AKc88o561Amxs8CvZwrf8UIqoNdi3UA0FVLIHEW2qGINuLR405BlajaldHRApTAk5TukwOqQThBvaTROdLxVooROfcGOst9OrVjXcDGl9QwNQsfRl9OvQ4p/vf2tGLq9qmRswBKPa8w0IEkDY23cHlxp1+e8XU6HlaPWq8pUFM+YBhUHA8XCjRM94/Vy+PNj/7zXk4QqNdVk7Bdd7uP9p7aYVUk3r8i8na67MRc/Nhx/aICcqg+iau6+LwC0XsfD+LhfhwrAUQanHA1wpMGPSwXeaJUItsXu7wUZjVEEO0m9U4u2fPagsJloX2BbWFU5vuEo1nGUWoZZpMfQpTR3R/Pw0r2dcPZamJU3dA7O/rO0NWTayrhW5hLz1JwYZZbWc1CE4ej0YAP1ge+H28JMEkUdP89R6KGIeKlms1TZzGHn3ZoJ1Uj4vKXOmhpf9suToQEEmhNMqKOhTC1zHYDqZO6D83rOYuYxcmVUHUKfE6bUoWRkwLaXAavcMAn1gqJVW2adoqpRTkP6yKttktC6NlBbfFV2oh9fhgZBu+RpqmclbS1Sxtc7FIJ56rWsRK7il7LMQWCgaEBUSlwLE2qqA1+e/6dPssJASOfK5JLggWL+Smnbxqy6Bg34WAZa41qKr9mzKrIF0gDLk80rodqkVVrGtNma/5c9xHERnXIS0C6Kt+jZJtEOCmuf03KBxu3vU0+vn4e/j8vlbYylaTNQxTxpi+X7WCRyP77vn48fdTnK5t56mLfD/ha1AhUUlCB+nz1WZeGqcpU6SqM9O4HczwXtWnRjlNWycZQeF/r8Mjwan5/fnY97XIj3H9Oh0f6LaqfLWeomEaXhpRIajnIPxO2ldqn4eglB18Hq5iRH4y7VXr/CbGT+Znhz6NFoDaCYBoDnXCLHcd91anhVrJSgK8lt7hJGkVMT5uRYlR1eAUmWZUmm4YYCT0K5HSdxPV2X7wS6e6siK8acxOV3fb6+tj4lYccPii6bc6CtSTGsLEdF5VifXGWHEv0WUOYWQZ6WOv7zRLtKaljiHxIwIKGbku8O0sD0IZOR6hIU0XFjdZ4ZzP27kbpfJybkJb+52vUGALVqDSurszKE2dPQzSh+zNVVVshKuGRHcQ73n8fr7m3/eP9RpAwk9XmuuOVWUZRTExOUV9rR9sc1ihRFtMM3yRjk3KUo527u5Db+C51mk+AL+rW0qMKvk45yt/04tXCvlZwkXW7hCRwHINEWHd+j6U0VhJxnSrMeH3/XekcCzjrUtngautRi642iVUuyHjgPri+kzOkR0/MqF0nGBT03m6SwlbUs41UdAsqeG6BSWg0/KTloetABAlQaRaNRNs1B6QLz0iZXPestMi8DBa+vxG0b5fIAmkwRM1Bw6kp+zSpXfSjzxT5QguS1VG2W98p3yCg+2tNoJbBul0uH1+QiqIGiiZTcEtFjZdqxR46jQ1LGZ9wT5dK+X1SQ1XvVtYEWyMRh+7O+L2QQZuManQZ+HH6tYAyy2iMhXM1Ak26zoCogQmIIwZMwcD/jcjp+jOiD+BfX4+lw202+UNnGJAvl3lmSNJHX7kYCMaVVxOlKYF5uHC6yJlGlpKA41Dq+0Rchv/anZ7F3JAVrxjVxVScljTtxBT+ScHOUN2UeAv/yTSurHhRAsuPnbwqKa9SHdGgGqJqMh+poUfEsrfI4XmXJB9yMGRjW8ehs6jy0avreSkozR3MMtHVRK939HvA3kyO0XL1KmTWomopLZ7pPSptWEVhulFYegz4hr3toWc+/8l1RuTkFEufUj1MVoo7NylQ8ytNaipqY6xjfTodacXcrL82e66sko9YEw6uYapctXHCGo5rQcce4VsOqCOMzXcVA04T/VrraK4vc5oucGjeL2FpYVqFncnTppayaLaBKw22u2eUx3nrRq+J7srmKlmZ2t2tdnfZgEDikGLtJ3GIEfhdBo6DgcBkrEXiaQrUU0LtXcpsj9G6w3zyyUYF7lrSXWSsvqj5ky2TrsGZRVYleSsyPuXV4WXOyVgbc+9w1qsvKKCceqM4rJqh50630H4EAsX5zW0qhRJfKiDyYkZzJ6/xiR9wOv/e3Iprh5ZOi7Q1wk4KRm1t5UvpMHK7mkFamyxDAHGXAbRAoSkDNUVBHKbg6uL8cWH0cMMqOIn61/JHvdLX6Urm6dN06FMD6TSUL2c/7x8o+a2X60CE3tvS9qEu8PXaPgq7WKGQij5CXbK6tVKOO5+HX/Tad7soyP3eLljcNgqLLpwDHo0vWlEupbo/+PZyUa2Rd2X8dRnBogRiWVzxP5D9uRYyolTBXXgp3f76N9KwFf5VRZjnFo8fB30fNMDcmoOtB1V4F90Gia5ARNrnoHQ17zUZwbD15isLSJ1DAKwtsIBpCg+0jPgGI9niEenqCR9EVROKPeqTwW4oyuv/9ftO+q5XlAG1aCgfIH1Lntst/hjLkjoahEufxlEovmqUq4AbnUBwvsd3t8H4pNJWVCcCWlpGPx/ryrPReUFwfAc3jAg2xLpKqfTCsOjH0WS5qx6vyxEwik+GTWN5FA1Al9LjUShKMBNYhIsWj0FlKSSYh8819ipQ5uktHQasmnu2gygLp576siTbi15VDmW2bhhZPH1SekfkYjwu6iWjknCqRplXN1b6jXtEBBxgEHQX+RzGPy/fxfb18XuX8B3B0BBoTfVzK0IdpjMqY0hDVVM9eLKNR7N+prVtLPY1Zxv33/nof61Jm1jUdbBLnly/IKCXxPK5q+4xKAdPLVkspbjt1dtm984o6p5V+cW4k1sFY8ik92za0Q+g0SbnqCke/udjp/VYFkDIfmNvMe64zL9f948f6gncKw9HTwOjjUhmrOFGRbjB9MlyjYQmPHcwpDq3MHPK4Dq3MHJhzHMglPGotPJhcPVqZoWbGeLQy8+im7MEQ6nG+fCbBQRM3jyZuHk3cQHZuBjBuAgJsQLMefyGNCdbbAay3Q05yJjM+3gz4JU49qkcQCm+gX3Kpe4OQgEknNvqn6L0J3xy2hzW5sTMwtRYsZRbEYA5BczS8s44a7Y/LIxoB76VSU3cwGNOWd0yGb5ucAnQ4BZNph94j6blcyhZjH3h+oU8PNXIG6VKzVuZMHc0yzsMZB69RJStbItYPEBQbeQazdTSLONnTVRtANSrht980vlA9ikibIlXnoSvF3CuGDLqGZbtto5g1kOkHYM4gqNCarMjA5sQN0XGi0qyRWUZHreVpKMJv2oYNilAShyjQqPEkrEx3trICDcrPelrVPFNOr+KVqitPrhihYQCI2Q5Yqgir9TkAt/mSLOPoVXQQzDgDjYtnaTrM6BXR8pAfa/ND8gyjvMHj8iFsya/Jej2hChsDKZuc9g7ee0JbQX860JEHLItBxAhFZFb0SuPGX3623f79fbTpy11npG9qqbsuJa264zpNFJseEKXuCaCTLlFHY/xymgKwIaNq4HXuKFZYSZpEqISRDFGke+tf3r1saW9kIA7Nx/v0g5e8SaGrvLSMdXbJD+9oubOQNcV7C5cryBBnppehjKhC3OpTKzYz1EwlK6D7J5kT06++6lS/65bflCsppfbTkEKE/Xgxf1XktiZUFFf5Ahq2FPV6jkoeR9F598lwbRsKCK0Krqlb1XwJ/Gp2oLnSumStehVPbmuy6v2HM5mF1tWw6jHf5vTYv2yw1XE3iuYutzhJSuRfNof282RRQLaBM1CcY7KlyEq6WLmhMPnC1m2mxa1C7BJVAPcJ3lNUA/+wBVa+pOTycRmItr2Qn2WBjzRKM7o0/chkx8gHtHBffO6dSMEkiBd8HgoGbklwSxl4MLywF2UkyW2f+U9aSKPK3eBiBZptSuJWRqMk4UcLceu3999npZokqBOHW3ygYHgp6YXCVD0iEDrm0CQpuqbOgtI8AKwPPDQqBWotFlSzri4/3L+sYF15BaVt+6y8Nm3Iz2rliIrV5R5hgZvdJcZDLn5Hk7yP51XXcrYyzNPTROXjz8oelMqRm81/1maZtCO5u/KnnM9Lx8nwTrqPP6sZvephyrsElwpQbRrRKi+p/0VNdSlYhMvc9vwyB7HJakVbyUzVU4jZJGEU8HEZYX3qgb1KK6b8drQtXgr7PB5OOpSuKjN7gxwlpeh8rlvJW4nZ4jRoz1UveStPV0/zmvPARo+Uq0iJvp/rdvJWUo/wL/hc9ZO3UqvycuznqjG8lbdMT9Niz3VneNnAngL0nuexFOpyGwt4K93hVfU6PAbOePQ8v13OYxF7FR8jvxe9L5OIioRBdZoytAz/eT6OXX7HP6u+ldQSDqHTwD/n+fjfz0M8kX/vS78ZZb6omi0q4uf58lsjZmQ6yKXQpc82Ds1sJXLFWoGItpdTWiYZFi4laR21n6Pw6+F95BIvwCzS2gFdf66iQpcs2g/peX6B/pPOOL11hZQq/k8xUCGb7hD9z1lsR91LQR0/5fEq1BBS73sPG5T21HxeP8o+v72ikQTSyFEk0yxjk85Iiuy7rNzpvpxEfuw0qqiTdTW8ZnoevMGEpIpnU+jKGGRnEC8wFlQ+ObvQ0zhHZeIKD1IrlbXP8TJqHM5ilw5jalcpwnWkGUyHTjCo0TOoVjToeBBd+H+asvpFFfV4MvvahmJXlcTqqgS5KtmPoltEk11baYhmkxtd12xHzZLnTffXUSxJHd/2d62JZMWVy/R5tOA3jt+tYWEyxuK42XH/UK3uvQrnBkp8WEOiDSpEaGhSIPruO86GoWp0aVQxylDDOjkMqdD41ekdeh9plTQGzkkomOlTSsFsmCX3tYPp1Bu0GQNJE+FJyrZzqYAdmRJ1oBXYSWzVsVTRfwRJAk1yQ1jhVGrmkexUUqPzvulQqpwOci9b+/DASEO8ypiEXHiR658ovmVpdnl4j/fvaX/8XhUGOJU+6YFlcylwY3jfRCG8ItcpuUAGILfO6YqE3FWi0TeKYo7Gr4SMZ+3pVG9jYAjRh8twJqQkucLGpApmKZ8PGpDqcy+0tUdSXdSIoMtQQ20XSC4iYJ2k+/TmxZrF4dfnW0k+aqVC7agOh4yPw2N/PGkWHvntvMl5jRdLfVkF0ToZjvNgMxjoqc9NX9fcQJIjxyPS3mYOEVgkgQZHVneIUW0RQGUF4kUUG6dp0Jd6cfXZJBpMKXvm9lwLHG7Hz79LjUFp/QWvbFHqn9dq1bwyegzbl7/3unp/UIc4gDahwUo3iKSDqS7aMxmZD1wBAqi2Y1tynP3zUlGsplEsLxwYObd20+aevNwTRDOzK+BRAcCP2yg34WI24TxRmUgVzzhLyC3Mk9+YAllt+iuUxHbJT4UN3KX4ZpeSCz3czkRa7hINWy59aGmR2vLU4424ImOTRffJYUD34i4BtzoKU5ll1wvWpVKjdESLgDXEximUZ98jaEKNpEVUPT8gd1KudgovFm2yjw41f0IhJNFXyQZq/s8C10RxSo7PcrYXrMDiKpbAllrE89iVtpZ9V7zQq9trozWdLDnsaMR4GVlasqrfVebxC7SDdZazacu6RuUiMqCJQnSz4Io16xpF79Rka5YpZSFOt4FplD0b8hu/WHNm0TpFkJn7zQbaZXgRuKLZKvOdndyhPikgn5tjvlrL0rgLjSqEoS6jbthZO9PyYrQoFAw0JVOJSHQSCOx7WBcInrhcoNoAakxZmZYZCBpBYfcaBJX4CszSpiKYz+Op4ALvZB2Cz83r+BcX4sr8SydjCJlgZeAnsBBWeT7JegCUbxT54nULuKQCs4IMF/coTfAu0lbKTrLw5YDj0LyQs9JZql1XZiMK1HwXgraVlnrjLmcoXy0c01oqTo87PT4pvWKEPK22FFqpy9X3/7J6db2lUiMwfSxvdJckrlhzajtQug5IuwyvXlwbNTW58uRl5ObGM6u9452Gz/DFe+i8rIKM8jjP7+Pjx8dt/3uM7R+ul/cCXKjyLHTuJONUxT/LLIal0TMp5Fd0N8cH0llf3eOcaq4sJ/7VNX6cQoyiUaWefRZTfZpOVut5itzMUmrP0slX8vXCl//zv6a2O6fjOf6r//1//ud//h9NVDi3SRcLAA=="; \ No newline at end of file diff --git a/docs/classes/client_api.AddressesApi.html b/docs/classes/client_api.AddressesApi.html index 5bd3654b..e334e271 100644 --- a/docs/classes/client_api.AddressesApi.html +++ b/docs/classes/client_api.AddressesApi.html @@ -1,6 +1,6 @@ AddressesApi | @coinbase/coinbase-sdk

AddressesApi - object-oriented interface

Export

AddressesApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new address scoped to the wallet.

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new address scoped to the wallet.

    Parameters

    • walletId: string

      The ID of the wallet to create the address in.

    • Optional createAddressRequest: CreateAddressRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Address, any>>

    Summary

    Create a new address

    Throws

    Memberof

    AddressesApi

    -
  • Create a new payload signature with an address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address of the address to sign the payload with.

    • Optional createPayloadSignatureRequest: CreatePayloadSignatureRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<PayloadSignature, any>>

    Summary

    Create a new payload signature.

    Throws

    Memberof

    AddressesApi

    -
  • Get address

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address of the address that is being fetched.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Address, any>>

    Summary

    Get address by onchain address

    Throws

    Memberof

    AddressesApi

    -
  • Get address balance

    Parameters

    • walletId: string

      The ID of the wallet to fetch the balance for

    • addressId: string

      The onchain address of the address that is being fetched.

    • assetId: string

      The symbol of the asset to fetch the balance for

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Balance, any>>

    Summary

    Get address balance for asset

    Throws

    Memberof

    AddressesApi

    -
  • Get payload signature.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address of the address that signed the payload.

    • payloadSignatureId: string

      The ID of the payload signature to fetch.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<PayloadSignature, any>>

    Summary

    Get payload signature.

    Throws

    Memberof

    AddressesApi

    -
  • Get address balances

    Parameters

    • walletId: string

      The ID of the wallet to fetch the balances for

    • addressId: string

      The onchain address of the address that is being fetched.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<AddressBalanceList, any>>

    Summary

    Get all balances for address

    Throws

    Memberof

    AddressesApi

    -
  • List addresses in the wallet.

    Parameters

    • walletId: string

      The ID of the wallet whose addresses to fetch

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<AddressList, any>>

    Summary

    List addresses in a wallet.

    Throws

    Memberof

    AddressesApi

    -
  • List payload signatures for an address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address of the address whose payload signatures to fetch.

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      @@ -66,11 +66,11 @@

      Throws

      Memberof

      AddressesApi

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<PayloadSignatureList, any>>

    Summary

    List payload signatures for an address.

    Throws

    Memberof

    AddressesApi

    -
  • Request faucet funds to be sent to onchain address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address of the address that is being fetched.

    • Optional assetId: string

      The ID of the asset to transfer from the faucet.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FaucetTransaction, any>>

    Summary

    Request faucet funds for onchain address.

    Deprecated

    Throws

    Memberof

    AddressesApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.AssetsApi.html b/docs/classes/client_api.AssetsApi.html index 27e8f3fe..0aec15d0 100644 --- a/docs/classes/client_api.AssetsApi.html +++ b/docs/classes/client_api.AssetsApi.html @@ -1,14 +1,14 @@ AssetsApi | @coinbase/coinbase-sdk

AssetsApi - object-oriented interface

Export

AssetsApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

Methods

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get the asset for the specified asset ID.

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get the asset for the specified asset ID.

    Parameters

    • networkId: string

      The ID of the blockchain network

    • assetId: string

      The ID of the asset to fetch. This could be a symbol or an ERC20 contract address.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Asset, any>>

    Summary

    Get the asset for the specified asset ID.

    Throws

    Memberof

    AssetsApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.BalanceHistoryApi.html b/docs/classes/client_api.BalanceHistoryApi.html index 480bc396..e752d51c 100644 --- a/docs/classes/client_api.BalanceHistoryApi.html +++ b/docs/classes/client_api.BalanceHistoryApi.html @@ -1,11 +1,11 @@ BalanceHistoryApi | @coinbase/coinbase-sdk

BalanceHistoryApi - object-oriented interface

Export

BalanceHistoryApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • List the historical balance of an asset in a specific address.

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • List the historical balance of an asset in a specific address.

    Parameters

    • networkId: string

      The ID of the blockchain network

    • addressId: string

      The ID of the address to fetch the historical balance for.

    • assetId: string

      The symbol of the asset to fetch the historical balance for.

      @@ -14,4 +14,4 @@
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<AddressHistoricalBalanceList, any>>

    Summary

    Get address balance history for asset

    Throws

    Memberof

    BalanceHistoryApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.ContractEventsApi.html b/docs/classes/client_api.ContractEventsApi.html index a981b770..fb2ea990 100644 --- a/docs/classes/client_api.ContractEventsApi.html +++ b/docs/classes/client_api.ContractEventsApi.html @@ -1,11 +1,11 @@ ContractEventsApi | @coinbase/coinbase-sdk

ContractEventsApi - object-oriented interface

Export

ContractEventsApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Retrieve events for a specific contract

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Retrieve events for a specific contract

    Parameters

    • networkId: string

      Unique identifier for the blockchain network

    • protocolName: string

      Case-sensitive name of the blockchain protocol

    • contractAddress: string

      EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

      @@ -17,4 +17,4 @@
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<ContractEventList, any>>

    Summary

    List contract events

    Throws

    Memberof

    ContractEventsApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.ContractInvocationsApi.html b/docs/classes/client_api.ContractInvocationsApi.html index ca6b24e4..8dfc32cf 100644 --- a/docs/classes/client_api.ContractInvocationsApi.html +++ b/docs/classes/client_api.ContractInvocationsApi.html @@ -1,6 +1,6 @@ ContractInvocationsApi | @coinbase/coinbase-sdk

ContractInvocationsApi - object-oriented interface

Export

ContractInvocationsApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast a contract invocation.

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast a contract invocation.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The ID of the address the contract invocation belongs to.

    • contractInvocationId: string

      The ID of the contract invocation to broadcast.

    • broadcastContractInvocationRequest: BroadcastContractInvocationRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<ContractInvocation, any>>

    Summary

    Broadcast a contract invocation.

    Throws

    Memberof

    ContractInvocationsApi

    -
  • Get a contract invocation by ID.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The ID of the address the contract invocation belongs to.

    • contractInvocationId: string

      The ID of the contract invocation to fetch.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<ContractInvocation, any>>

    Summary

    Get a contract invocation by ID.

    Throws

    Memberof

    ContractInvocationsApi

    -
  • List contract invocations for an address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The ID of the address to list contract invocations for.

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      @@ -36,4 +36,4 @@

      Throws

      Memberof

      ContractInvocationsApi

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<ContractInvocationList, any>>

    Summary

    List contract invocations for an address.

    Throws

    Memberof

    ContractInvocationsApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.ExternalAddressesApi.html b/docs/classes/client_api.ExternalAddressesApi.html index cd013560..f060b4b1 100644 --- a/docs/classes/client_api.ExternalAddressesApi.html +++ b/docs/classes/client_api.ExternalAddressesApi.html @@ -1,6 +1,6 @@ ExternalAddressesApi | @coinbase/coinbase-sdk

ExternalAddressesApi - object-oriented interface

Export

ExternalAddressesApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast an external address's transfer with a signed payload

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast an external address's transfer with a signed payload

    Parameters

    • networkId: string

      The ID of the network the address belongs to

    • addressId: string

      The ID of the address the transfer belongs to

    • transferId: string

      The ID of the transfer to broadcast

    • broadcastExternalTransferRequest: BroadcastExternalTransferRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Transfer, any>>

    Summary

    Broadcast an external address' transfer

    Throws

    Memberof

    ExternalAddressesApi

    -
  • Create a new transfer between addresses.

    Parameters

    • networkId: string

      The ID of the network the address is on

    • addressId: string

      The ID of the address to transfer from

    • createExternalTransferRequest: CreateExternalTransferRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Transfer, any>>

    Summary

    Create a new transfer

    Throws

    Memberof

    ExternalAddressesApi

    -
  • Get the balance of an asset in an external address

    Parameters

    • networkId: string

      The ID of the blockchain network

    • addressId: string

      The ID of the address to fetch the balance for

    • assetId: string

      The ID of the asset to fetch the balance for

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Balance, any>>

    Summary

    Get the balance of an asset in an external address

    Throws

    Memberof

    ExternalAddressesApi

    -
  • Get an external address' transfer by ID

    Parameters

    • networkId: string

      The ID of the network the address is on

    • addressId: string

      The ID of the address the transfer belongs to

    • transferId: string

      The ID of the transfer to fetch

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Transfer, any>>

    Summary

    Get a external address' transfer

    Throws

    Memberof

    ExternalAddressesApi

    -
  • Get the status of a faucet transaction

    Parameters

    • networkId: string

      The ID of the blockchain network

    • addressId: string

      The ID of the address to fetch the faucet transaction for

    • txHash: string

      The hash of the faucet transaction

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FaucetTransaction, any>>

    Summary

    Get the status of a faucet transaction

    Throws

    Memberof

    ExternalAddressesApi

    -
  • List all of the balances of an external address

    Parameters

    • networkId: string

      The ID of the blockchain network

    • addressId: string

      The ID of the address to fetch the balance for

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<AddressBalanceList, any>>

    Summary

    Get the balances of an external address

    Throws

    Memberof

    ExternalAddressesApi

    -
  • Request faucet funds to be sent to external address.

    Parameters

    • networkId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address of the address that is being fetched.

    • Optional assetId: string

      The ID of the asset to transfer from the faucet.

      @@ -60,4 +60,4 @@

      Throws

      Memberof

      ExternalAddressesApi

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FaucetTransaction, any>>

    Summary

    Request faucet funds for external address.

    Throws

    Memberof

    ExternalAddressesApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.FundApi.html b/docs/classes/client_api.FundApi.html index bbdb811d..1d4d2ac7 100644 --- a/docs/classes/client_api.FundApi.html +++ b/docs/classes/client_api.FundApi.html @@ -1,6 +1,6 @@ FundApi | @coinbase/coinbase-sdk

FundApi - object-oriented interface

Export

FundApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new fund operation with an address.

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new fund operation with an address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address to be funded.

    • createFundOperationRequest: CreateFundOperationRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FundOperation, any>>

    Summary

    Create a new fund operation.

    Throws

    Memberof

    FundApi

    -
  • Create a new fund operation with an address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address to be funded.

    • createFundQuoteRequest: CreateFundQuoteRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FundQuote, any>>

    Summary

    Create a Fund Operation quote.

    Throws

    Memberof

    FundApi

    -
  • Get fund operation.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address of the address that created the fund operation.

    • fundOperationId: string

      The ID of the fund operation to fetch.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FundOperation, any>>

    Summary

    Get fund operation.

    Throws

    Memberof

    FundApi

    -
  • List fund operations for an address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The onchain address of the address to list fund operations for.

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      @@ -35,4 +35,4 @@

      Throws

      Memberof

      FundApi

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FundOperationList, any>>

    Summary

    List fund operations for an address.

    Throws

    Memberof

    FundApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.MPCWalletStakeApi.html b/docs/classes/client_api.MPCWalletStakeApi.html index 1915b650..f8729a3a 100644 --- a/docs/classes/client_api.MPCWalletStakeApi.html +++ b/docs/classes/client_api.MPCWalletStakeApi.html @@ -1,30 +1,30 @@ MPCWalletStakeApi | @coinbase/coinbase-sdk

MPCWalletStakeApi - object-oriented interface

Export

MPCWalletStakeApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast a staking operation.

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast a staking operation.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The ID of the address the staking operation belongs to.

    • stakingOperationId: string

      The ID of the staking operation to broadcast.

    • broadcastStakingOperationRequest: BroadcastStakingOperationRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<StakingOperation, any>>

    Summary

    Broadcast a staking operation

    Throws

    Memberof

    MPCWalletStakeApi

    -
  • Create a new staking operation.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The ID of the address to create the staking operation for.

    • createStakingOperationRequest: CreateStakingOperationRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<StakingOperation, any>>

    Summary

    Create a new staking operation for an address

    Throws

    Memberof

    MPCWalletStakeApi

    -
  • Get the latest state of a staking operation.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to

    • addressId: string

      The ID of the address to fetch the staking operation for.

    • stakingOperationId: string

      The ID of the staking operation.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<StakingOperation, any>>

    Summary

    Get the latest state of a staking operation

    Throws

    Memberof

    MPCWalletStakeApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.NetworksApi.html b/docs/classes/client_api.NetworksApi.html index 44b2494b..c8f10c0e 100644 --- a/docs/classes/client_api.NetworksApi.html +++ b/docs/classes/client_api.NetworksApi.html @@ -1,13 +1,13 @@ NetworksApi | @coinbase/coinbase-sdk

NetworksApi - object-oriented interface

Export

NetworksApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

Methods

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get network

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get network

    Parameters

    • networkId: string

      The ID of the network to fetch.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Network, any>>

    Summary

    Get network by ID

    Throws

    Memberof

    NetworksApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.OnchainIdentityApi.html b/docs/classes/client_api.OnchainIdentityApi.html index 2d6149da..8e46c5c5 100644 --- a/docs/classes/client_api.OnchainIdentityApi.html +++ b/docs/classes/client_api.OnchainIdentityApi.html @@ -1,11 +1,11 @@ OnchainIdentityApi | @coinbase/coinbase-sdk

OnchainIdentityApi - object-oriented interface

Export

OnchainIdentityApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Obtains onchain identity for an address on a specific network

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Obtains onchain identity for an address on a specific network

    Parameters

    • networkId: string

      The ID of the blockchain network

    • addressId: string

      The ID of the address to fetch the identity for

    • Optional roles: ResolveIdentityByAddressRolesEnum[]

      A filter by role of the names related to this address (managed or owned)

      @@ -14,4 +14,4 @@
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<OnchainNameList, any>>

    Summary

    Obtains onchain identity for an address on a specific network

    Throws

    Memberof

    OnchainIdentityApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.ReputationApi.html b/docs/classes/client_api.ReputationApi.html index 7a04cabc..02f2b2f1 100644 --- a/docs/classes/client_api.ReputationApi.html +++ b/docs/classes/client_api.ReputationApi.html @@ -1,14 +1,14 @@ ReputationApi | @coinbase/coinbase-sdk

ReputationApi - object-oriented interface

Export

ReputationApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get the onchain reputation of an external address

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get the onchain reputation of an external address

    Parameters

    • networkId: string

      The ID of the blockchain network.

    • addressId: string

      The ID of the address to fetch the reputation for.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<AddressReputation, any>>

    Summary

    Get the onchain reputation of an external address

    Throws

    Memberof

    ReputationApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.ServerSignersApi.html b/docs/classes/client_api.ServerSignersApi.html index d12fc6ab..2ca0a786 100644 --- a/docs/classes/client_api.ServerSignersApi.html +++ b/docs/classes/client_api.ServerSignersApi.html @@ -1,6 +1,6 @@ ServerSignersApi | @coinbase/coinbase-sdk

ServerSignersApi - object-oriented interface

Export

ServerSignersApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new Server-Signer

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get a server signer by ID

    Parameters

    • serverSignerId: string

      The ID of the server signer to fetch

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<ServerSigner, any>>

    Summary

    Get a server signer by ID

    Throws

    Memberof

    ServerSignersApi

    -
  • List events for a server signer

    Parameters

    • serverSignerId: string

      The ID of the server signer to fetch events for

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<ServerSignerEventList, any>>

    Summary

    List events for a server signer

    Deprecated

    Throws

    Memberof

    ServerSignersApi

    -
  • List server signers for the current project

    Parameters

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<ServerSignerList, any>>

    Summary

    List server signers for the current project

    Throws

    Memberof

    ServerSignersApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.SmartContractsApi.html b/docs/classes/client_api.SmartContractsApi.html index e3aa7a9a..603635d2 100644 --- a/docs/classes/client_api.SmartContractsApi.html +++ b/docs/classes/client_api.SmartContractsApi.html @@ -1,55 +1,60 @@ SmartContractsApi | @coinbase/coinbase-sdk

SmartContractsApi - object-oriented interface

Export

SmartContractsApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new smart contract

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new smart contract

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The ID of the address to deploy the smart contract from.

    • createSmartContractRequest: CreateSmartContractRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<SmartContract, any>>

    Summary

    Create a new smart contract

    Throws

    Memberof

    SmartContractsApi

    -
  • Deploys a smart contract, by broadcasting the transaction to the network.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The ID of the address to broadcast the transaction from.

    • smartContractId: string

      The UUID of the smart contract to broadcast the transaction to.

    • deploySmartContractRequest: DeploySmartContractRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<SmartContract, any>>

    Summary

    Deploy a smart contract

    Throws

    Memberof

    SmartContractsApi

    -
  • Get a specific smart contract deployed by address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to.

    • addressId: string

      The ID of the address to fetch the smart contract for.

    • smartContractId: string

      The UUID of the smart contract to fetch.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<SmartContract, any>>

    Summary

    Get a specific smart contract deployed by address

    Throws

    Memberof

    SmartContractsApi

    -
  • Perform a read operation on a smart contract without creating a transaction

    Parameters

    • networkId: string
    • contractAddress: string
    • readContractRequest: ReadContractRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<SolidityValue, any>>

    Summary

    Read data from a smart contract

    Throws

    Memberof

    SmartContractsApi

    -
  • Register a smart contract

    Parameters

    • networkId: string

      The ID of the network to fetch.

    • contractAddress: string

      EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

    • Optional registerSmartContractRequest: RegisterSmartContractRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<SmartContract, any>>

    Summary

    Register a smart contract

    Throws

    Memberof

    SmartContractsApi

    -
  • Update a smart contract

    Parameters

    • networkId: string

      The ID of the network to fetch.

    • contractAddress: string

      EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

    • Optional updateSmartContractRequest: UpdateSmartContractRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<SmartContract, any>>

    Summary

    Update a smart contract

    Throws

    Memberof

    SmartContractsApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.StakeApi.html b/docs/classes/client_api.StakeApi.html index 81aa1b02..38af0893 100644 --- a/docs/classes/client_api.StakeApi.html +++ b/docs/classes/client_api.StakeApi.html @@ -1,6 +1,6 @@ StakeApi | @coinbase/coinbase-sdk

StakeApi - object-oriented interface

Export

StakeApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Build a new staking operation

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Fetch historical staking balances for given address.

    Parameters

    • networkId: string

      The ID of the blockchain network.

    • assetId: string

      The ID of the asset for which the historical staking balances are being fetched.

    • addressId: string

      The onchain address for which the historical staking balances are being fetched.

      @@ -26,31 +26,31 @@

      Throws

      Memberof

      StakeApi

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FetchHistoricalStakingBalances200Response, any>>

    Summary

    Fetch historical staking balances

    Throws

    Memberof

    StakeApi

    -
  • Fetch staking rewards for a list of addresses

    Parameters

    • fetchStakingRewardsRequest: FetchStakingRewardsRequest
    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 50.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<FetchStakingRewards200Response, any>>

    Summary

    Fetch staking rewards

    Throws

    Memberof

    StakeApi

    -
  • Get the latest state of a staking operation

    Parameters

    • networkId: string

      The ID of the blockchain network

    • addressId: string

      The ID of the address to fetch the staking operation for

    • stakingOperationId: string

      The ID of the staking operation

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<StakingOperation, any>>

    Summary

    Get the latest state of a staking operation

    Throws

    Memberof

    StakeApi

    -
  • Get a validator belonging to the user for a given network, asset and id.

    Parameters

    • networkId: string

      The ID of the blockchain network.

    • assetId: string

      The symbol of the asset to get the validator for.

    • validatorId: string

      The unique id of the validator to fetch details for.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Validator, any>>

    Summary

    Get a validator belonging to the CDP project

    Throws

    Memberof

    StakeApi

    -
  • List validators belonging to the user for a given network and asset.

    Parameters

    • networkId: string

      The ID of the blockchain network.

    • assetId: string

      The symbol of the asset to get the validators for.

    • Optional status: ValidatorStatus

      A filter to list validators based on a status.

      @@ -59,4 +59,4 @@

      Throws

      Memberof

      StakeApi

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<ValidatorList, any>>

    Summary

    List validators belonging to the CDP project

    Throws

    Memberof

    StakeApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.TradesApi.html b/docs/classes/client_api.TradesApi.html index 841d0899..637fed5a 100644 --- a/docs/classes/client_api.TradesApi.html +++ b/docs/classes/client_api.TradesApi.html @@ -1,6 +1,6 @@ TradesApi | @coinbase/coinbase-sdk

TradesApi - object-oriented interface

Export

TradesApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast a trade

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast a trade

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to

    • addressId: string

      The ID of the address the trade belongs to

    • tradeId: string

      The ID of the trade to broadcast

    • broadcastTradeRequest: BroadcastTradeRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Trade, any>>

    Summary

    Broadcast a trade

    Throws

    Memberof

    TradesApi

    -
  • Create a new trade

    Parameters

    • walletId: string

      The ID of the wallet the source address belongs to

    • addressId: string

      The ID of the address to conduct the trade from

    • createTradeRequest: CreateTradeRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Trade, any>>

    Summary

    Create a new trade for an address

    Throws

    Memberof

    TradesApi

    -
  • Get a trade by ID

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to

    • addressId: string

      The ID of the address the trade belongs to

    • tradeId: string

      The ID of the trade to fetch

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Trade, any>>

    Summary

    Get a trade by ID

    Throws

    Memberof

    TradesApi

    -
  • List trades for an address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to

    • addressId: string

      The ID of the address to list trades for

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      @@ -36,4 +36,4 @@

      Throws

      Memberof

      TradesApi

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<TradeList, any>>

    Summary

    List trades for an address.

    Throws

    Memberof

    TradesApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.TransactionHistoryApi.html b/docs/classes/client_api.TransactionHistoryApi.html index 1623a62b..937dd835 100644 --- a/docs/classes/client_api.TransactionHistoryApi.html +++ b/docs/classes/client_api.TransactionHistoryApi.html @@ -1,11 +1,11 @@ TransactionHistoryApi | @coinbase/coinbase-sdk

TransactionHistoryApi - object-oriented interface

Export

TransactionHistoryApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • List all transactions that interact with the address.

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • List all transactions that interact with the address.

    Parameters

    • networkId: string

      The ID of the blockchain network

    • addressId: string

      The ID of the address to fetch the transactions for.

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      @@ -13,4 +13,4 @@
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<AddressTransactionList, any>>

    Summary

    List transactions for an address.

    Throws

    Memberof

    TransactionHistoryApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.TransfersApi.html b/docs/classes/client_api.TransfersApi.html index 824ec327..1dadafbc 100644 --- a/docs/classes/client_api.TransfersApi.html +++ b/docs/classes/client_api.TransfersApi.html @@ -1,6 +1,6 @@ TransfersApi | @coinbase/coinbase-sdk

TransfersApi - object-oriented interface

Export

TransfersApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast a transfer

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Broadcast a transfer

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to

    • addressId: string

      The ID of the address the transfer belongs to

    • transferId: string

      The ID of the transfer to broadcast

    • broadcastTransferRequest: BroadcastTransferRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Transfer, any>>

    Summary

    Broadcast a transfer

    Throws

    Memberof

    TransfersApi

    -
  • Create a new transfer

    Parameters

    • walletId: string

      The ID of the wallet the source address belongs to

    • addressId: string

      The ID of the address to transfer from

    • createTransferRequest: CreateTransferRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Transfer, any>>

    Summary

    Create a new transfer for an address

    Throws

    Memberof

    TransfersApi

    -
  • Get a transfer by ID

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to

    • addressId: string

      The ID of the address the transfer belongs to

    • transferId: string

      The ID of the transfer to fetch

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Transfer, any>>

    Summary

    Get a transfer by ID

    Throws

    Memberof

    TransfersApi

    -
  • List transfers for an address.

    Parameters

    • walletId: string

      The ID of the wallet the address belongs to

    • addressId: string

      The ID of the address to list transfers for

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      @@ -36,4 +36,4 @@

      Throws

      Memberof

      TransfersApi

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<TransferList, any>>

    Summary

    List transfers for an address.

    Throws

    Memberof

    TransfersApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.UsersApi.html b/docs/classes/client_api.UsersApi.html index f9d2394d..935b2bc9 100644 --- a/docs/classes/client_api.UsersApi.html +++ b/docs/classes/client_api.UsersApi.html @@ -1,12 +1,12 @@ UsersApi | @coinbase/coinbase-sdk

UsersApi - object-oriented interface

Export

UsersApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

Methods

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get current user

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Get current user

    Parameters

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<User, any>>

    Summary

    Get current user

    Throws

    Memberof

    UsersApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.WalletsApi.html b/docs/classes/client_api.WalletsApi.html index 201f33c1..aa116539 100644 --- a/docs/classes/client_api.WalletsApi.html +++ b/docs/classes/client_api.WalletsApi.html @@ -1,6 +1,6 @@ WalletsApi | @coinbase/coinbase-sdk

WalletsApi - object-oriented interface

Export

WalletsApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new wallet scoped to the user.

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new wallet scoped to the user.

    Parameters

    • Optional createWalletRequest: CreateWalletRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Wallet, any>>

    Summary

    Create a new wallet

    Throws

    Memberof

    WalletsApi

    -
  • Get wallet

    Parameters

    • walletId: string

      The ID of the wallet to fetch

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Wallet, any>>

    Summary

    Get wallet by ID

    Throws

    Memberof

    WalletsApi

    -
  • Get the aggregated balance of an asset across all of the addresses in the wallet.

    Parameters

    • walletId: string

      The ID of the wallet to fetch the balance for

    • assetId: string

      The symbol of the asset to fetch the balance for

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Balance, any>>

    Summary

    Get the balance of an asset in the wallet

    Throws

    Memberof

    WalletsApi

    -
  • List the balances of all of the addresses in the wallet aggregated by asset.

    Parameters

    • walletId: string

      The ID of the wallet to fetch the balances for

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<AddressBalanceList, any>>

    Summary

    List wallet balances

    Throws

    Memberof

    WalletsApi

    -
  • List wallets belonging to the user.

    Parameters

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<WalletList, any>>

    Summary

    List wallets

    Throws

    Memberof

    WalletsApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_api.WebhooksApi.html b/docs/classes/client_api.WebhooksApi.html index 9df7fe4f..9c121562 100644 --- a/docs/classes/client_api.WebhooksApi.html +++ b/docs/classes/client_api.WebhooksApi.html @@ -1,6 +1,6 @@ WebhooksApi | @coinbase/coinbase-sdk

WebhooksApi - object-oriented interface

Export

WebhooksApi

-

Hierarchy (view full)

Implements

Constructors

Hierarchy (view full)

Implements

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new webhook scoped to a wallet

    +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration

Methods

  • Create a new webhook scoped to a wallet

    Parameters

    • walletId: string

      The ID of the wallet to create the webhook for.

    • Optional createWalletWebhookRequest: CreateWalletWebhookRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Webhook, any>>

    Summary

    Create a new webhook scoped to a wallet

    Throws

    Memberof

    WebhooksApi

    -
  • Delete a webhook

    Parameters

    • webhookId: string

      The Webhook uuid that needs to be deleted

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<void, any>>

    Summary

    Delete a webhook

    Throws

    Memberof

    WebhooksApi

    -
  • List webhooks, optionally filtered by event type.

    Parameters

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<WebhookList, any>>

    Summary

    List webhooks

    Throws

    Memberof

    WebhooksApi

    -
  • Update a webhook

    Parameters

    • webhookId: string

      The Webhook id that needs to be updated

    • Optional updateWebhookRequest: UpdateWebhookRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<AxiosResponse<Webhook, any>>

    Summary

    Update a webhook

    Throws

    Memberof

    WebhooksApi

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/client_base.BaseAPI.html b/docs/classes/client_base.BaseAPI.html index 06f9478a..af4c68ea 100644 --- a/docs/classes/client_base.BaseAPI.html +++ b/docs/classes/client_base.BaseAPI.html @@ -1,6 +1,6 @@ BaseAPI | @coinbase/coinbase-sdk

Export

BaseAPI

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration
\ No newline at end of file +

Constructors

Properties

axios: AxiosInstance = globalAxios
basePath: string = BASE_PATH
configuration: undefined | Configuration
\ No newline at end of file diff --git a/docs/classes/client_base.RequiredError.html b/docs/classes/client_base.RequiredError.html index a5db363b..65b90915 100644 --- a/docs/classes/client_base.RequiredError.html +++ b/docs/classes/client_base.RequiredError.html @@ -1,5 +1,5 @@ RequiredError | @coinbase/coinbase-sdk

Export

RequiredError

-

Hierarchy

  • Error
    • RequiredError

Constructors

Hierarchy

  • Error
    • RequiredError

Constructors

Properties

Methods

Constructors

Properties

cause?: unknown
field: string
message: string
name: string
stack?: string
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Constructors

Properties

cause?: unknown
field: string
message: string
name: string
stack?: string
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

\ No newline at end of file diff --git a/docs/classes/client_configuration.Configuration.html b/docs/classes/client_configuration.Configuration.html index 29da8942..bad4f99a 100644 --- a/docs/classes/client_configuration.Configuration.html +++ b/docs/classes/client_configuration.Configuration.html @@ -1,4 +1,4 @@ -Configuration | @coinbase/coinbase-sdk

Constructors

constructor +Configuration | @coinbase/coinbase-sdk

Constructors

Properties

Methods

Constructors

Properties

accessToken?: string | Promise<string> | ((name?, scopes?) => string) | ((name?, scopes?) => Promise<string>)

parameter for oauth2 security

+

Constructors

Properties

accessToken?: string | Promise<string> | ((name?, scopes?) => string) | ((name?, scopes?) => Promise<string>)

parameter for oauth2 security

Type declaration

    • (name?, scopes?): string
    • Parameters

      • Optional name: string
      • Optional scopes: string[]

      Returns string

Type declaration

    • (name?, scopes?): Promise<string>
    • Parameters

      • Optional name: string
      • Optional scopes: string[]

      Returns Promise<string>

Param: name

security name

Param: scopes

oauth2 scope

Memberof

Configuration

-
apiKey?: string | Promise<string> | ((name) => string) | ((name) => Promise<string>)

parameter for apiKey security

+
apiKey?: string | Promise<string> | ((name) => string) | ((name) => Promise<string>)

parameter for apiKey security

Type declaration

    • (name): string
    • Parameters

      • name: string

      Returns string

Type declaration

    • (name): Promise<string>
    • Parameters

      • name: string

      Returns Promise<string>

Param: name

security name

Memberof

Configuration

-
baseOptions?: any

base options for axios calls

+
baseOptions?: any

base options for axios calls

Memberof

Configuration

-
basePath?: string

override base path

+
basePath?: string

override base path

Memberof

Configuration

-
formDataCtor?: (new () => any)

The FormData constructor that will be used to create multipart form data +

formDataCtor?: (new () => any)

The FormData constructor that will be used to create multipart form data requests. You can inject this here so that execution environments that do not support the FormData class can still run the generated client.

-

Type declaration

    • new (): any
    • Returns any

password?: string

parameter for basic security

+

Type declaration

    • new (): any
    • Returns any

password?: string

parameter for basic security

Memberof

Configuration

-
serverIndex?: number

override server index

+
serverIndex?: number

override server index

Memberof

Configuration

-
username?: string

parameter for basic security

+
username?: string

parameter for basic security

Memberof

Configuration

-

Methods

Methods

  • Check if the given MIME is a JSON MIME. JSON MIME examples: application/json application/json; charset=UTF8 @@ -36,4 +36,4 @@

    Memberof

    Configuration

    application/vnd.company+json

    Parameters

    • mime: string

      MIME (Multipurpose Internet Mail Extensions)

    Returns boolean

    True if the given MIME is JSON, false otherwise.

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_address.Address.html b/docs/classes/coinbase_address.Address.html index 60afcd07..93694cb9 100644 --- a/docs/classes/coinbase_address.Address.html +++ b/docs/classes/coinbase_address.Address.html @@ -1,5 +1,5 @@ Address | @coinbase/coinbase-sdk

A representation of a blockchain address, which is a user-controlled account on a network.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

_reputation? id networkId @@ -26,64 +26,64 @@

Constructors

  • Initializes a new Address instance.

    Parameters

    • networkId: string

      The network id.

    • id: string

      The onchain address id.

      -

    Returns Address

Properties

_reputation?: AddressReputation
id: string
networkId: string
MAX_HISTORICAL_BALANCE: number = 1000

Methods

  • Get the claimable balance for the supplied asset.

    +

Returns Address

Properties

_reputation?: AddressReputation
id: string
networkId: string
MAX_HISTORICAL_BALANCE: number = 1000

Methods

  • Get the claimable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check claimable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the claimable balance.

      • [key: string]: string

    Returns Promise<Decimal>

    The claimable balance.

    -
  • Private

    Create a shallow copy of given options.

    +
  • Private

    Create a shallow copy of given options.

    Parameters

    • Optional options: {
          [key: string]: string;
      }

      The supplied options to be copied

      • [key: string]: string

    Returns {
        [key: string]: string;
    }

    A copy of the options.

    -
    • [key: string]: string
  • Requests faucet funds for the address. Only supported on testnet networks.

    Parameters

    • Optional assetId: string

      The ID of the asset to transfer from the faucet.

    Returns Promise<FaucetTransaction>

    The faucet transaction object.

    Throws

    If the request does not return a transaction hash.

    Throws

    If the request fails.

    -
  • Returns the balance of the provided asset.

    Parameters

    • assetId: string

      The asset ID.

    Returns Promise<Decimal>

    The balance of the asset.

    -
  • Private

    Get the different staking balance types for the supplied asset.

    +
  • Private

    Get the different staking balance types for the supplied asset.

    Parameters

    • assetId: string

      The asset to lookup balances for.

    • Optional mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • Optional options: {
          [key: string]: string;
      }

      Additional options for the balance lookup.

      • [key: string]: string

    Returns Promise<{
        [key: string]: Decimal;
    }>

    The different balance types.

    -
  • Lists the historical staking balances for the address.

    Parameters

    • assetId: string

      The asset ID.

    • startTime: string = ...

      The start time.

    • endTime: string = ...

      The end time.

    Returns Promise<StakingBalance[]>

    The staking balances.

    -
  • Get the stakeable balance for the supplied asset.

    +
  • Get the stakeable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check the stakeable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the stakeable balance.

      • [key: string]: string

    Returns Promise<Decimal>

    The stakeable balance.

    -
  • Lists the staking rewards for the address.

    Parameters

    • assetId: string

      The asset ID.

    • startTime: string = ...

      The start time.

    • endTime: string = ...

      The end time.

    • format: StakingRewardFormat = StakingRewardFormat.USD

      The format to return the rewards in. (usd, native). Defaults to usd.

    Returns Promise<StakingReward[]>

    The staking rewards.

    -
  • Returns a string representation of the address.

    Returns string

    A string representing the address.

    -
  • Get the unstakeable balance for the supplied asset.

    +
  • Get the unstakeable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check the unstakeable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the unstakeable balance. @@ -92,22 +92,22 @@

      Throws

      if the Address reputation is not available.

    • validator_pub_keys (optional): List of comma separated validator public keys to retrieve unstakeable balance for. Defaults to all validators.
    • [key: string]: string

Returns Promise<Decimal>

The unstakeable balance.

-
  • Private

    Validate if the operation is able to claim stake with the supplied input.

    +
  • Private

    Validate if the operation is able to claim stake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to claim stake.

    • assetId: string

      The asset to claim stake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the claim stake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create a claim stake operation.

    -
  • Private

    Validate if the operation is able to stake with the supplied input.

    +
  • Private

    Validate if the operation is able to stake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to stake.

    • assetId: string

      The asset to stake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the stake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create a stake operation.

    -
  • Private

    Validate if the operation is able to unstake with the supplied input.

    +
  • Private

    Validate if the operation is able to unstake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to unstake.

    • assetId: string

      The asset to unstake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the unstake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create an unstake operation.

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_address_external_address.ExternalAddress.html b/docs/classes/coinbase_address_external_address.ExternalAddress.html index e498ddce..fcfd29ab 100644 --- a/docs/classes/coinbase_address_external_address.ExternalAddress.html +++ b/docs/classes/coinbase_address_external_address.ExternalAddress.html @@ -1,7 +1,7 @@ ExternalAddress | @coinbase/coinbase-sdk

A representation of a blockchain Address, which is a user-controlled account on a Network. Addresses are used to send and receive Assets. An ExternalAddress is an Address that is not controlled by the developer, but is instead controlled by the user.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

_reputation? id networkId @@ -30,7 +30,7 @@

Constructors

Properties

_reputation?: AddressReputation
id: string
networkId: string

Methods

  • Builds a claim stake operation for the supplied asset.

    +

Returns ExternalAddress

Properties

_reputation?: AddressReputation
id: string
networkId: string

Methods

  • Builds a claim stake operation for the supplied asset.

    Parameters

    • amount: Amount

      The amount of the asset to claim stake.

    • assetId: string

      The asset to claim stake.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

      @@ -40,7 +40,7 @@
    • integrator_contract_address (optional): The contract address to which the claim stake operation is directed to. Defaults to the integrator contract address associated with CDP account (if available) or else defaults to a shared integrator contract address for that network.
    • [key: string]: string

Returns Promise<StakingOperation>

The claim stake operation.

-
  • Builds a stake operation for the supplied asset. The stake operation may take a few minutes to complete in the case when infrastructure is spun up.

    Parameters

    • amount: Amount

      The amount of the asset to stake.

    • assetId: string

      The asset to stake.

      @@ -57,7 +57,7 @@
    • fee_recipient_address (optional): Ethereum address for receiving transaction fees. Defaults to the address initiating the stake operation.
    • [key: string]: string

Returns Promise<StakingOperation>

The stake operation.

-
  • Private

    Builds the staking operation based on the supplied input.

    Parameters

    • amount: Amount

      The amount for the staking operation.

    • assetId: string

      The asset for the staking operation.

    • action: string

      The specific action for the staking operation. e.g. stake, unstake, claim_stake

      @@ -65,7 +65,7 @@
    • options: {
          [key: string]: string;
      }

      Additional options to build a stake operation.

      • [key: string]: string

    Returns Promise<StakingOperation>

    The staking operation.

    Throws

    If the supplied input cannot build a valid staking operation.

    -
  • Builds an unstake operation for the supplied asset.

    Parameters

    • amount: Amount

      The amount of the asset to unstake.

    • assetId: string

      The asset to unstake.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

      @@ -80,59 +80,59 @@
    • validator_pub_keys (optional): List of comma separated validator public keys to unstake. Defaults to validators being picked up on your behalf corresponding to the unstake amount.
    • [key: string]: string

Returns Promise<StakingOperation>

The unstake operation.

-
  • Get the claimable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check claimable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the claimable balance.

      • [key: string]: string

    Returns Promise<Decimal>

    The claimable balance.

    -
  • Private

    Create a shallow copy of given options.

    Parameters

    • Optional options: {
          [key: string]: string;
      }

      The supplied options to be copied

      • [key: string]: string

    Returns {
        [key: string]: string;
    }

    A copy of the options.

    -
    • [key: string]: string
  • Requests faucet funds for the address. Only supported on testnet networks.

    Parameters

    • Optional assetId: string

      The ID of the asset to transfer from the faucet.

    Returns Promise<FaucetTransaction>

    The faucet transaction object.

    Throws

    If the request does not return a transaction hash.

    Throws

    If the request fails.

    -
  • Returns the balance of the provided asset.

    Parameters

    • assetId: string

      The asset ID.

    Returns Promise<Decimal>

    The balance of the asset.

    -
  • Get the stakeable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check the stakeable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the stakeable balance.

      • [key: string]: string

    Returns Promise<Decimal>

    The stakeable balance.

    -
  • Lists the staking rewards for the address.

    Parameters

    • assetId: string

      The asset ID.

    • startTime: string = ...

      The start time.

    • endTime: string = ...

      The end time.

    • format: StakingRewardFormat = StakingRewardFormat.USD

      The format to return the rewards in. (usd, native). Defaults to usd.

    Returns Promise<StakingReward[]>

    The staking rewards.

    -
  • Get the unstakeable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check the unstakeable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the unstakeable balance. @@ -141,22 +141,22 @@

      Throws

      if the Address reputation is not available.

    • validator_pub_keys (optional): List of comma separated validator public keys to retrieve unstakeable balance for. Defaults to all validators.
    • [key: string]: string

Returns Promise<Decimal>

The unstakeable balance.

-
  • Private

    Validate if the operation is able to claim stake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to claim stake.

    • assetId: string

      The asset to claim stake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the claim stake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create a claim stake operation.

    -
  • Private

    Validate if the operation is able to stake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to stake.

    • assetId: string

      The asset to stake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the stake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create a stake operation.

    -
  • Private

    Validate if the operation is able to unstake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to unstake.

    • assetId: string

      The asset to unstake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the unstake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create an unstake operation.

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_address_reputation.AddressReputation.html b/docs/classes/coinbase_address_reputation.AddressReputation.html index c352f08e..0615e17d 100644 --- a/docs/classes/coinbase_address_reputation.AddressReputation.html +++ b/docs/classes/coinbase_address_reputation.AddressReputation.html @@ -1,5 +1,5 @@ AddressReputation | @coinbase/coinbase-sdk

A representation of the reputation of a blockchain address.

-

Constructors

Constructors

Properties

Accessors

metadata risky @@ -7,14 +7,14 @@

Methods

Constructors

Properties

Accessors

Returns AddressReputation

Properties

Accessors

  • get score(): number
  • Returns the score of the address. The score is a number between -100 and 100.

    Returns number

    The score of the address.

    -

Methods

Methods

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_address_wallet_address.WalletAddress.html b/docs/classes/coinbase_address_wallet_address.WalletAddress.html index 1ddcd277..a27de4f9 100644 --- a/docs/classes/coinbase_address_wallet_address.WalletAddress.html +++ b/docs/classes/coinbase_address_wallet_address.WalletAddress.html @@ -1,5 +1,5 @@ WalletAddress | @coinbase/coinbase-sdk

A representation of a blockchain address, which is a wallet-controlled account on a network.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

Parameters

  • model: Address

    The address model data.

  • Optional key: Wallet

    The ethers.js SigningKey the Address uses to sign data.

Returns WalletAddress

Throws

If the address model is empty.

-

Properties

_reputation?: AddressReputation
id: string
key?: Wallet
model: Address
networkId: string

Methods

Properties

_reputation?: AddressReputation
id: string
key?: Wallet
model: Address
networkId: string

Methods

  • Private

    A helper function that broadcasts the signed payload.

    Parameters

    • stakingOperationID: string

      The staking operation id related to the signed payload.

    • signedPayload: string

      The payload that's being broadcasted.

    • transactionIndex: number

      The index of the transaction in the array from the staking operation.

    Returns Promise<StakingOperation>

    An updated staking operation with the broadcasted transaction.

    -
  • Returns whether the Address has a private key backing it to sign transactions.

    Returns boolean

    Whether the Address has a private key backing it to sign transactions.

    -
  • Get the claimable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check claimable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the claimable balance.

      • [key: string]: string

    Returns Promise<Decimal>

    The claimable balance.

    -
  • Private

    Create a shallow copy of given options.

    Parameters

    • Optional options: {
          [key: string]: string;
      }

      The supplied options to be copied

      • [key: string]: string

    Returns {
        [key: string]: string;
    }

    A copy of the options.

    -
    • [key: string]: string
  • Creates a staking operation to claim stake.

    Parameters

    • amount: Amount

      The amount to claim stake.

    • assetId: string

      The asset to claim stake.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

      @@ -86,7 +88,7 @@
      • [key: string]: string
    • timeoutSeconds: number = 600

      The amount to wait for the transaction to complete when broadcasted.

    • intervalSeconds: number = 0.2

      The amount to check each time for a successful broadcast.

    Returns Promise<StakingOperation>

    The staking operation after it's completed successfully.

    -
  • Creates a contract invocation with the given data.

    Parameters

    • contractAddress: string

      The address of the contract the method will be invoked on.

    • method: string

      The method to invoke on the contract.

    • abi: object

      The ABI of the contract.

      @@ -95,24 +97,28 @@
    • Optional atomicAmount: string

      The atomic amount of the native asset to send to a payable contract method.

    Returns Promise<ContractInvocation>

    The ContractInvocation object.

    Throws

    if the API request to create a contract invocation fails.

    -
  • Creates a Payload Signature.

    Parameters

    • unsignedPayload: string

      The Unsigned Payload to sign.

    Returns Promise<PayloadSignature>

    A promise that resolves to the Payload Signature object.

    Throws

    if the API request to create a Payload Signature fails.

    Throws

    if the address does not have a private key loaded or an associated Server-Signer.

    -
  • Creates a staking operation to stake.

    Parameters

    • amount: Amount

      The amount to stake.

    • assetId: string

      The asset to stake.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

      @@ -130,7 +136,7 @@

      Throws

      if the address does not have a private key loaded or an associ

      • [key: string]: string
    • timeoutSeconds: number = 600

      The amount to wait for the transaction to complete when broadcasted.

    • intervalSeconds: number = 0.2

      The amount to check each time for a successful broadcast.

    Returns Promise<StakingOperation>

    The staking operation after it's completed successfully.

    -
  • Creates a staking operation to stake, signs it, and broadcasts it on the blockchain.

    Parameters

    • amount: Amount

      The amount for the staking operation.

    • assetId: string

      The asset to the staking operation.

    • action: string

      The type of staking action to perform.

      @@ -141,7 +147,7 @@

      Throws

      if the address does not have a private key loaded or an associ

    Returns Promise<StakingOperation>

    The staking operation after it's completed fully.

    Throws

    if the API request to create or broadcast staking operation fails.

    Throws

    if the amount is less than zero.

    -
  • Private

    A helper function that creates the staking operation.

    Parameters

    • amount: Amount

      The amount for the staking operation.

    • assetId: string

      The asset for the staking operation.

    • action: string

      The type of staking action to perform.

      @@ -149,17 +155,17 @@

      Throws

      if the amount is less than zero.

    • options: {
          [key: string]: string;
      } = {}

      Additional options such as setting the mode for the staking action.

      • [key: string]: string

    Returns Promise<StakingOperation>

    The created staking operation.

    Throws

    if the API request to create staking operation fails.

    -
  • Trades the given amount of the given Asset for another Asset. Only same-network Trades are supported.

    Parameters

    Returns Promise<Trade>

    The Trade object.

    Throws

    if the API request to create or broadcast a Trade fails.

    Throws

    if the Trade times out.

    -
  • Creates a trade model for the specified amount and assets.

    Parameters

    • amount: Amount

      The amount of the Asset to send.

    • fromAsset: Asset

      The Asset to trade from.

    • toAsset: Asset

      The Asset to trade to.

    Returns Promise<Trade>

    A promise that resolves to a Trade object representing the new trade.

    -
  • Transfers the given amount of the given Asset to the given address. Only same-Network Transfers are supported. This returns a Transfer object that has been signed and broadcasted, you can wait for this to land on-chain (or fail) by calling transfer.wait().

    @@ -167,7 +173,7 @@

    Throws

    if the Trade times out.

Returns Promise<Transfer>

The transfer object.

Throws

if the API request to create a Transfer fails.

Throws

if the API request to broadcast a Transfer fails.

-
  • Creates a staking operation to unstake.

    Parameters

    • amount: Amount

      The amount to unstake.

    • assetId: string

      The asset to unstake.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

      @@ -184,105 +190,109 @@

      Throws

      if the API request to broadcast a Transfer fails.

      • [key: string]: string
    • timeoutSeconds: number = 600

      The amount to wait for the transaction to complete when broadcasted.

    • intervalSeconds: number = 0.2

      The amount to check each time for a successful broadcast.

    Returns Promise<StakingOperation>

    The staking operation after it's completed successfully.

    -
  • Requests faucet funds for the address. Only supported on testnet networks.

    Parameters

    • Optional assetId: string

      The ID of the asset to transfer from the faucet.

    Returns Promise<FaucetTransaction>

    The faucet transaction object.

    Throws

    If the request does not return a transaction hash.

    Throws

    If the request fails.

    -
  • Returns the balance of the provided asset.

    Parameters

    • assetId: string

      The asset ID.

    Returns Promise<Decimal>

    The balance of the asset.

    -
  • Returns the address and network ID of the given destination.

    Parameters

    • destination: Destination

      The destination to get the address and network ID of.

    Returns Promise<[string, string]>

    The address and network ID of the destination.

    -
  • Gets a Payload Signature.

    Parameters

    • payloadSignatureId: string

      The ID of the Payload Signature to fetch.

    Returns Promise<PayloadSignature>

    A promise that resolves to the Payload Signature object.

    Throws

    if the API request to get the Payload Signature fails.

    -
  • Sets the private key.

    Parameters

    • key: Wallet

      The ethers.js SigningKey the Address uses to sign data.

    Returns void

    Throws

    If the private key is already set.

    -
  • Get the stakeable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check the stakeable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the stakeable balance.

      • [key: string]: string

    Returns Promise<Decimal>

    The stakeable balance.

    -
  • Lists the staking rewards for the address.

    Parameters

    • assetId: string

      The asset ID.

    • startTime: string = ...

      The start time.

    • endTime: string = ...

      The end time.

    • format: StakingRewardFormat = StakingRewardFormat.USD

      The format to return the rewards in. (usd, native). Defaults to usd.

    Returns Promise<StakingReward[]>

    The staking rewards.

    -
  • Get the unstakeable balance for the supplied asset.

    Parameters

    • asset_id: string

      The asset to check the unstakeable balance for.

    • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      } = {}

      Additional options for getting the unstakeable balance. @@ -291,26 +301,26 @@

      Throws

      if the Address reputation is not available.

    • validator_pub_keys (optional): List of comma separated validator public keys to retrieve unstakeable balance for. Defaults to all validators.
    • [key: string]: string

Returns Promise<Decimal>

The unstakeable balance.

-
  • Private

    Validate if the operation is able to claim stake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to claim stake.

    • assetId: string

      The asset to claim stake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the claim stake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create a claim stake operation.

    -
  • Private

    Validate if the operation is able to stake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to stake.

    • assetId: string

      The asset to stake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the stake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create a stake operation.

    -
  • Checks if trading is possible and raises an error if not.

    Parameters

    • amount: Amount

      The amount of the Asset to send.

    • fromAssetId: string

      The ID of the Asset to trade from. For Ether, eth, gwei, and wei are supported.

    Returns Promise<void>

    Throws

    If the private key is not loaded, or if the asset IDs are unsupported, or if there are insufficient funds.

    -
  • Private

    Validate if the operation is able to unstake with the supplied input.

    Parameters

    • amount: Amount

      The amount of the asset to unstake.

    • assetId: string

      The asset to unstake.

    • mode: StakeOptionsMode

      The staking mode. Defaults to DEFAULT.

    • options: {
          [key: string]: string;
      }

      Additional options for the unstake operation.

      • [key: string]: string

    Returns Promise<void>

    Throws

    If the supplied input is not able to create an unstake operation.

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.APIError.html b/docs/classes/coinbase_api_error.APIError.html index 35c7d280..594b9ffd 100644 --- a/docs/classes/coinbase_api_error.APIError.html +++ b/docs/classes/coinbase_api_error.APIError.html @@ -1,5 +1,5 @@ APIError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns APIError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Returns a String representation of the APIError.

    Returns string

    a String representation of the APIError

    -
  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

  • Creates a specific APIError based on the API error code.

    Parameters

    • error: AxiosError<unknown, any>

      The underlying error object.

    Returns APIError

    A specific APIError instance.

    -
\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.AlreadyExistsError.html b/docs/classes/coinbase_api_error.AlreadyExistsError.html index 6bd9b7a6..db05de33 100644 --- a/docs/classes/coinbase_api_error.AlreadyExistsError.html +++ b/docs/classes/coinbase_api_error.AlreadyExistsError.html @@ -1,5 +1,5 @@ AlreadyExistsError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns AlreadyExistsError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.FaucetLimitReachedError.html b/docs/classes/coinbase_api_error.FaucetLimitReachedError.html index 355e46d3..2a2b0cbf 100644 --- a/docs/classes/coinbase_api_error.FaucetLimitReachedError.html +++ b/docs/classes/coinbase_api_error.FaucetLimitReachedError.html @@ -1,5 +1,5 @@ FaucetLimitReachedError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns FaucetLimitReachedError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InternalError.html b/docs/classes/coinbase_api_error.InternalError.html index 64000e59..5bd4692b 100644 --- a/docs/classes/coinbase_api_error.InternalError.html +++ b/docs/classes/coinbase_api_error.InternalError.html @@ -1,5 +1,5 @@ InternalError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InternalError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidAddressError.html b/docs/classes/coinbase_api_error.InvalidAddressError.html index 4a7a9c54..e8d9eaa6 100644 --- a/docs/classes/coinbase_api_error.InvalidAddressError.html +++ b/docs/classes/coinbase_api_error.InvalidAddressError.html @@ -1,5 +1,5 @@ InvalidAddressError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidAddressError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidAddressIDError.html b/docs/classes/coinbase_api_error.InvalidAddressIDError.html index e2ad307a..f0cf1b6f 100644 --- a/docs/classes/coinbase_api_error.InvalidAddressIDError.html +++ b/docs/classes/coinbase_api_error.InvalidAddressIDError.html @@ -1,5 +1,5 @@ InvalidAddressIDError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidAddressIDError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidAmountError.html b/docs/classes/coinbase_api_error.InvalidAmountError.html index d4476ffe..d47e01d2 100644 --- a/docs/classes/coinbase_api_error.InvalidAmountError.html +++ b/docs/classes/coinbase_api_error.InvalidAmountError.html @@ -1,5 +1,5 @@ InvalidAmountError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidAmountError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidAssetIDError.html b/docs/classes/coinbase_api_error.InvalidAssetIDError.html index 47cb53d9..905d4a9a 100644 --- a/docs/classes/coinbase_api_error.InvalidAssetIDError.html +++ b/docs/classes/coinbase_api_error.InvalidAssetIDError.html @@ -1,5 +1,5 @@ InvalidAssetIDError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidAssetIDError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidDestinationError.html b/docs/classes/coinbase_api_error.InvalidDestinationError.html index 467d1f00..9be55cc7 100644 --- a/docs/classes/coinbase_api_error.InvalidDestinationError.html +++ b/docs/classes/coinbase_api_error.InvalidDestinationError.html @@ -1,5 +1,5 @@ InvalidDestinationError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidDestinationError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidLimitError.html b/docs/classes/coinbase_api_error.InvalidLimitError.html index 25b0ec46..aa8a3915 100644 --- a/docs/classes/coinbase_api_error.InvalidLimitError.html +++ b/docs/classes/coinbase_api_error.InvalidLimitError.html @@ -1,5 +1,5 @@ InvalidLimitError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidLimitError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidNetworkIDError.html b/docs/classes/coinbase_api_error.InvalidNetworkIDError.html index 589c07bd..83dd92ea 100644 --- a/docs/classes/coinbase_api_error.InvalidNetworkIDError.html +++ b/docs/classes/coinbase_api_error.InvalidNetworkIDError.html @@ -1,5 +1,5 @@ InvalidNetworkIDError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidNetworkIDError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidPageError.html b/docs/classes/coinbase_api_error.InvalidPageError.html index dcc349b3..36b5a5e5 100644 --- a/docs/classes/coinbase_api_error.InvalidPageError.html +++ b/docs/classes/coinbase_api_error.InvalidPageError.html @@ -1,5 +1,5 @@ InvalidPageError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidPageError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidSignedPayloadError.html b/docs/classes/coinbase_api_error.InvalidSignedPayloadError.html index 98d7223d..5f369281 100644 --- a/docs/classes/coinbase_api_error.InvalidSignedPayloadError.html +++ b/docs/classes/coinbase_api_error.InvalidSignedPayloadError.html @@ -1,5 +1,5 @@ InvalidSignedPayloadError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidSignedPayloadError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidTransferIDError.html b/docs/classes/coinbase_api_error.InvalidTransferIDError.html index 836fa030..82c6f24f 100644 --- a/docs/classes/coinbase_api_error.InvalidTransferIDError.html +++ b/docs/classes/coinbase_api_error.InvalidTransferIDError.html @@ -1,5 +1,5 @@ InvalidTransferIDError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidTransferIDError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidTransferStatusError.html b/docs/classes/coinbase_api_error.InvalidTransferStatusError.html index 8cb0f6e8..0f841777 100644 --- a/docs/classes/coinbase_api_error.InvalidTransferStatusError.html +++ b/docs/classes/coinbase_api_error.InvalidTransferStatusError.html @@ -1,5 +1,5 @@ InvalidTransferStatusError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidTransferStatusError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidWalletError.html b/docs/classes/coinbase_api_error.InvalidWalletError.html index e9f977cc..4cfb8fd6 100644 --- a/docs/classes/coinbase_api_error.InvalidWalletError.html +++ b/docs/classes/coinbase_api_error.InvalidWalletError.html @@ -1,5 +1,5 @@ InvalidWalletError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidWalletError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.InvalidWalletIDError.html b/docs/classes/coinbase_api_error.InvalidWalletIDError.html index 54bb2616..8076e055 100644 --- a/docs/classes/coinbase_api_error.InvalidWalletIDError.html +++ b/docs/classes/coinbase_api_error.InvalidWalletIDError.html @@ -1,5 +1,5 @@ InvalidWalletIDError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns InvalidWalletIDError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.MalformedRequestError.html b/docs/classes/coinbase_api_error.MalformedRequestError.html index b5ef9a84..cbe5ba1f 100644 --- a/docs/classes/coinbase_api_error.MalformedRequestError.html +++ b/docs/classes/coinbase_api_error.MalformedRequestError.html @@ -1,5 +1,5 @@ MalformedRequestError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns MalformedRequestError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.NetworkFeatureUnsupportedError.html b/docs/classes/coinbase_api_error.NetworkFeatureUnsupportedError.html index 3e5129e9..5a9b7508 100644 --- a/docs/classes/coinbase_api_error.NetworkFeatureUnsupportedError.html +++ b/docs/classes/coinbase_api_error.NetworkFeatureUnsupportedError.html @@ -1,5 +1,5 @@ NetworkFeatureUnsupportedError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns NetworkFeatureUnsupportedError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.NotFoundError.html b/docs/classes/coinbase_api_error.NotFoundError.html index 7ede0537..709046ce 100644 --- a/docs/classes/coinbase_api_error.NotFoundError.html +++ b/docs/classes/coinbase_api_error.NotFoundError.html @@ -1,5 +1,5 @@ NotFoundError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns NotFoundError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.ResourceExhaustedError.html b/docs/classes/coinbase_api_error.ResourceExhaustedError.html index 7a19ea99..baad8b46 100644 --- a/docs/classes/coinbase_api_error.ResourceExhaustedError.html +++ b/docs/classes/coinbase_api_error.ResourceExhaustedError.html @@ -1,5 +1,5 @@ ResourceExhaustedError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns ResourceExhaustedError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.UnauthorizedError.html b/docs/classes/coinbase_api_error.UnauthorizedError.html index 17dd1ff3..c8f68489 100644 --- a/docs/classes/coinbase_api_error.UnauthorizedError.html +++ b/docs/classes/coinbase_api_error.UnauthorizedError.html @@ -1,5 +1,5 @@ UnauthorizedError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns UnauthorizedError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.UnimplementedError.html b/docs/classes/coinbase_api_error.UnimplementedError.html index 64b5889a..107af90e 100644 --- a/docs/classes/coinbase_api_error.UnimplementedError.html +++ b/docs/classes/coinbase_api_error.UnimplementedError.html @@ -1,5 +1,5 @@ UnimplementedError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns UnimplementedError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_api_error.UnsupportedAssetError.html b/docs/classes/coinbase_api_error.UnsupportedAssetError.html index 994ebbc9..d41f317d 100644 --- a/docs/classes/coinbase_api_error.UnsupportedAssetError.html +++ b/docs/classes/coinbase_api_error.UnsupportedAssetError.html @@ -1,5 +1,5 @@ UnsupportedAssetError | @coinbase/coinbase-sdk

A wrapper for API errors to provide more context.

-

Hierarchy (view full)

Constructors

Hierarchy (view full)

Constructors

Properties

apiCode apiMessage cause? @@ -35,12 +35,12 @@ fromError

Constructors

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

+

Returns UnsupportedAssetError

Properties

apiCode: null | string
apiMessage: null | string
cause?: Error
code?: string
config?: InternalAxiosRequestConfig<any>
correlationId: null | string
httpCode: null | number
isAxiosError: boolean
message: string
name: string
request?: any
response?: AxiosResponse<unknown, any>
stack?: string
status?: number
toJSON: (() => object)

Type declaration

    • (): object
    • Returns object

ECONNABORTED: "ECONNABORTED" = "ECONNABORTED"
ERR_BAD_OPTION: "ERR_BAD_OPTION" = "ERR_BAD_OPTION"
ERR_BAD_OPTION_VALUE: "ERR_BAD_OPTION_VALUE" = "ERR_BAD_OPTION_VALUE"
ERR_BAD_REQUEST: "ERR_BAD_REQUEST" = "ERR_BAD_REQUEST"
ERR_BAD_RESPONSE: "ERR_BAD_RESPONSE" = "ERR_BAD_RESPONSE"
ERR_CANCELED: "ERR_CANCELED" = "ERR_CANCELED"
ERR_DEPRECATED: "ERR_DEPRECATED" = "ERR_DEPRECATED"
ERR_FR_TOO_MANY_REDIRECTS: "ERR_FR_TOO_MANY_REDIRECTS" = "ERR_FR_TOO_MANY_REDIRECTS"
ERR_INVALID_URL: "ERR_INVALID_URL" = "ERR_INVALID_URL"
ERR_NETWORK: "ERR_NETWORK" = "ERR_NETWORK"
ERR_NOT_SUPPORT: "ERR_NOT_SUPPORT" = "ERR_NOT_SUPPORT"
ETIMEDOUT: "ETIMEDOUT" = "ETIMEDOUT"
prepareStackTrace?: ((err, stackTraces) => any)

Optional override for formatting stack traces

Type declaration

    • (err, stackTraces): any
    • Parameters

      • err: Error
      • stackTraces: CallSite[]

      Returns any

stackTraceLimit: number

Methods

  • Create .stack property on a target object

    Parameters

    • targetObject: object
    • Optional constructorOpt: Function

    Returns void

  • Type Parameters

    • T = unknown
    • D = any

    Parameters

    • error: unknown
    • Optional code: string
    • Optional config: InternalAxiosRequestConfig<D>
    • Optional request: any
    • Optional response: AxiosResponse<T, D>
    • Optional customProps: object

    Returns AxiosError<T, D>

\ No newline at end of file +
\ No newline at end of file diff --git a/docs/classes/coinbase_asset.Asset.html b/docs/classes/coinbase_asset.Asset.html index 2fd26d78..8da8c7de 100644 --- a/docs/classes/coinbase_asset.Asset.html +++ b/docs/classes/coinbase_asset.Asset.html @@ -1,5 +1,5 @@ Asset | @coinbase/coinbase-sdk

A representation of an Asset.

-

Constructors

Constructors

Properties

assetId contractAddress decimals @@ -17,31 +17,31 @@
  • assetId: string

    The asset ID.

  • contractAddress: string

    The address ID.

  • decimals: number

    The number of decimals.

    -
  • Returns Asset

    Properties

    assetId: string
    contractAddress: string
    decimals: number
    networkId: string

    Methods

    • Converts the amount of the Asset from atomic to whole units.

      +

    Returns Asset

    Properties

    assetId: string
    contractAddress: string
    decimals: number
    networkId: string

    Methods

    • Converts the amount of the Asset from atomic to whole units.

      Parameters

      • atomicAmount: Decimal

        The atomic amount to convert to whole units.

      Returns Decimal

      The amount in atomic units

      -
    • Returns the primary denomination for the Asset.

      Returns string

      The primary denomination for the Asset.

      -
    • Converts the amount of the Asset from whole to atomic units.

      +
    • Converts the amount of the Asset from whole to atomic units.

      Parameters

      • wholeAmount: Decimal

        The whole amount to convert to atomic units.

      Returns bigint

      The amount in atomic units

      -
    • Returns a string representation of the Asset.

      Returns string

      a string representation of the Asset

      -
    • Fetches the Asset with the provided Asset ID.

      Parameters

      • networkId: string

        The network ID.

      • assetId: string

        The asset ID.

      Returns Promise<Asset>

      The Asset Class.

      Throws

      If the Asset cannot be fetched.

      -
    • Creates an Asset from an Asset Model.

      Parameters

      • model: Asset

        The Asset Model.

      • Optional assetId: string

        The Asset ID.

      Returns Asset

      The Asset Class.

      Throws

      If the Asset Model is invalid.

      -
    • Returns the primary denomination for the provided Asset ID. +

    • Returns the primary denomination for the provided Asset ID. For gwei and wei the primary denomination is eth. For all other assets, the primary denomination is the same asset ID.

      Parameters

      • assetId: string

        The Asset ID.

      Returns string

      The primary denomination for the Asset ID.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_authenticator.CoinbaseAuthenticator.html b/docs/classes/coinbase_authenticator.CoinbaseAuthenticator.html index e26b53df..34602fed 100644 --- a/docs/classes/coinbase_authenticator.CoinbaseAuthenticator.html +++ b/docs/classes/coinbase_authenticator.CoinbaseAuthenticator.html @@ -1,5 +1,5 @@ CoinbaseAuthenticator | @coinbase/coinbase-sdk

    A class that builds JWTs for authenticating with the Coinbase Platform APIs.

    -

    Constructors

    Constructors

    Properties

    apiKey privateKey source @@ -14,22 +14,22 @@
  • privateKey: string

    The private key associated with the API key.

  • source: string

    The source of the request.

  • Optional sourceVersion: string

    The version of the source.

    -
  • Returns CoinbaseAuthenticator

    Properties

    apiKey: string
    privateKey: string
    source: string
    sourceVersion?: string

    Methods

    • Middleware to intercept requests and add JWT to Authorization header.

      +

    Returns CoinbaseAuthenticator

    Properties

    apiKey: string
    privateKey: string
    source: string
    sourceVersion?: string

    Methods

    • Middleware to intercept requests and add JWT to Authorization header.

      Parameters

      • config: InternalAxiosRequestConfig<any>

        The request configuration.

      • debugging: boolean = false

        Flag to enable debugging.

      Returns Promise<InternalAxiosRequestConfig<any>>

      The request configuration with the Authorization header added.

      Throws

      If JWT could not be built.

      -
    • Builds the JWT for the given API endpoint URL.

      Parameters

      • url: string

        URL of the API endpoint.

      • method: string = "GET"

        HTTP method of the request.

      Returns Promise<string>

      JWT token.

      Throws

      If the private key is not in the correct format.

      -
    • Extracts the PEM key from the given private key string.

      Parameters

      • privateKeyString: string

        The private key string.

      Returns string

      The PEM key.

      Throws

      If the private key string is not in the correct format.

      -
    • Returns encoded correlation data including the SDK version and language.

      Returns string

      Encoded correlation data.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_balance.Balance.html b/docs/classes/coinbase_balance.Balance.html index 2cdd0cd1..85c6858a 100644 --- a/docs/classes/coinbase_balance.Balance.html +++ b/docs/classes/coinbase_balance.Balance.html @@ -1,14 +1,14 @@ Balance | @coinbase/coinbase-sdk

    A representation of a balance.

    -

    Properties

    Properties

    amount: Decimal
    asset?: Asset
    assetId: string

    Methods

    • Converts a BalanceModel into a Balance object.

      +

    Properties

    amount: Decimal
    asset?: Asset
    assetId: string

    Methods

    • Converts a BalanceModel and asset ID into a Balance object.

      Parameters

      • model: Balance

        The balance model object.

      • assetId: string

        The asset ID.

      Returns Balance

      The Balance object.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_balance_map.BalanceMap.html b/docs/classes/coinbase_balance_map.BalanceMap.html index dccb9e8e..5eec919d 100644 --- a/docs/classes/coinbase_balance_map.BalanceMap.html +++ b/docs/classes/coinbase_balance_map.BalanceMap.html @@ -1,5 +1,5 @@ BalanceMap | @coinbase/coinbase-sdk

    A convenience class for storing and manipulating Asset balances in a human-readable format.

    -

    Hierarchy

    • Map<string, Decimal>
      • BalanceMap

    Constructors

    Hierarchy

    • Map<string, Decimal>
      • BalanceMap

    Constructors

    Properties

    [toStringTag] size [species] @@ -21,7 +21,7 @@
    [species]: MapConstructor

    Methods

    • Returns an iterable of entries in the map.

      Returns IterableIterator<[string, Decimal]>

    • Returns void

    • Parameters

      • key: string

      Returns boolean

      true if an element in the Map existed and has been removed, or false if the element does not exist.

      +

    Returns void

    • Returns void

    • Parameters

      • key: string

      Returns boolean

      true if an element in the Map existed and has been removed, or false if the element does not exist.

    • Returns an iterable of key, value pairs for every entry in the map.

      Returns IterableIterator<[string, Decimal]>

    • Executes a provided function once per each key/value pair in the Map, in insertion order.

      Parameters

      • callbackfn: ((value, key, map) => void)
          • (value, key, map): void
          • Parameters

            • value: Decimal
            • key: string
            • map: Map<string, Decimal>

            Returns void

      • Optional thisArg: any

      Returns void

    • Returns a specified element from the Map object. If the value that is associated to the provided key is an object, then you will get a reference to that object and any change made to that object will effectively modify it inside the Map.

      @@ -31,11 +31,11 @@

      Returns IterableIterator<string>

    • Adds a new element with a specified key and value to the Map. If an element with the same key already exists, the element will be updated.

      Parameters

      • key: string
      • value: Decimal

      Returns this

    • Returns a string representation of the balance map.

      Returns string

      The string representation of the balance map.

      -
    • Returns an iterable of values in the map

      Returns IterableIterator<Decimal>

    • Groups members of an iterable according to the return value of the passed callback.

      +
    • Groups members of an iterable according to the return value of the passed callback.

      Type Parameters

      • K
      • T

      Parameters

      • items: Iterable<T>

        An iterable.

      • keySelector: ((item, index) => K)

        A callback which will be invoked for each item in items.

          • (item, index): K
          • Parameters

            • item: T
            • index: number

            Returns K

      Returns Map<K, T[]>

    \ No newline at end of file diff --git a/docs/classes/coinbase_coinbase.Coinbase.html b/docs/classes/coinbase_coinbase.Coinbase.html index a6038c71..cceb75da 100644 --- a/docs/classes/coinbase_coinbase.Coinbase.html +++ b/docs/classes/coinbase_coinbase.Coinbase.html @@ -1,5 +1,5 @@ Coinbase | @coinbase/coinbase-sdk

    The Coinbase SDK.

    -

    Constructors

    Constructors

    Properties

    apiClients apiKeyPrivateKey assets @@ -15,26 +15,26 @@

    Returns Coinbase

    Deprecated

    as of v0.5.0, use configure or configureFromJson instead.

    Throws

    If the configuration is invalid.

    Throws

    If not able to create JWT token.

    -

    Properties

    apiClients: ApiClients = {}
    apiKeyPrivateKey: string

    The CDP API key Private Key.

    -

    Constant

    assets: {
        Eth: string;
        Gwei: string;
        Lamport: string;
        Sol: string;
        Usdc: string;
        Wei: string;
        Weth: string;
    } = ...

    The list of supported assets.

    -

    Type declaration

    • Eth: string
    • Gwei: string
    • Lamport: string
    • Sol: string
    • Usdc: string
    • Wei: string
    • Weth: string

    Constant

    defaultPageLimit: number = 100

    The default page limit for list methods.

    -

    Constant

    networks: {
        ArbitrumMainnet: "arbitrum-mainnet";
        BaseMainnet: "base-mainnet";
        BaseSepolia: "base-sepolia";
        EthereumHolesky: "ethereum-holesky";
        EthereumMainnet: "ethereum-mainnet";
        PolygonMainnet: "polygon-mainnet";
        SolanaDevnet: "solana-devnet";
        SolanaMainnet: "solana-mainnet";
    } = NetworkIdentifier

    The map of supported networks to network ID. Generated from the OpenAPI spec.

    +

    Properties

    apiClients: ApiClients = {}
    apiKeyPrivateKey: string

    The CDP API key Private Key.

    +

    Constant

    assets: {
        Eth: string;
        Gwei: string;
        Lamport: string;
        Sol: string;
        Usdc: string;
        Wei: string;
        Weth: string;
    } = ...

    The list of supported assets.

    +

    Type declaration

    • Eth: string
    • Gwei: string
    • Lamport: string
    • Sol: string
    • Usdc: string
    • Wei: string
    • Weth: string

    Constant

    defaultPageLimit: number = 100

    The default page limit for list methods.

    +

    Constant

    networks: {
        ArbitrumMainnet: "arbitrum-mainnet";
        BaseMainnet: "base-mainnet";
        BaseSepolia: "base-sepolia";
        EthereumHolesky: "ethereum-holesky";
        EthereumMainnet: "ethereum-mainnet";
        PolygonMainnet: "polygon-mainnet";
        SolanaDevnet: "solana-devnet";
        SolanaMainnet: "solana-mainnet";
    } = NetworkIdentifier

    The map of supported networks to network ID. Generated from the OpenAPI spec.

    Type declaration

    • Readonly ArbitrumMainnet: "arbitrum-mainnet"
    • Readonly BaseMainnet: "base-mainnet"
    • Readonly BaseSepolia: "base-sepolia"
    • Readonly EthereumHolesky: "ethereum-holesky"
    • Readonly EthereumMainnet: "ethereum-mainnet"
    • Readonly PolygonMainnet: "polygon-mainnet"
    • Readonly SolanaDevnet: "solana-devnet"
    • Readonly SolanaMainnet: "solana-mainnet"

    Constant

    Example

    Coinbase.networks.BaseMainnet
     
    -
    useServerSigner: boolean

    Whether to use a server signer or not.

    -

    Constant

    Methods

    useServerSigner: boolean

    Whether to use a server signer or not.

    +

    Constant

    Methods

    • Reads the API key and private key from a JSON file and initializes the Coinbase SDK.

      Parameters

      Returns Coinbase

      A new instance of the Coinbase SDK.

      Throws

      If the file does not exist or the configuration values are missing/invalid.

      Throws

      If the configuration is invalid.

      Throws

      If not able to create JWT token.

      -
    • Converts a network symbol to a string, replacing underscores with hyphens.

      +
    • Converts a network symbol to a string, replacing underscores with hyphens.

      Parameters

      • network: string

        The network symbol to convert

      Returns string

      the converted string

      -
    • Converts a string to a symbol, replacing hyphens with underscores.

      Parameters

      • asset: string

        The string to convert

      Returns string

      the converted symbol

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_contract_event.ContractEvent.html b/docs/classes/coinbase_contract_event.ContractEvent.html index 1ec81755..9f7bba2f 100644 --- a/docs/classes/coinbase_contract_event.ContractEvent.html +++ b/docs/classes/coinbase_contract_event.ContractEvent.html @@ -1,5 +1,5 @@ ContractEvent | @coinbase/coinbase-sdk

    A representation of a single contract event.

    -

    Constructors

    Constructors

    Properties

    Methods

    blockHeight blockTime @@ -17,32 +17,32 @@ txIndex

    Constructors

    Properties

    Methods

    • Returns the block height of the ContractEvent.

      +

    Returns ContractEvent

    Properties

    Methods

    • Returns the four bytes of the Keccak hash of the event signature.

      Returns string

      The four bytes of the event signature hash.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_contract_invocation.ContractInvocation.html b/docs/classes/coinbase_contract_invocation.ContractInvocation.html index 69768a5a..6648351a 100644 --- a/docs/classes/coinbase_contract_invocation.ContractInvocation.html +++ b/docs/classes/coinbase_contract_invocation.ContractInvocation.html @@ -1,6 +1,6 @@ ContractInvocation | @coinbase/coinbase-sdk

    A representation of a ContractInvocation, which calls a smart contract method onchain. The fee is assumed to be paid in the native Asset of the Network.

    -

    Properties

    Properties

    Methods

    Properties

    Methods

    • Broadcasts the ContractInvocation to the Network.

      +

    Properties

    Methods

    • Returns the ABI of the ContractInvocation, if specified.

      Returns undefined | object

      The ABI as an object, or undefined if not available.

      -
    • Returns the amount of the native asset sent to a payable contract method, if applicable.

      Returns Decimal

      The amount in atomic units of the native asset.

      -
    • Returns the Arguments of the ContractInvocation.

      Returns object

      The arguments object passed to the contract invocation. The key is the argument name and the value is the argument value.

      -
    • Returns the Transaction of the ContractInvocation.

      Returns Transaction

      The ethers.js Transaction object.

      Throws

      (InvalidUnsignedPayload) If the Unsigned Payload is invalid.

      -
    • Returns the Transaction Hash of the ContractInvocation.

      Returns undefined | string

      The Transaction Hash as a Hex string, or undefined if not yet available.

      -
    • Returns the link to the Transaction on the blockchain explorer.

      Returns string

      The link to the Transaction on the blockchain explorer.

      -
    • Reloads the ContractInvocation model with the latest data from the server.

      Returns Promise<void>

      Throws

      if the API request to get a ContractInvocation fails.

      -
    • Signs the ContractInvocation with the provided key and returns the hex signature required for broadcasting the ContractInvocation.

      Parameters

      • key: Wallet

        The key to sign the ContractInvocation with

      Returns Promise<string>

      The hex-encoded signed payload

      -
    • Returns a string representation of the ContractInvocation.

      Returns string

      The string representation of the ContractInvocation.

      -
    • Waits for the ContractInvocation to be confirmed on the Network or fail on chain. Waits until the ContractInvocation is completed or failed on-chain by polling at the given interval. Raises an error if the ContractInvocation takes longer than the given timeout.

      Parameters

      • options: {
            intervalSeconds: undefined | number;
            timeoutSeconds: undefined | number;
        } = {}

        The options to configure the wait function.

        @@ -70,7 +70,7 @@
      • timeoutSeconds: undefined | number

        The maximum time to wait for the ContractInvocation to be confirmed.

    Returns Promise<ContractInvocation>

    The ContractInvocation object in a terminal state.

    Throws

    if the ContractInvocation times out.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_crypto_amount.CryptoAmount.html b/docs/classes/coinbase_crypto_amount.CryptoAmount.html index bb12d58b..f63e6e21 100644 --- a/docs/classes/coinbase_crypto_amount.CryptoAmount.html +++ b/docs/classes/coinbase_crypto_amount.CryptoAmount.html @@ -1,5 +1,5 @@ CryptoAmount | @coinbase/coinbase-sdk

    A representation of a CryptoAmount that includes the amount and asset.

    -

    Constructors

    Constructors

    Properties

    amount assetId assetObj @@ -14,23 +14,23 @@

    Parameters

    • amount: Decimal

      The amount of the Asset

    • asset: Asset

      The Asset

    • Optional assetId: string

      Optional Asset ID override

      -

    Returns CryptoAmount

    Properties

    amount: Decimal
    assetId: string
    assetObj: Asset

    Methods

    • Gets the amount of the Asset.

      +

    Returns CryptoAmount

    Properties

    amount: Decimal
    assetId: string
    assetObj: Asset

    Methods

    • Returns a string representation of the CryptoAmount.

      Returns string

      A string representation of the CryptoAmount

      -
    • Converts a CryptoAmount model and asset ID to a CryptoAmount. This can be used to specify a non-primary denomination that we want the amount to be converted to.

      Parameters

      • amountModel: CryptoAmount

        The crypto amount from the API

      • assetId: string

        The Asset ID of the denomination we want returned

      Returns CryptoAmount

      The converted CryptoAmount object

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_errors.AlreadySignedError.html b/docs/classes/coinbase_errors.AlreadySignedError.html index 55557c1b..b4ae00d5 100644 --- a/docs/classes/coinbase_errors.AlreadySignedError.html +++ b/docs/classes/coinbase_errors.AlreadySignedError.html @@ -1,5 +1,5 @@ AlreadySignedError | @coinbase/coinbase-sdk

    AlreadySignedError is thrown when a resource is already signed.

    -

    Hierarchy

    • Error
      • AlreadySignedError

    Constructors

    Hierarchy

    • Error
      • AlreadySignedError

    Constructors

    Properties

    cause? message name @@ -10,7 +10,7 @@

    Methods

    Constructors

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Resource already signed"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    +

    Returns AlreadySignedError

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Resource already signed"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    Type declaration

      • (err, stackTraces): any
      • Parameters

        • err: Error
        • stackTraces: CallSite[]

        Returns any

    stackTraceLimit: number

    Methods

    • Create .stack property on a target object

      Parameters

      • targetObject: object
      • Optional constructorOpt: Function

      Returns void

    \ No newline at end of file diff --git a/docs/classes/coinbase_errors.ArgumentError.html b/docs/classes/coinbase_errors.ArgumentError.html index 97981375..37b76075 100644 --- a/docs/classes/coinbase_errors.ArgumentError.html +++ b/docs/classes/coinbase_errors.ArgumentError.html @@ -1,5 +1,5 @@ ArgumentError | @coinbase/coinbase-sdk

    ArgumentError is thrown when an argument is invalid.

    -

    Hierarchy

    • Error
      • ArgumentError

    Constructors

    Hierarchy

    • Error
      • ArgumentError

    Constructors

    Properties

    cause? message name @@ -10,7 +10,7 @@

    Methods

    Constructors

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Argument Error"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    +

    Returns ArgumentError

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Argument Error"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    Type declaration

      • (err, stackTraces): any
      • Parameters

        • err: Error
        • stackTraces: CallSite[]

        Returns any

    stackTraceLimit: number

    Methods

    • Create .stack property on a target object

      Parameters

      • targetObject: object
      • Optional constructorOpt: Function

      Returns void

    \ No newline at end of file diff --git a/docs/classes/coinbase_errors.InvalidAPIKeyFormatError.html b/docs/classes/coinbase_errors.InvalidAPIKeyFormatError.html index a45d5bd7..18fd377e 100644 --- a/docs/classes/coinbase_errors.InvalidAPIKeyFormatError.html +++ b/docs/classes/coinbase_errors.InvalidAPIKeyFormatError.html @@ -1,5 +1,5 @@ InvalidAPIKeyFormatError | @coinbase/coinbase-sdk

    InvalidAPIKeyFormatError error is thrown when the API key format is invalid.

    -

    Hierarchy

    • Error
      • InvalidAPIKeyFormatError

    Constructors

    Hierarchy

    • Error
      • InvalidAPIKeyFormatError

    Constructors

    Properties

    cause? message name @@ -10,7 +10,7 @@

    Methods

    Constructors

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Invalid API key format"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    +

    Returns InvalidAPIKeyFormatError

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Invalid API key format"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    Type declaration

      • (err, stackTraces): any
      • Parameters

        • err: Error
        • stackTraces: CallSite[]

        Returns any

    stackTraceLimit: number

    Methods

    • Create .stack property on a target object

      Parameters

      • targetObject: object
      • Optional constructorOpt: Function

      Returns void

    \ No newline at end of file diff --git a/docs/classes/coinbase_errors.InvalidConfigurationError.html b/docs/classes/coinbase_errors.InvalidConfigurationError.html index 43a3f6b7..a836de99 100644 --- a/docs/classes/coinbase_errors.InvalidConfigurationError.html +++ b/docs/classes/coinbase_errors.InvalidConfigurationError.html @@ -1,5 +1,5 @@ InvalidConfigurationError | @coinbase/coinbase-sdk

    InvalidConfigurationError error is thrown when apikey/privateKey configuration is invalid.

    -

    Hierarchy

    • Error
      • InvalidConfigurationError

    Constructors

    Hierarchy

    • Error
      • InvalidConfigurationError

    Constructors

    Properties

    cause? message name @@ -10,7 +10,7 @@

    Methods

    Constructors

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Invalid configuration"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    +

    Returns InvalidConfigurationError

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Invalid configuration"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    Type declaration

      • (err, stackTraces): any
      • Parameters

        • err: Error
        • stackTraces: CallSite[]

        Returns any

    stackTraceLimit: number

    Methods

    • Create .stack property on a target object

      Parameters

      • targetObject: object
      • Optional constructorOpt: Function

      Returns void

    \ No newline at end of file diff --git a/docs/classes/coinbase_errors.InvalidUnsignedPayloadError.html b/docs/classes/coinbase_errors.InvalidUnsignedPayloadError.html index c15adb09..126ce2d4 100644 --- a/docs/classes/coinbase_errors.InvalidUnsignedPayloadError.html +++ b/docs/classes/coinbase_errors.InvalidUnsignedPayloadError.html @@ -1,5 +1,5 @@ InvalidUnsignedPayloadError | @coinbase/coinbase-sdk

    InvalidUnsignedPayload error is thrown when the unsigned payload is invalid.

    -

    Hierarchy

    • Error
      • InvalidUnsignedPayloadError

    Constructors

    Hierarchy

    • Error
      • InvalidUnsignedPayloadError

    Constructors

    Properties

    cause? message name @@ -10,7 +10,7 @@

    Methods

    Constructors

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Invalid unsigned payload"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    +

    Returns InvalidUnsignedPayloadError

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    DEFAULT_MESSAGE: string = "Invalid unsigned payload"
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    Type declaration

      • (err, stackTraces): any
      • Parameters

        • err: Error
        • stackTraces: CallSite[]

        Returns any

    stackTraceLimit: number

    Methods

    • Create .stack property on a target object

      Parameters

      • targetObject: object
      • Optional constructorOpt: Function

      Returns void

    \ No newline at end of file diff --git a/docs/classes/coinbase_errors.NotSignedError.html b/docs/classes/coinbase_errors.NotSignedError.html index 0343ec47..19caee66 100644 --- a/docs/classes/coinbase_errors.NotSignedError.html +++ b/docs/classes/coinbase_errors.NotSignedError.html @@ -1,5 +1,5 @@ NotSignedError | @coinbase/coinbase-sdk

    NotSignedError is thrown when a resource is not signed.

    -

    Hierarchy

    • Error
      • NotSignedError

    Constructors

    Hierarchy

    • Error
      • NotSignedError

    Constructors

    Properties

    cause? message name @@ -9,7 +9,7 @@

    Methods

    Constructors

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    +

    Returns NotSignedError

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    Type declaration

      • (err, stackTraces): any
      • Parameters

        • err: Error
        • stackTraces: CallSite[]

        Returns any

    stackTraceLimit: number

    Methods

    • Create .stack property on a target object

      Parameters

      • targetObject: object
      • Optional constructorOpt: Function

      Returns void

    \ No newline at end of file diff --git a/docs/classes/coinbase_errors.TimeoutError.html b/docs/classes/coinbase_errors.TimeoutError.html index c91dd0dd..979a7229 100644 --- a/docs/classes/coinbase_errors.TimeoutError.html +++ b/docs/classes/coinbase_errors.TimeoutError.html @@ -1,5 +1,5 @@ TimeoutError | @coinbase/coinbase-sdk

    TimeoutError is thrown when an operation times out.

    -

    Hierarchy

    • Error
      • TimeoutError

    Constructors

    Hierarchy

    • Error
      • TimeoutError

    Constructors

    Properties

    cause? message name @@ -9,7 +9,7 @@

    Methods

    Constructors

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    +

    Returns TimeoutError

    Properties

    cause?: unknown
    message: string
    name: string
    stack?: string
    prepareStackTrace?: ((err, stackTraces) => any)

    Optional override for formatting stack traces

    Type declaration

      • (err, stackTraces): any
      • Parameters

        • err: Error
        • stackTraces: CallSite[]

        Returns any

    stackTraceLimit: number

    Methods

    • Create .stack property on a target object

      Parameters

      • targetObject: object
      • Optional constructorOpt: Function

      Returns void

    \ No newline at end of file diff --git a/docs/classes/coinbase_faucet_transaction.FaucetTransaction.html b/docs/classes/coinbase_faucet_transaction.FaucetTransaction.html index cc747135..c97c68aa 100644 --- a/docs/classes/coinbase_faucet_transaction.FaucetTransaction.html +++ b/docs/classes/coinbase_faucet_transaction.FaucetTransaction.html @@ -1,5 +1,5 @@ FaucetTransaction | @coinbase/coinbase-sdk

    Represents a transaction from a faucet.

    -

    Constructors

    Constructors

    Properties

    Accessors

    transaction @@ -15,24 +15,24 @@ Do not use this method directly - instead, use Address.faucet().

    Parameters

    Returns FaucetTransaction

    Throws

    If the model does not exist.

    -

    Properties

    _transaction: Transaction

    Accessors

    Properties

    _transaction: Transaction

    Accessors

    Methods

    Methods

    • Returns the link to the transaction on the blockchain explorer.

      Returns string

      The link to the transaction on the blockchain explorer

      -
    • Returns a string representation of the FaucetTransaction.

      Returns string

      A string representation of the FaucetTransaction.

      -
    • Waits for the FaucetTransaction to be confirmed on the Network or fail on chain. Waits until the FaucetTransaction is completed or failed on-chain by polling at the given interval. Raises an error if the FaucetTransaction takes longer than the given timeout.

      Parameters

      • options: {
            intervalSeconds: undefined | number;
            timeoutSeconds: undefined | number;
        } = {}

        The options to configure the wait function.

        @@ -40,4 +40,4 @@
      • timeoutSeconds: undefined | number

        The maximum time to wait for the FaucetTransaction to be confirmed.

    Returns Promise<FaucetTransaction>

    The FaucetTransaction object in a terminal state.

    Throws

    if the FaucetTransaction times out.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_fiat_amount.FiatAmount.html b/docs/classes/coinbase_fiat_amount.FiatAmount.html index 0d2d69a1..e51ebadf 100644 --- a/docs/classes/coinbase_fiat_amount.FiatAmount.html +++ b/docs/classes/coinbase_fiat_amount.FiatAmount.html @@ -1,5 +1,5 @@ FiatAmount | @coinbase/coinbase-sdk

    A representation of a FiatAmount that includes the amount and currency.

    -

    Constructors

    Constructors

    Properties

    Methods

    getAmount @@ -9,13 +9,13 @@

    Constructors

    • Initialize a new FiatAmount. Do not use this directly, use the fromModel method instead.

      Parameters

      • amount: string

        The amount in the fiat currency

      • currency: string

        The currency code (e.g. 'USD')

        -

      Returns FiatAmount

    Properties

    amount: string
    currency: string

    Methods

    • Get the amount in the fiat currency.

      +

    Returns FiatAmount

    Properties

    amount: string
    currency: string

    Methods

    • Get a string representation of the FiatAmount.

      Returns string

      A string representation of the FiatAmount.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_fund_operation.FundOperation.html b/docs/classes/coinbase_fund_operation.FundOperation.html index 1106e776..bf0bfbc3 100644 --- a/docs/classes/coinbase_fund_operation.FundOperation.html +++ b/docs/classes/coinbase_fund_operation.FundOperation.html @@ -1,5 +1,5 @@ FundOperation | @coinbase/coinbase-sdk

    A representation of a Fund Operation.

    -

    Constructors

    Constructors

    Properties

    asset model Status @@ -20,36 +20,36 @@ listFundOperations

    Constructors

    Properties

    asset: null | Asset = null
    Status: {
        TERMINAL_STATES: Set<string>;
    } = ...

    Fund Operation status constants.

    -

    Type declaration

    • Readonly TERMINAL_STATES: Set<string>

    Methods

    • Gets the Address ID.

      +

    Returns FundOperation

    Properties

    asset: null | Asset = null
    Status: {
        TERMINAL_STATES: Set<string>;
    } = ...

    Fund Operation status constants.

    +

    Type declaration

    • Readonly TERMINAL_STATES: Set<string>

    Methods

    • Check if the operation is in a terminal state.

      Returns boolean

      True if the operation is in a terminal state, false otherwise

      -
    • Wait for the fund operation to complete.

      Parameters

      • options: {
            intervalSeconds: undefined | number;
            timeoutSeconds: undefined | number;
        } = {}

        Options for waiting

        • intervalSeconds: undefined | number

          The interval between checks in seconds

        • timeoutSeconds: undefined | number

          The timeout in seconds

      Returns Promise<FundOperation>

      The completed fund operation

      Throws

      If the operation takes too long

      -
    • Create a new Fund Operation.

      Parameters

      • walletId: string

        The Wallet ID

      • addressId: string

        The Address ID

      • amount: Decimal

        The amount of the Asset

        @@ -57,12 +57,12 @@
      • networkId: string

        The Network ID

      • Optional quote: FundQuote

        Optional Fund Quote

      Returns Promise<FundOperation>

      The new FundOperation object

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_fund_quote.FundQuote.html b/docs/classes/coinbase_fund_quote.FundQuote.html index 86f392a7..73fbae32 100644 --- a/docs/classes/coinbase_fund_quote.FundQuote.html +++ b/docs/classes/coinbase_fund_quote.FundQuote.html @@ -1,5 +1,5 @@ FundQuote | @coinbase/coinbase-sdk

    A representation of a Fund Operation Quote.

    -

    Constructors

    Constructors

    Properties

    Methods

    execute @@ -17,36 +17,36 @@ fromModel

    Constructors

    Properties

    asset: null | Asset = null
    model: FundQuote

    Methods

    • Execute the fund quote to create a fund operation.

      +

    Returns FundQuote

    Properties

    asset: null | Asset = null
    model: FundQuote

    Methods

    • Gets the buy fee.

      Returns {
          amount: string;
          currency: string;
      }

      The buy fee amount and currency

      -
      • amount: string
      • currency: string
    • Create a new Fund Operation Quote.

      Parameters

      • walletId: string

        The Wallet ID

      • addressId: string

        The Address ID

      • amount: Decimal

        The amount of the Asset

      • assetId: string

        The Asset ID

      • networkId: string

        The Network ID

      Returns Promise<FundQuote>

      The new FundQuote object

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_historical_balance.HistoricalBalance.html b/docs/classes/coinbase_historical_balance.HistoricalBalance.html index 3ca10166..541de57d 100644 --- a/docs/classes/coinbase_historical_balance.HistoricalBalance.html +++ b/docs/classes/coinbase_historical_balance.HistoricalBalance.html @@ -1,10 +1,10 @@ HistoricalBalance | @coinbase/coinbase-sdk

    A representation of historical balance.

    -

    Properties

    Properties

    amount: Decimal
    asset: Asset
    blockHash: string
    blockHeight: Decimal

    Methods

    • Converts a HistoricalBalanceModel into a HistoricalBalance object.

      +

    Properties

    amount: Decimal
    asset: Asset
    blockHash: string
    blockHeight: Decimal

    Methods

    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_payload_signature.PayloadSignature.html b/docs/classes/coinbase_payload_signature.PayloadSignature.html index a757f156..52396338 100644 --- a/docs/classes/coinbase_payload_signature.PayloadSignature.html +++ b/docs/classes/coinbase_payload_signature.PayloadSignature.html @@ -1,5 +1,5 @@ PayloadSignature | @coinbase/coinbase-sdk

    A representation of a Payload Signature.

    -

    Constructors

    Constructors

    Properties

    Methods

    getAddressId getId @@ -13,28 +13,28 @@ wait

    Constructors

    Properties

    Methods

    • Returns the Address ID of the Payload Signature.

      +

    Returns PayloadSignature

    Properties

    Methods

    • Returns whether the Payload Signature is in a terminal State.

      Returns boolean

      Whether the Payload Signature is in a terminal State

      -
    • Reloads the Payload Signature model with the latest data from the server.

      Returns Promise<void>

      Throws

      if the API request to get a Payload Signature fails.

      -
    • Returns a string representation of the Payload Signature.

      Returns string

      A string representation of the Payload Signature.

      -
    • Waits for the Payload Signature to be signed or for the signature operation to fail.

      Parameters

      • options: {
            intervalSeconds: undefined | number;
            timeoutSeconds: undefined | number;
        } = {}

        The options to configure the wait function.

        • intervalSeconds: undefined | number

          The interval to check the status of the Payload Signature.

        • timeoutSeconds: undefined | number

          The maximum time to wait for the Payload Signature to be confirmed.

      Returns Promise<PayloadSignature>

      The Payload Signature object in a terminal state.

      Throws

      if the Payload Signature times out.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_server_signer.ServerSigner.html b/docs/classes/coinbase_server_signer.ServerSigner.html index 51528bdf..fdb72f99 100644 --- a/docs/classes/coinbase_server_signer.ServerSigner.html +++ b/docs/classes/coinbase_server_signer.ServerSigner.html @@ -1,17 +1,17 @@ ServerSigner | @coinbase/coinbase-sdk

    A representation of a Server-Signer. Server-Signers are assigned to sign transactions for a Wallet.

    -

    Properties

    Properties

    Methods

    • Returns the ID of the Server-Signer.

      +

    Properties

    Methods

    • Returns the IDs of the Wallet's the Server-Signer can sign for.

      Returns undefined | string[]

      The Wallet IDs.

      -
    • Returns a String representation of the Server-Signer.

      Returns string

      a String representation of the Server-Signer.

      -
    • Returns the default Server-Signer for the CDP Project.

      Returns Promise<ServerSigner>

      The default Server-Signer.

      Throws

      if the API request to list Server-Signers fails.

      Throws

      if there is no Server-Signer associated with the CDP Project.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_smart_contract.SmartContract.html b/docs/classes/coinbase_smart_contract.SmartContract.html index cf97bd6f..0740d711 100644 --- a/docs/classes/coinbase_smart_contract.SmartContract.html +++ b/docs/classes/coinbase_smart_contract.SmartContract.html @@ -1,5 +1,5 @@ SmartContract | @coinbase/coinbase-sdk

    A representation of a SmartContract on the blockchain.

    -

    Constructors

    Constructors

    Properties

    Accessors

    Methods

    Constructors

    Properties

    Accessors

    • get isExternal(): boolean
    • Returns whether the SmartContract is external.

      +

    Returns SmartContract

    Properties

    Accessors

    • get isExternal(): boolean
    • Returns whether the SmartContract is external.

      Returns boolean

      True if the SmartContract is external, false otherwise.

      -

    Methods

    Methods

    • Returns the Deployer Address of the smart contract.

      Returns undefined | string

      The Deployer Address.

      -
    • Returns the Wallet ID that deployed the smart contract.

      Returns undefined | string

      The Wallet ID.

      -
    • Reloads the SmartContract model with the latest data from the server.

      Returns Promise<void>

      Throws

      if the API request to get a SmartContract fails.

      -
    • Signs the SmartContract deployment with the provided key and returns the hex signature required for broadcasting the SmartContract deployment.

      Parameters

      • key: Wallet

        The key to sign the SmartContract deployment with

      Returns Promise<string>

      The hex-encoded signed payload

      -
    • Returns a string representation of the SmartContract.

      Returns string

      The string representation of the SmartContract.

      -
    • Waits for the SmartContract deployment to be confirmed on the Network or fail on chain. Waits until the SmartContract deployment is completed or failed on-chain by polling at the given interval. Raises an error if the SmartContract deployment takes longer than the given timeout.

      Parameters

      • options: {
            intervalSeconds: undefined | number;
            timeoutSeconds: undefined | number;
        } = {}

        The options to configure the wait function.

        @@ -78,13 +83,13 @@
      • timeoutSeconds: undefined | number

        The maximum time to wait for the SmartContract deployment to be confirmed.

    Returns Promise<SmartContract>

    The SmartContract object in a terminal state.

    Throws

    if the SmartContract deployment times out.

    -
    • Returns a list of ContractEvents for the provided network, contract, and event details.

      +
    • Returns a list of ContractEvents for the provided network, contract, and event details.

      Parameters

      • networkId: string

        The network ID.

      • protocolName: string

        The protocol name.

      • contractAddress: string

        The contract address.

        @@ -93,7 +98,7 @@
      • fromBlockHeight: number

        The start block height.

      • toBlockHeight: number

        The end block height.

      Returns Promise<ContractEvent[]>

      The contract events.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_sponsored_send.SponsoredSend.html b/docs/classes/coinbase_sponsored_send.SponsoredSend.html index ac6c60be..cc525e12 100644 --- a/docs/classes/coinbase_sponsored_send.SponsoredSend.html +++ b/docs/classes/coinbase_sponsored_send.SponsoredSend.html @@ -1,5 +1,5 @@ SponsoredSend | @coinbase/coinbase-sdk

    A representation of an onchain Sponsored Send.

    -

    Constructors

    Constructors

    Properties

    Methods

    getSignature getStatus @@ -12,24 +12,24 @@ toString

    Constructors

    Properties

    Methods

    • Returns the signature of the typed data.

      +

    Returns SponsoredSend

    Properties

    Methods

    • Returns the signature of the typed data.

      Returns undefined | string

      The hash of the typed data signature.

      -
    • Returns the Transaction Hash of the Sponsored Send.

      Returns undefined | string

      The Transaction Hash

      -
    • Returns the link to the Sponsored Send on the blockchain explorer.

      Returns undefined | string

      The link to the Sponsored Send on the blockchain explorer

      -
    • Returns the Keccak256 hash of the typed data. This payload must be signed by the sender to be used as an approval in the EIP-3009 transaction.

      Returns string

      The Keccak256 hash of the typed data.

      -
    • Returns whether the Sponsored Send has been signed.

      Returns boolean

      if the Sponsored Send has been signed.

      -
    • Returns whether the Sponsored Send is in a terminal State.

      Returns boolean

      Whether the Sponsored Send is in a terminal State

      -
    • Signs the Sponsored Send with the provided key and returns the hex signature.

      Parameters

      • key: Wallet

        The key to sign the Sponsored Send with

      Returns Promise<string>

      The hex-encoded signature

      -
    • Returns a string representation of the Sponsored Send.

      Returns string

      A string representation of the Sponsored Send

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_staking_balance.StakingBalance.html b/docs/classes/coinbase_staking_balance.StakingBalance.html index d509af62..47b055ef 100644 --- a/docs/classes/coinbase_staking_balance.StakingBalance.html +++ b/docs/classes/coinbase_staking_balance.StakingBalance.html @@ -1,5 +1,5 @@ StakingBalance | @coinbase/coinbase-sdk

    A representation of the staking balance for a given asset on a specific date.

    -

    Constructors

    Constructors

    Properties

    Methods

    address bondedStake @@ -10,23 +10,23 @@ list

    Constructors

    Properties

    Methods

    • Returns the onchain address of the StakingBalance.

      +

    Returns StakingBalance

    Properties

    Methods

    • Returns a list of StakingBalances for the provided network, asset, and address.

      Parameters

      • networkId: string

        The network ID.

      • assetId: string

        The asset ID.

      • addressId: string

        The address ID.

      • startTime: string

        The start time.

      • endTime: string

        The end time.

      Returns Promise<StakingBalance[]>

      The staking balances.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_staking_operation.StakingOperation.html b/docs/classes/coinbase_staking_operation.StakingOperation.html index 85098af6..09d221fa 100644 --- a/docs/classes/coinbase_staking_operation.StakingOperation.html +++ b/docs/classes/coinbase_staking_operation.StakingOperation.html @@ -1,6 +1,6 @@ StakingOperation | @coinbase/coinbase-sdk

    A representation of a staking operation (stake, unstake, claim stake, etc.). It may have multiple steps with some being transactions to sign, and others to wait.

    -

    Constructors

    Constructors

    Properties

    Methods

    getAddressID @@ -21,53 +21,53 @@ fetch

    Constructors

    Properties

    transactions: Transaction[]

    Methods

    • Returns the Address ID.

      +

    Returns StakingOperation

    Properties

    transactions: Transaction[]

    Methods

    • Get signed voluntary exit messages for native eth unstaking

      Returns string[]

      The signed voluntary exit messages for a native eth unstaking operation.

      -
    • Returns whether the Staking operation is in a complete state.

      Returns boolean

      Whether the Staking operation is in a complete state.

      -
    • Returns whether the Staking operation is in a failed state.

      Returns boolean

      Whether the Staking operation is in a failed state.

      -
    • Returns whether the Staking operation is in a terminal State.

      Returns boolean

      Whether the Staking operation is in a terminal State

      -
    • loadTransactionsFromModel loads new unsigned transactions from the model into the transactions array. Note: For External Address model since tx signing and broadcast status happens by the end user and not our backend we need to be careful to not overwrite the transactions array with the response from the API. Ex: End user could have used stakingOperation.sign() method to sign the transactions, and we should not overwrite them with the response from the API. This however is ok to do so for the Wallet Address model since the transactions states are maintained by our backend. This method attempts to be safe for both address models, and only adds newly created unsigned transactions that are not already in the transactions array.

      -

      Returns void

    • Reloads the StakingOperation model with the latest data from the server. If the StakingOperation object was created by an ExternalAddress then it will not have a wallet ID.

      Returns Promise<void>

      Throws

      if the API request to get the StakingOperation fails.

      Throws

      if this function is called on a StakingOperation without a wallet ID.

      -
    • Sign the transactions in the StakingOperation object.

      Parameters

      • key: Wallet

        The key used to sign the transactions.

        -

      Returns Promise<void>

    • Return a human-readable string representation of the StakingOperation object.

      +

    Returns Promise<void>

    • Return a human-readable string representation of the StakingOperation object.

      Returns string

      The string representation of the StakingOperation object.

      -
    • Waits until the Staking Operation is completed or failed by polling its status at the given interval.

      Parameters

      • options: {
            intervalSeconds: undefined | number;
            timeoutSeconds: undefined | number;
        } = {}

        The options to configure the wait function.

        • intervalSeconds: undefined | number

          The interval at which to poll, in seconds

        • timeoutSeconds: undefined | number

          The maximum amount of time to wait for the StakingOperation to complete, in seconds

      Returns Promise<StakingOperation>

      The completed StakingOperation object.

      Throws

      If the StakingOperation takes longer than the given timeout.

      -
    • Get the staking operation for the given ID.

      Parameters

      • networkId: string

        The network ID.

      • addressId: string

        The address ID.

      • id: string

        The staking operation ID.

      • Optional walletId: string

        The wallet ID of the staking operation.

      Returns Promise<StakingOperation>

      The staking operation object.

      Throws

      If the wallet id is defined but empty.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_staking_reward.StakingReward.html b/docs/classes/coinbase_staking_reward.StakingReward.html index 0dc5e136..6692cc57 100644 --- a/docs/classes/coinbase_staking_reward.StakingReward.html +++ b/docs/classes/coinbase_staking_reward.StakingReward.html @@ -1,5 +1,5 @@ StakingReward | @coinbase/coinbase-sdk

    A representation of a staking reward earned on a network for a given asset.

    -

    Constructors

    Constructors

    Properties

    asset format model @@ -15,21 +15,21 @@

    Parameters

    • model: StakingReward

      The underlying staking reward object.

    • asset: Asset

      The asset for the staking reward.

    • format: StakingRewardFormat

      The format to return the rewards in. (usd, native). Defaults to usd.

      -

    Returns StakingReward

    Properties

    asset: Asset

    Methods

    • Returns the onchain address of the StakingReward.

      +

    Returns StakingReward

    Properties

    asset: Asset

    Methods

    • Returns a list of StakingRewards for the provided network, asset, and addresses.

      Parameters

      • networkId: string

        The network ID.

      • assetId: string

        The asset ID.

      • addressIds: string[]

        The address ID.

        @@ -37,4 +37,4 @@
      • endTime: string

        The end time.

      • format: StakingRewardFormat = StakingRewardFormat.USD

        The format to return the rewards in. (usd, native). Defaults to usd.

      Returns Promise<StakingReward[]>

      The staking rewards.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_trade.Trade.html b/docs/classes/coinbase_trade.Trade.html index 3b70366b..961b73b7 100644 --- a/docs/classes/coinbase_trade.Trade.html +++ b/docs/classes/coinbase_trade.Trade.html @@ -1,6 +1,6 @@ Trade | @coinbase/coinbase-sdk

    A representation of a Trade, which trades an amount of an Asset to another Asset on a Network. The fee is assumed to be paid in the native Asset of the Network.

    -

    Constructors

    Constructors

    Properties

    Returns Trade

    Throws

    • If the Trade model is empty.
    -

    Properties

    approveTransaction?: Transaction
    model: Trade
    transaction?: Transaction

    Methods

    Properties

    approveTransaction?: Transaction
    model: Trade
    transaction?: Transaction

    Methods

    • Broadcasts the Trade to the Network.

      Returns Promise<Trade>

      The Trade object

      Throws

      if the API request to broadcast a Trade fails.

      -
    • Returns the Address ID of the Trade.

      Returns string

      The Address ID.

      -
    • Returns the amount of the from asset for the Trade.

      Returns Decimal

      The amount of the from asset.

      -
    • Returns the From Asset ID of the Trade.

      Returns string

      The From Asset ID.

      -
    • Returns the Network ID of the Trade.

      Returns string

      The Network ID.

      -
    • Returns the amount of the to asset for the Trade.

      Returns Decimal

      The amount of the to asset.

      -
    • Returns the To Asset ID of the Trade.

      Returns string

      The To Asset ID.

      -
    • Returns the Wallet ID of the Trade.

      Returns string

      The Wallet ID.

      -
    • Reloads the Trade model with the latest version from the server side.

      Returns Promise<Trade>

      The most recent version of Trade from the server.

      -
    • Resets the trade model with the specified data from the server.

      Parameters

      • model: Trade

        The Trade model

      Returns Trade

      The updated Trade object

      -
    • Signs the Trade with the provided key. This signs the transfer transaction and will sign the approval transaction if present.

      Parameters

      • key: Wallet

        The key to sign the Transfer with

        -

      Returns Promise<void>

    • Returns a String representation of the Trade.

      +

    Returns Promise<void>

    • Returns a String representation of the Trade.

      Returns string

      A String representation of the Trade.

      -
    • Waits until the Trade is completed or failed by polling the Network at the given interval. +

    • Waits until the Trade is completed or failed by polling the Network at the given interval. Raises an error if the Trade takes longer than the given timeout.

      Parameters

      • options: {
            intervalSeconds: undefined | number;
            timeoutSeconds: undefined | number;
        } = {}

        The options to configure the wait function.

        • intervalSeconds: undefined | number

          The interval at which to poll the Network, in seconds

          @@ -69,4 +69,4 @@

      Returns Promise<Trade>

      The completed Trade object.

      Throws

      If the Trade takes longer than the given timeout.

      Throws

      If the request fails.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_transaction.Transaction.html b/docs/classes/coinbase_transaction.Transaction.html index 8ad80e71..cb2edf96 100644 --- a/docs/classes/coinbase_transaction.Transaction.html +++ b/docs/classes/coinbase_transaction.Transaction.html @@ -1,5 +1,5 @@ Transaction | @coinbase/coinbase-sdk

    A representation of an onchain Transaction.

    -

    Constructors

    Constructors

    Properties

    Methods

    blockHash @@ -21,40 +21,40 @@ toString

    Constructors

    Properties

    raw?: Transaction

    Methods

    • Returns the Block Hash where the Transaction is recorded.

      +

    Returns Transaction

    Properties

    raw?: Transaction

    Methods

    • Returns the Block Hash where the Transaction is recorded.

      Returns undefined | string

      The Block Hash

      -
    • Returns the Block Height where the Transaction is recorded.

      Returns undefined | string

      The Block Height

      -
    • Returns the Signed Payload of the Transaction.

      Returns undefined | string

      The Signed Payload

      -
    • Returns the Signed Payload of the Transaction.

      Returns undefined | string

      The Signed Payload

      -
    • Returns the Transaction Hash of the Transaction.

      Returns undefined | string

      The Transaction Hash

      -
    • Returns the link to the Transaction on the blockchain explorer.

      Returns string

      The link to the Transaction on the blockchain explorer

      -
    • Returns the Unsigned Payload of the Transaction.

      Returns string

      The Unsigned Payload

      -
    • Returns whether the transaction has been signed.

      Returns boolean

      if the transaction has been signed.

      -
    • Returns whether the Transaction is in a terminal State.

      Returns boolean

      Whether the Transaction is in a terminal State

      -
    • Returns the underlying raw transaction.

      Returns Transaction

      The ethers.js Transaction object

      Throws

      If the Unsigned Payload is invalid.

      -
    • Signs the Transaction with the provided key and returns the hex signing payload.

      Parameters

      • key: Wallet

        The key to sign the transaction with

      Returns Promise<string>

      The hex-encoded signed payload

      -
    • Returns the To Address ID for the Transaction if it's available.

      Returns undefined | string

      The To Address ID

      -
    • Returns a string representation of the Transaction.

      Returns string

      A string representation of the Transaction.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_transfer.Transfer.html b/docs/classes/coinbase_transfer.Transfer.html index 7c55b4a6..7a5e3a61 100644 --- a/docs/classes/coinbase_transfer.Transfer.html +++ b/docs/classes/coinbase_transfer.Transfer.html @@ -1,7 +1,7 @@ Transfer | @coinbase/coinbase-sdk

    A representation of a Transfer, which moves an Amount of an Asset from a user-controlled Wallet to another Address. The fee is assumed to be paid in the native Asset of the Network.

    -

    Properties

    Properties

    Methods

    Properties

    model: Transfer

    Methods

    • Broadcasts the Transfer to the Network.

      +

    Properties

    model: Transfer

    Methods

    • Returns the Destination Address ID of the Transfer.

      Returns string

      The Destination Address ID.

      -
    • Returns the From Address ID of the Transfer.

      Returns string

      The From Address ID.

      -
    • Returns the Transaction of the Transfer.

      Returns undefined | Transaction

      The ethers.js Transaction object.

      Throws

      (InvalidUnsignedPayload) If the Unsigned Payload is invalid.

      -
    • Returns the Transaction Hash of the Transfer.

      Returns undefined | string

      The Transaction Hash as a Hex string, or undefined if not yet available.

      -
    • Returns the link to the Transaction on the blockchain explorer.

      +
    • Returns the link to the Transaction on the blockchain explorer.

      Returns undefined | string

      The link to the Transaction on the blockchain explorer.

      -
    • Reloads the Transfer model with the latest data from the server.

      Returns Promise<void>

      Throws

      if the API request to get a Transfer fails.

      -
    • Signs the Transfer with the provided key and returns the hex signature required for broadcasting the Transfer.

      Parameters

      • key: Wallet

        The key to sign the Transfer with

      Returns Promise<string>

      The hex-encoded signed payload

      -
    • Returns a string representation of the Transfer.

      Returns string

      The string representation of the Transfer.

      -
    • Waits for the Transfer to be confirmed on the Network or fail on chain. Waits until the Transfer is completed or failed on-chain by polling at the given interval. Raises an error if the Trade takes longer than the given timeout.

      Parameters

      • options: {
            intervalSeconds: undefined | number;
            timeoutSeconds: undefined | number;
        } = {}

        The options to configure the wait function.

        @@ -70,7 +70,7 @@
      • timeoutSeconds: undefined | number

        The maximum time to wait for the Transfer to be confirmed.

    Returns Promise<Transfer>

    The Transfer object in a terminal state.

    Throws

    if the Transfer times out.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_validator.Validator.html b/docs/classes/coinbase_validator.Validator.html index f1278523..6ad4b119 100644 --- a/docs/classes/coinbase_validator.Validator.html +++ b/docs/classes/coinbase_validator.Validator.html @@ -1,5 +1,5 @@ Validator | @coinbase/coinbase-sdk

    A representation of a validator onchain.

    -

    Constructors

    Constructors

    Properties

    Methods

    getActivationEpoch getAssetId @@ -24,47 +24,47 @@

    Returns Validator

    Throws

    • If the Validator model is empty.
    -

    Properties

    model: Validator

    Methods

    Properties

    model: Validator

    Methods

    • Returns the activation epoch of the validator.

      Returns string

      The activation epoch as a string.

      -
    • Returns the exit epoch of the validator.

      Returns string

      The exit epoch as a string.

      -
    • Returns the public key of the validator.

      Returns string

      The validator's public key as a string.

      -
    • Returns the withdrawable epoch of the validator.

      Returns string

      The withdrawable epoch as a string.

      -
    • Returns the withdrawal address of the validator.

      Returns string

      The withdrawal address as a string.

      -
    • Returns whether the validator has been slashed.

      Returns boolean

      True if the validator has been slashed, false otherwise.

      -
    • Returns the JSON representation of the Validator.

      Returns string

      The JSON representation of the Validator.

      -
    • Returns the string representation of the Validator.

      Returns string

      The string representation of the Validator.

      -
    • Returns the details of a specific validator.

      Parameters

      • networkId: string

        The network ID.

      • assetId: string

        The asset ID.

      • id: string

        The unique publicly identifiable id of the validator for which to fetch the data.

      Returns Promise<Validator>

      The requested validator details.

      -
    • Returns the list of Validators.

      Parameters

      • networkId: string

        The network ID.

      • assetId: string

        The asset ID.

      • Optional status: ValidatorStatus

        The status to filter by.

      Returns Promise<Validator[]>

      The list of Validators.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_wallet.Wallet.html b/docs/classes/coinbase_wallet.Wallet.html index c1a16a41..cd008c74 100644 --- a/docs/classes/coinbase_wallet.Wallet.html +++ b/docs/classes/coinbase_wallet.Wallet.html @@ -4,7 +4,7 @@ Wallets should be created using Wallet.create, imported using Wallet.import, or fetched using Wallet.fetch. Existing wallets can be imported with a seed using Wallet.import. Wallets backed by a Server Signer can be fetched with Wallet.fetch and used for signing operations immediately.

    -

    Properties

    Properties

    addressPathPrefix: "m/44'/60'/0'/0" = "m/44'/60'/0'/0"
    addresses: WalletAddress[] = []
    master?: HDKey
    model: Wallet
    seed?: string
    MAX_ADDRESSES: number = 20

    Methods

    • Returns a WalletAddress object for the given AddressModel.

      +

    Properties

    addressPathPrefix: "m/44'/60'/0'/0" = "m/44'/60'/0'/0"
    addresses: WalletAddress[] = []
    master?: HDKey
    model: Wallet
    seed?: string
    MAX_ADDRESSES: number = 20

    Methods

    • Returns a WalletAddress object for the given AddressModel.

      Parameters

      • addressModel: Address

        The AddressModel to build the WalletAddress from.

      • index: number

        The index of the AddressModel.

      Returns WalletAddress

      The WalletAddress object.

      -
    • Returns whether the Wallet has a seed with which to derive keys and sign transactions.

      +
    • Returns whether the Wallet has a seed with which to derive keys and sign transactions.

      Returns boolean

      Whether the Wallet has a seed with which to derive keys and sign transactions.

      -
    • Get the claimable balance for the supplied asset.

      +
    • Get the claimable balance for the supplied asset.

      Parameters

      • asset_id: string

        The asset to check claimable balance for.

      • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

        The staking mode. Defaults to DEFAULT.

      • options: {
            [key: string]: string;
        } = {}

        Additional options for getting the claimable balance.

        • [key: string]: string

      Returns Promise<Decimal>

      The claimable balance.

      Throws

      if the default address is not found.

      -
    • Creates an attestation for the Address currently being created.

      +
    • Creates an attestation for the Address currently being created.

      Parameters

      • key: HDKey

        The key of the Wallet.

      Returns string

      The attestation.

      -
    • Creates a staking operation to claim stake, signs it, and broadcasts it on the blockchain.

      +
    • Creates a staking operation to claim stake, signs it, and broadcasts it on the blockchain.

      Parameters

      • amount: Amount

        The amount for the staking operation.

      • assetId: string

        The asset for the staking operation.

      • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

        The staking mode. Defaults to DEFAULT.

        @@ -92,12 +93,12 @@
      • intervalSeconds: number = 0.2

        The amount to check each time for a successful broadcast.

      Returns Promise<StakingOperation>

      The staking operation after it's completed fully.

      Throws

      if the default address is not found.

      -
    • Creates a Payload Signature.

      Parameters

      • unsignedPayload: string

        The Unsigned Payload to sign.

      Returns Promise<PayloadSignature>

      A promise that resolves to the Payload Signature object.

      Throws

      if the API request to create a Payload Signature fails.

      Throws

      if the default address is not found.

      -
    • Creates a staking operation to stake, signs it, and broadcasts it on the blockchain.

      +
    • Creates a staking operation to stake, signs it, and broadcasts it on the blockchain.

      Parameters

      • amount: Amount

        The amount for the staking operation.

      • assetId: string

        The asset for the staking operation.

      • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

        The staking mode. Defaults to DEFAULT.

        @@ -106,19 +107,19 @@

        Throws

        if the default address is not found.

      • intervalSeconds: number = 0.2

        The amount to check each time for a successful broadcast.

      Returns Promise<StakingOperation>

      The staking operation after it's completed fully.

      Throws

      if the default address is not found.

      -
    • Trades the given amount of the given Asset for another Asset. Currently only the default address is used to source the Trade.

      Parameters

      Returns Promise<Trade>

      The created Trade object.

      Throws

      If the default address is not found.

      Throws

      If the private key is not loaded, or if the asset IDs are unsupported, or if there are insufficient funds.

      -
    • Transfers the given amount of the given Asset to the given address. Only same-Network Transfers are supported. +

    • Transfers the given amount of the given Asset to the given address. Only same-Network Transfers are supported. Currently only the default_address is used to source the Transfer.

      Parameters

      Returns Promise<Transfer>

      The created Transfer object.

      Throws

      if the API request to create a Transfer fails.

      Throws

      if the API request to broadcast a Transfer fails.

      -
    • Creates a staking operation to unstake, signs it, and broadcasts it on the blockchain.

      +
    • Creates a staking operation to unstake, signs it, and broadcasts it on the blockchain.

      Parameters

      • amount: Amount

        The amount for the staking operation.

      • assetId: string

        The asset for the staking operation.

      • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

        The staking mode. Defaults to DEFAULT.

        @@ -127,104 +128,108 @@

        Throws

        if the API request to broadcast a Transfer fails.

      • intervalSeconds: number = 0.2

        The amount to check each time for a successful broadcast.

      Returns Promise<StakingOperation>

      The staking operation after it's completed successfully.

      Throws

      if the default address is not found.

      -
    • Creates a Webhook for a wallet, monitors all wallet addresses for onchain events.

      +
    • Creates a Webhook for a wallet, monitors all wallet addresses for onchain events.

      Parameters

      • notificationUri: string

        The URI to which the webhook notifications will be sent.

      Returns Promise<Webhook>

      The newly created webhook instance.

      -
    • Deploys an ERC1155 token contract.

      Parameters

      Returns Promise<SmartContract>

      A Promise that resolves to the deployed SmartContract object.

      Throws

      If the private key is not loaded when not using server signer.

      -
    • Deploys an ERC721 token contract.

      Parameters

      Returns Promise<SmartContract>

      A Promise that resolves to the deployed SmartContract object.

      Throws

      If the private key is not loaded when not using server signer.

      -
    • Deploys an ERC20 token contract.

      Parameters

      Returns Promise<SmartContract>

      A Promise that resolves to the deployed SmartContract object.

      Throws

      If the private key is not loaded when not using server signer.

      -
    • Derives a key for an already registered Address in the Wallet.

      Parameters

      • index: number

        The index of the Address to derive.

      Returns HDKey

      The derived key.

      Throws

      • If the key derivation fails.
      -
    • Requests funds from the faucet for the Wallet's default address and returns the faucet transaction. This is only supported on testnet networks.

      Parameters

      • Optional assetId: string

        The ID of the Asset to request from the faucet.

      Returns Promise<FaucetTransaction>

      The successful faucet transaction

      Throws

      If the default address is not found.

      Throws

      If the request fails.

      -
    • Returns the WalletAddress with the given ID.

      Parameters

      • addressId: string

        The ID of the WalletAddress to retrieve.

      Returns Promise<undefined | WalletAddress>

      The WalletAddress.

      -
    • Returns the balance of the provided Asset. Balances are aggregated across all Addresses in the Wallet.

      +
    • Returns the balance of the provided Asset. Balances are aggregated across all Addresses in the Wallet.

      Parameters

      • assetId: string

        The ID of the Asset to retrieve the balance for.

      Returns Promise<Decimal>

      The balance of the Asset.

      -
    • Gets the key for encrypting seed data.

      Returns Buffer

      The encryption key.

      -
    • Loads the seed data from the given file.

      Parameters

      • filePath: string

        The path of the file to load the seed data from

      Returns Record<string, SeedData>

      The seed data

      -
    • Lists the historical staking balances for the address.

      Parameters

      • assetId: string

        The asset ID.

      • startTime: string = ...

        The start time.

      • endTime: string = ...

        The end time.

      Returns Promise<StakingBalance[]>

      The staking balances.

      Throws

      if the default address is not found.

      -
    • Returns the list of balances of this Wallet. Balances are aggregated across all Addresses in the Wallet.

      Returns Promise<BalanceMap>

      The list of balances. The key is the Asset ID, and the value is the balance.

      -
    • Loads the seed of the Wallet from the given file.

      Parameters

      • filePath: string

        The path of the file to load the seed from

      Returns Promise<string>

      A string indicating the success of the operation

      Deprecated

      Use loadSeedFromFile() instead

      -
    • Loads the seed of the Wallet from the given file.

      +
    • Loads the seed of the Wallet from the given file.

      Parameters

      • filePath: string

        The path of the file to load the seed from

      Returns Promise<string>

      A string indicating the success of the operation

      -
    • Get a quote for funding the wallet from your Coinbase platform account.

      Parameters

      Returns Promise<FundQuote>

      The fund quote object

      Throws

      If the default address does not exist

      -
    • Reloads the Wallet model with the latest data from the server.

      Returns Promise<void>

      Throws

      if the API request to get a Wallet fails.

      -
    • Saves the seed of the Wallet to the given file.

      Parameters

      • filePath: string

        The path of the file to save the seed to

      • encrypt: boolean = false

        Whether the seed information persisted to the local file system should be encrypted or not. Data is unencrypted by default.

      Returns string

      A string indicating the success of the operation

      Deprecated

      Use saveSeedToFile() instead

      Throws

      If the Wallet does not have a seed

      -
    • Saves the seed of the Wallet to the given file. Wallets whose seeds are saved this way can be +

    • Saves the seed of the Wallet to the given file. Wallets whose seeds are saved this way can be rehydrated using load_seed. A single file can be used for multiple Wallet seeds. This is an insecure method of storing Wallet seeds and should only be used for development purposes.

      Parameters

      • filePath: string

        The path of the file to save the seed to

        @@ -232,43 +237,43 @@

        Throws

        If the Wallet does not have a seed

        encrypted or not. Data is unencrypted by default.

      Returns string

      A string indicating the success of the operation

      Throws

      If the Wallet does not have a seed

      -
    • Sets the master node for the given seed, if valid. If the seed is undefined it will set the master node using a random seed.

      +
    • Sets the master node for the given seed, if valid. If the seed is undefined it will set the master node using a random seed.

      Parameters

      • seed: undefined | string

        The seed to use for the Wallet.

      Returns undefined | HDKey

      The master node for the given seed.

      -
    • Set the seed for the Wallet.

      Parameters

      • seed: string

        The seed to use for the Wallet. Expects a 32-byte hexadecimal with no 0x prefix.

      Returns void

      Throws

      If the seed is empty.

      Throws

      If the seed is already set.

      -
    • Get the stakeable balance for the supplied asset.

      +
    • Get the stakeable balance for the supplied asset.

      Parameters

      • asset_id: string

        The asset to check the stakeable balance for.

      • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

        The staking mode. Defaults to DEFAULT.

      • options: {
            [key: string]: string;
        } = {}

        Additional options for getting the stakeable balance.

        • [key: string]: string

      Returns Promise<Decimal>

      The stakeable balance.

      Throws

      if the default address is not found.

      -
    • Lists the staking rewards for the address.

      Parameters

      • assetId: string

        The asset ID.

      • startTime: string = ...

        The start time.

      • endTime: string = ...

        The end time.

      • format: StakingRewardFormat = StakingRewardFormat.USD

        The format to return the rewards in. (usd, native). Defaults to usd.

      Returns Promise<StakingReward[]>

      The staking rewards.

      Throws

      if the default address is not found.

      -
    • Returns a String representation of the Wallet.

      Returns string

      a String representation of the Wallet

      -
    • Get the unstakeable balance for the supplied asset.

      +
    • Get the unstakeable balance for the supplied asset.

      Parameters

      • asset_id: string

        The asset to check the unstakeable balance for.

      • mode: StakeOptionsMode = StakeOptionsMode.DEFAULT

        The staking mode. Defaults to DEFAULT.

      • options: {
            [key: string]: string;
        } = {}

        Additional options for getting the unstakeable balance.

        • [key: string]: string

      Returns Promise<Decimal>

      The unstakeable balance.

      Throws

      if the default address is not found.

      -
    • Validates the seed and address models passed to the constructor.

      Parameters

      • seed: undefined | string

        The seed to use for the Wallet

        -

      Returns void

    • Waits until the ServerSigner has created a seed for the Wallet.

      +

    Returns void

    • Waits until the ServerSigner has created a seed for the Wallet.

      Parameters

      • walletId: string

        The ID of the Wallet that is awaiting seed creation.

      • intervalSeconds: number = 0.2

        The interval at which to poll the CDPService, in seconds.

      • timeoutSeconds: number = 20

        The maximum amount of time to wait for the ServerSigner to create a seed, in seconds.

      Returns Promise<void>

      Throws

      if the API request to get a Wallet fails.

      Throws

      if the ServerSigner times out.

      -
    • Creates a new Wallet with a random seed.

      Parameters

      Returns Promise<Wallet>

      A promise that resolves with the new Wallet object.

      Constructs

      Wallet

      @@ -279,7 +284,7 @@

      Throws

        Throws

        • If the request fails.
        -
    • Creates a new Wallet with the given seed.

      Parameters

      Returns Promise<Wallet>

      A promise that resolves with the new Wallet object.

      Throws

      If the model or client is not provided.

      @@ -289,11 +294,11 @@

      Throws

        Throws

        • If the request fails.
        -
    • Fetches a Wallet by its ID. The returned wallet can be immediately used for signing operations if backed by a server signer. +

    • Fetches a Wallet by its ID. The returned wallet can be immediately used for signing operations if backed by a server signer. If the wallet is not backed by a server signer, the wallet's seed will need to be set before it can be used for signing operations.

      Parameters

      • wallet_id: string

        The ID of the Wallet to fetch

      Returns Promise<Wallet>

      The fetched Wallet

      -
    • Loads an existing CDP Wallet using a wallet data object or mnemonic seed phrase.

      Parameters

      • data: WalletData | MnemonicSeedPhrase

        The data used to import the wallet:

        • If WalletData: Must contain walletId (or wallet_id) and seed. @@ -301,11 +306,12 @@

          Throws

          • If MnemonicSeedPhrase: Must contain a valid BIP-39 mnemonic phrase (12, 15, 18, 21, or 24 words). Allows for the import of an external wallet into CDP as a 1-of-1 wallet.
          +
      • networkId: string = Coinbase.networks.BaseSepolia

        the ID of the blockchain network. Defaults to 'base-sepolia'.

      Returns Promise<Wallet>

      A Promise that resolves to the loaded Wallet instance

      Throws

      If the data format is invalid.

      Throws

      If the seed is not provided.

      Throws

      If the mnemonic seed phrase is invalid.

      -
    • Returns a new Wallet object. Do not use this method directly. Instead, use one of:

      • Wallet.create (Create a new Wallet),
      • Wallet.import (Import a Wallet with seed),
      • @@ -323,7 +329,7 @@

        Throws

          Throws

          • If the request fails.
          -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/classes/coinbase_webhook.Webhook.html b/docs/classes/coinbase_webhook.Webhook.html index 09537115..15181a12 100644 --- a/docs/classes/coinbase_webhook.Webhook.html +++ b/docs/classes/coinbase_webhook.Webhook.html @@ -1,6 +1,6 @@ Webhook | @coinbase/coinbase-sdk

    A representation of a Webhook, which provides methods to create, list, update, and delete webhooks that are used to receive notifications of specific events.

    -

    Constructors

    Constructors

    Properties

    Methods

    delete getEventFilters @@ -18,35 +18,35 @@

    Constructors

    Properties

    model: null | Webhook

    Methods

    Properties

    model: null | Webhook

    Methods

    • Deletes the webhook.

      Returns Promise<void>

      A promise that resolves when the webhook is deleted and its attributes are set to null.

      -
    • Returns the ID of the webhook.

      Returns undefined | string

      The ID of the webhook, or undefined if the model is null.

      -
    • Returns the network ID associated with the webhook.

      Returns undefined | string

      The network ID of the webhook, or undefined if the model is null.

      -
    • Returns the notification URI of the webhook.

      Returns undefined | string

      The URI where notifications are sent, or undefined if the model is null.

      -
    • Returns the signature header of the webhook.

      Returns undefined | string

      The signature header which will be set on the callback requests, or undefined if the model is null.

      -
    • Returns a String representation of the Webhook.

      Returns string

      A String representation of the Webhook.

      -
    • Updates the webhook with a new notification URI, and optionally a new list of addresses to monitor.

      +
    • Updates the webhook with a new notification URI, and optionally a new list of addresses to monitor.

      Parameters

      Returns Promise<Webhook>

      A promise that resolves to the updated Webhook object.

      -
    • Returns a new Webhook object. Do not use this method directly. Instead, Webhook.create(...)

      Parameters

      • model: Webhook

        The underlying Webhook model object

      Returns Webhook

      A Webhook object.

      Constructs

      Webhook

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/enums/client_api.NetworkIdentifier.html b/docs/enums/client_api.NetworkIdentifier.html index adaac674..a42aca0f 100644 --- a/docs/enums/client_api.NetworkIdentifier.html +++ b/docs/enums/client_api.NetworkIdentifier.html @@ -1,5 +1,5 @@ NetworkIdentifier | @coinbase/coinbase-sdk

    The ID of the blockchain network. This is unique across all networks, and takes the form of <blockchain>-<network>.

    -

    Export

    Enumeration Members

    Export

    Enumeration Members

    ArbitrumMainnet: "arbitrum-mainnet"
    BaseMainnet: "base-mainnet"
    BaseSepolia: "base-sepolia"
    EthereumHolesky: "ethereum-holesky"
    EthereumMainnet: "ethereum-mainnet"
    PolygonMainnet: "polygon-mainnet"
    SolanaDevnet: "solana-devnet"
    SolanaMainnet: "solana-mainnet"
    \ No newline at end of file +

    Enumeration Members

    ArbitrumMainnet: "arbitrum-mainnet"
    BaseMainnet: "base-mainnet"
    BaseSepolia: "base-sepolia"
    EthereumHolesky: "ethereum-holesky"
    EthereumMainnet: "ethereum-mainnet"
    PolygonMainnet: "polygon-mainnet"
    SolanaDevnet: "solana-devnet"
    SolanaMainnet: "solana-mainnet"
    \ No newline at end of file diff --git a/docs/enums/client_api.SmartContractType.html b/docs/enums/client_api.SmartContractType.html index 0721ea84..024b06bb 100644 --- a/docs/enums/client_api.SmartContractType.html +++ b/docs/enums/client_api.SmartContractType.html @@ -1,6 +1,6 @@ SmartContractType | @coinbase/coinbase-sdk

    The type of the smart contract.

    -

    Export

    Enumeration Members

    Export

    Enumeration Members

    Enumeration Members

    Custom: "custom"
    Erc1155: "erc1155"
    Erc20: "erc20"
    Erc721: "erc721"
    \ No newline at end of file +

    Enumeration Members

    Custom: "custom"
    Erc1155: "erc1155"
    Erc20: "erc20"
    Erc721: "erc721"
    \ No newline at end of file diff --git a/docs/enums/client_api.StakingRewardFormat.html b/docs/enums/client_api.StakingRewardFormat.html index 1799e568..0fafb0bb 100644 --- a/docs/enums/client_api.StakingRewardFormat.html +++ b/docs/enums/client_api.StakingRewardFormat.html @@ -1,4 +1,4 @@ StakingRewardFormat | @coinbase/coinbase-sdk

    The format in which the rewards are to be fetched i.e native or in equivalent USD

    -

    Export

    Enumeration Members

    Export

    Enumeration Members

    Enumeration Members

    Native: "native"
    Usd: "usd"
    \ No newline at end of file +

    Enumeration Members

    Native: "native"
    Usd: "usd"
    \ No newline at end of file diff --git a/docs/enums/client_api.TokenTransferType.html b/docs/enums/client_api.TokenTransferType.html index acf2c9f7..b80e2676 100644 --- a/docs/enums/client_api.TokenTransferType.html +++ b/docs/enums/client_api.TokenTransferType.html @@ -1,6 +1,6 @@ TokenTransferType | @coinbase/coinbase-sdk

    The type of the token transfer.

    -

    Export

    Enumeration Members

    Export

    Enumeration Members

    Enumeration Members

    Erc1155: "erc1155"
    Erc20: "erc20"
    Erc721: "erc721"
    Unknown: "unknown"
    \ No newline at end of file +

    Enumeration Members

    Erc1155: "erc1155"
    Erc20: "erc20"
    Erc721: "erc721"
    Unknown: "unknown"
    \ No newline at end of file diff --git a/docs/enums/client_api.TransactionType.html b/docs/enums/client_api.TransactionType.html index 73071735..6de51099 100644 --- a/docs/enums/client_api.TransactionType.html +++ b/docs/enums/client_api.TransactionType.html @@ -1,2 +1,2 @@ -TransactionType | @coinbase/coinbase-sdk

    Export

    Enumeration Members

    Enumeration Members

    Transfer: "transfer"
    \ No newline at end of file +TransactionType | @coinbase/coinbase-sdk

    Export

    Enumeration Members

    Enumeration Members

    Transfer: "transfer"
    \ No newline at end of file diff --git a/docs/enums/client_api.ValidatorStatus.html b/docs/enums/client_api.ValidatorStatus.html index 2e14b097..269b2f11 100644 --- a/docs/enums/client_api.ValidatorStatus.html +++ b/docs/enums/client_api.ValidatorStatus.html @@ -1,5 +1,5 @@ ValidatorStatus | @coinbase/coinbase-sdk

    The status of the validator.

    -

    Export

    Enumeration Members

    Export

    Enumeration Members

    Active: "active"
    ActiveSlashed: "active_slashed"
    Deposited: "deposited"
    Exited: "exited"
    ExitedSlashed: "exited_slashed"
    Exiting: "exiting"
    PendingActivation: "pending_activation"
    Provisioned: "provisioned"
    Provisioning: "provisioning"
    Reaped: "reaped"
    Unknown: "unknown"
    WithdrawalAvailable: "withdrawal_available"
    WithdrawalComplete: "withdrawal_complete"
    \ No newline at end of file +

    Enumeration Members

    Active: "active"
    ActiveSlashed: "active_slashed"
    Deposited: "deposited"
    Exited: "exited"
    ExitedSlashed: "exited_slashed"
    Exiting: "exiting"
    PendingActivation: "pending_activation"
    Provisioned: "provisioned"
    Provisioning: "provisioning"
    Reaped: "reaped"
    Unknown: "unknown"
    WithdrawalAvailable: "withdrawal_available"
    WithdrawalComplete: "withdrawal_complete"
    \ No newline at end of file diff --git a/docs/enums/client_api.WebhookEventType.html b/docs/enums/client_api.WebhookEventType.html index 108a580a..134cdd2f 100644 --- a/docs/enums/client_api.WebhookEventType.html +++ b/docs/enums/client_api.WebhookEventType.html @@ -1,6 +1,6 @@ -WebhookEventType | @coinbase/coinbase-sdk

    Export

    Enumeration Members

    Erc20Transfer +WebhookEventType | @coinbase/coinbase-sdk

    Export

    Enumeration Members

    Erc20Transfer: "erc20_transfer"
    Erc721Transfer: "erc721_transfer"
    SmartContractEventActivity: "smart_contract_event_activity"
    Unspecified: "unspecified"
    WalletActivity: "wallet_activity"
    \ No newline at end of file +

    Enumeration Members

    Erc20Transfer: "erc20_transfer"
    Erc721Transfer: "erc721_transfer"
    SmartContractEventActivity: "smart_contract_event_activity"
    Unspecified: "unspecified"
    WalletActivity: "wallet_activity"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.FundOperationStatus.html b/docs/enums/coinbase_types.FundOperationStatus.html index 8c28ecd3..73dac4ce 100644 --- a/docs/enums/coinbase_types.FundOperationStatus.html +++ b/docs/enums/coinbase_types.FundOperationStatus.html @@ -1,5 +1,5 @@ FundOperationStatus | @coinbase/coinbase-sdk

    Fund Operation status type definition.

    -

    Enumeration Members

    Enumeration Members

    Enumeration Members

    COMPLETE: "complete"
    FAILED: "failed"
    PENDING: "pending"
    \ No newline at end of file +

    Enumeration Members

    COMPLETE: "complete"
    FAILED: "failed"
    PENDING: "pending"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.PayloadSignatureStatus.html b/docs/enums/coinbase_types.PayloadSignatureStatus.html index 312cc28c..e5aa8534 100644 --- a/docs/enums/coinbase_types.PayloadSignatureStatus.html +++ b/docs/enums/coinbase_types.PayloadSignatureStatus.html @@ -1,5 +1,5 @@ PayloadSignatureStatus | @coinbase/coinbase-sdk

    Payload Signature status type definition.

    -

    Enumeration Members

    Enumeration Members

    Enumeration Members

    FAILED: "failed"
    PENDING: "pending"
    SIGNED: "signed"
    \ No newline at end of file +

    Enumeration Members

    FAILED: "failed"
    PENDING: "pending"
    SIGNED: "signed"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.ServerSignerStatus.html b/docs/enums/coinbase_types.ServerSignerStatus.html index fc744d0b..a95e17a8 100644 --- a/docs/enums/coinbase_types.ServerSignerStatus.html +++ b/docs/enums/coinbase_types.ServerSignerStatus.html @@ -1,4 +1,4 @@ ServerSignerStatus | @coinbase/coinbase-sdk

    ServerSigner status type definition.

    -

    Enumeration Members

    Enumeration Members

    Enumeration Members

    ACTIVE: "active_seed"
    PENDING: "pending_seed_creation"
    \ No newline at end of file +

    Enumeration Members

    ACTIVE: "active_seed"
    PENDING: "pending_seed_creation"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.SmartContractType.html b/docs/enums/coinbase_types.SmartContractType.html index dd927881..4594999f 100644 --- a/docs/enums/coinbase_types.SmartContractType.html +++ b/docs/enums/coinbase_types.SmartContractType.html @@ -1,6 +1,6 @@ SmartContractType | @coinbase/coinbase-sdk

    Smart Contract Type

    -

    Enumeration Members

    Enumeration Members

    Enumeration Members

    CUSTOM: "custom"
    ERC1155: "erc1155"
    ERC20: "erc20"
    ERC721: "erc721"
    \ No newline at end of file +

    Enumeration Members

    CUSTOM: "custom"
    ERC1155: "erc1155"
    ERC20: "erc20"
    ERC721: "erc721"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.SponsoredSendStatus.html b/docs/enums/coinbase_types.SponsoredSendStatus.html index 8485e2e9..61a526f4 100644 --- a/docs/enums/coinbase_types.SponsoredSendStatus.html +++ b/docs/enums/coinbase_types.SponsoredSendStatus.html @@ -1,7 +1,7 @@ SponsoredSendStatus | @coinbase/coinbase-sdk

    Sponsored Send status type definition.

    -

    Enumeration Members

    Enumeration Members

    Enumeration Members

    COMPLETE: "complete"
    FAILED: "failed"
    PENDING: "pending"
    SIGNED: "signed"
    SUBMITTED: "submitted"
    \ No newline at end of file +

    Enumeration Members

    COMPLETE: "complete"
    FAILED: "failed"
    PENDING: "pending"
    SIGNED: "signed"
    SUBMITTED: "submitted"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.StakeOptionsMode.html b/docs/enums/coinbase_types.StakeOptionsMode.html index ed944e2f..0acb7707 100644 --- a/docs/enums/coinbase_types.StakeOptionsMode.html +++ b/docs/enums/coinbase_types.StakeOptionsMode.html @@ -1,8 +1,8 @@ StakeOptionsMode | @coinbase/coinbase-sdk

    StakeOptionsMode type definition.

    -

    Enumeration Members

    Enumeration Members

    Enumeration Members

    DEFAULT: "default"

    Defaults to the mode specific to the asset.

    -
    NATIVE: "native"

    Native represents Native Ethereum Staking mode.

    -
    PARTIAL: "partial"

    Partial represents Partial Ethereum Staking mode.

    -
    \ No newline at end of file +
    NATIVE: "native"

    Native represents Native Ethereum Staking mode.

    +
    PARTIAL: "partial"

    Partial represents Partial Ethereum Staking mode.

    +
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.StakingRewardFormat.html b/docs/enums/coinbase_types.StakingRewardFormat.html index b747e857..34e440e0 100644 --- a/docs/enums/coinbase_types.StakingRewardFormat.html +++ b/docs/enums/coinbase_types.StakingRewardFormat.html @@ -1,5 +1,5 @@ StakingRewardFormat | @coinbase/coinbase-sdk

    Staking reward format type definition. Represents the format in which staking rewards can be queried.

    -

    Enumeration Members

    Enumeration Members

    Enumeration Members

    NATIVE: "native"
    USD: "usd"
    \ No newline at end of file +

    Enumeration Members

    NATIVE: "native"
    USD: "usd"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.TransactionStatus.html b/docs/enums/coinbase_types.TransactionStatus.html index 7f733be7..feafdfeb 100644 --- a/docs/enums/coinbase_types.TransactionStatus.html +++ b/docs/enums/coinbase_types.TransactionStatus.html @@ -1,8 +1,8 @@ TransactionStatus | @coinbase/coinbase-sdk

    Transaction status type definition.

    -

    Enumeration Members

    Enumeration Members

    BROADCAST: "broadcast"
    COMPLETE: "complete"
    FAILED: "failed"
    PENDING: "pending"
    SIGNED: "signed"
    UNSPECIFIED: "unspecified"
    \ No newline at end of file +

    Enumeration Members

    BROADCAST: "broadcast"
    COMPLETE: "complete"
    FAILED: "failed"
    PENDING: "pending"
    SIGNED: "signed"
    UNSPECIFIED: "unspecified"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.TransferStatus.html b/docs/enums/coinbase_types.TransferStatus.html index 688e5a33..c30b833a 100644 --- a/docs/enums/coinbase_types.TransferStatus.html +++ b/docs/enums/coinbase_types.TransferStatus.html @@ -1,6 +1,6 @@ TransferStatus | @coinbase/coinbase-sdk

    Transfer status type definition.

    -

    Enumeration Members

    Enumeration Members

    Enumeration Members

    BROADCAST: "broadcast"
    COMPLETE: "complete"
    FAILED: "failed"
    PENDING: "pending"
    \ No newline at end of file +

    Enumeration Members

    BROADCAST: "broadcast"
    COMPLETE: "complete"
    FAILED: "failed"
    PENDING: "pending"
    \ No newline at end of file diff --git a/docs/enums/coinbase_types.ValidatorStatus.html b/docs/enums/coinbase_types.ValidatorStatus.html index a5a06025..881365c8 100644 --- a/docs/enums/coinbase_types.ValidatorStatus.html +++ b/docs/enums/coinbase_types.ValidatorStatus.html @@ -1,6 +1,6 @@ ValidatorStatus | @coinbase/coinbase-sdk

    Validator status type definition. Represents the various states a validator can be in.

    -

    Enumeration Members

    Enumeration Members

    ACTIVE: "active"
    ACTIVE_SLASHED: "active_slashed"
    DEPOSITED: "deposited"
    EXITED: "exited"
    EXITED_SLASHED: "exited_slashed"
    EXITING: "exiting"
    PENDING_ACTIVATION: "pending_activation"
    PROVISIONED: "provisioned"
    PROVISIONING: "provisioning"
    REAPED: "reaped"
    UNKNOWN: "unknown"
    WITHDRAWAL_AVAILABLE: "withdrawal_available"
    WITHDRAWAL_COMPLETE: "withdrawal_complete"
    \ No newline at end of file +

    Enumeration Members

    ACTIVE: "active"
    ACTIVE_SLASHED: "active_slashed"
    DEPOSITED: "deposited"
    EXITED: "exited"
    EXITED_SLASHED: "exited_slashed"
    EXITING: "exiting"
    PENDING_ACTIVATION: "pending_activation"
    PROVISIONED: "provisioned"
    PROVISIONING: "provisioning"
    REAPED: "reaped"
    UNKNOWN: "unknown"
    WITHDRAWAL_AVAILABLE: "withdrawal_available"
    WITHDRAWAL_COMPLETE: "withdrawal_complete"
    \ No newline at end of file diff --git a/docs/functions/client_api.AddressesApiAxiosParamCreator.html b/docs/functions/client_api.AddressesApiAxiosParamCreator.html index 0fc17a10..af618a12 100644 --- a/docs/functions/client_api.AddressesApiAxiosParamCreator.html +++ b/docs/functions/client_api.AddressesApiAxiosParamCreator.html @@ -50,4 +50,4 @@

    Deprecated

    Throws

    • addressId: string

      The onchain address of the address that is being fetched.

    • Optional assetId: string

      The ID of the asset to transfer from the faucet.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.AddressesApiFactory.html b/docs/functions/client_api.AddressesApiFactory.html index 03f09044..79316a55 100644 --- a/docs/functions/client_api.AddressesApiFactory.html +++ b/docs/functions/client_api.AddressesApiFactory.html @@ -3,51 +3,51 @@

    Parameters

    • walletId: string

      The ID of the wallet to create the address in.

    • Optional createAddressRequest: CreateAddressRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns AxiosPromise<Address>

    Summary

    Create a new address

    -

    Throws

  • createPayloadSignature:function
    • Create a new payload signature with an address.

      +

      Throws

  • createPayloadSignature:function
    • Create a new payload signature with an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address to sign the payload with.

      • Optional createPayloadSignatureRequest: CreatePayloadSignatureRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<PayloadSignature>

      Summary

      Create a new payload signature.

      -

      Throws

  • getAddress:function
  • getAddress:function
    • Get address

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Address>

      Summary

      Get address by onchain address

      -

      Throws

  • getAddressBalance:function
  • getAddressBalance:function
    • Get address balance

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balance for

      • addressId: string

        The onchain address of the address that is being fetched.

      • assetId: string

        The symbol of the asset to fetch the balance for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Balance>

      Summary

      Get address balance for asset

      -

      Throws

  • getPayloadSignature:function
  • getPayloadSignature:function
    • Get payload signature.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that signed the payload.

      • payloadSignatureId: string

        The ID of the payload signature to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<PayloadSignature>

      Summary

      Get payload signature.

      -

      Throws

  • listAddressBalances:function
  • listAddressBalances:function
    • Get address balances

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balances for

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressBalanceList>

      Summary

      Get all balances for address

      -

      Throws

  • listAddresses:function
  • listAddresses:function
    • List addresses in the wallet.

      Parameters

      • walletId: string

        The ID of the wallet whose addresses to fetch

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressList>

      Summary

      List addresses in a wallet.

      -

      Throws

  • listPayloadSignatures:function
  • listPayloadSignatures:function
    • List payload signatures for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address whose payload signatures to fetch.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<PayloadSignatureList>

      Summary

      List payload signatures for an address.

      -

      Throws

  • requestFaucetFunds:function
  • requestFaucetFunds:function
    • Request faucet funds to be sent to onchain address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional assetId: string

        The ID of the asset to transfer from the faucet.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FaucetTransaction>

      Summary

      Request faucet funds for onchain address.

      -

      Deprecated

      Throws

  • Export

    \ No newline at end of file +

    Deprecated

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.AddressesApiFp.html b/docs/functions/client_api.AddressesApiFp.html index 9f7256ac..bac4186e 100644 --- a/docs/functions/client_api.AddressesApiFp.html +++ b/docs/functions/client_api.AddressesApiFp.html @@ -3,51 +3,51 @@

    Parameters

    • walletId: string

      The ID of the wallet to create the address in.

    • Optional createAddressRequest: CreateAddressRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<((axios?, basePath?) => AxiosPromise<Address>)>

    Summary

    Create a new address

    -

    Throws

  • createPayloadSignature:function
    • Create a new payload signature with an address.

      +

      Throws

  • createPayloadSignature:function
    • Create a new payload signature with an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address to sign the payload with.

      • Optional createPayloadSignatureRequest: CreatePayloadSignatureRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<PayloadSignature>)>

      Summary

      Create a new payload signature.

      -

      Throws

  • getAddress:function
    • Get address

      +

      Throws

  • getAddress:function
    • Get address

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Address>)>

      Summary

      Get address by onchain address

      -

      Throws

  • getAddressBalance:function
    • Get address balance

      +

      Throws

  • getAddressBalance:function
    • Get address balance

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balance for

      • addressId: string

        The onchain address of the address that is being fetched.

      • assetId: string

        The symbol of the asset to fetch the balance for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Balance>)>

      Summary

      Get address balance for asset

      -

      Throws

  • getPayloadSignature:function
    • Get payload signature.

      +

      Throws

  • getPayloadSignature:function
    • Get payload signature.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that signed the payload.

      • payloadSignatureId: string

        The ID of the payload signature to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<PayloadSignature>)>

      Summary

      Get payload signature.

      -

      Throws

  • listAddressBalances:function
  • listAddressBalances:function
    • Get address balances

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balances for

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<AddressBalanceList>)>

      Summary

      Get all balances for address

      -

      Throws

  • listAddresses:function
    • List addresses in the wallet.

      +

      Throws

  • listAddresses:function
    • List addresses in the wallet.

      Parameters

      • walletId: string

        The ID of the wallet whose addresses to fetch

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<AddressList>)>

      Summary

      List addresses in a wallet.

      -

      Throws

  • listPayloadSignatures:function
    • List payload signatures for an address.

      +

      Throws

  • listPayloadSignatures:function
    • List payload signatures for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address whose payload signatures to fetch.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<PayloadSignatureList>)>

      Summary

      List payload signatures for an address.

      -

      Throws

  • requestFaucetFunds:function
    • Request faucet funds to be sent to onchain address.

      +

      Throws

  • requestFaucetFunds:function
    • Request faucet funds to be sent to onchain address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional assetId: string

        The ID of the asset to transfer from the faucet.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<FaucetTransaction>)>

      Summary

      Request faucet funds for onchain address.

      -

      Deprecated

      Throws

  • Export

    \ No newline at end of file +

    Deprecated

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.AssetsApiAxiosParamCreator.html b/docs/functions/client_api.AssetsApiAxiosParamCreator.html index 74b00222..24843eff 100644 --- a/docs/functions/client_api.AssetsApiAxiosParamCreator.html +++ b/docs/functions/client_api.AssetsApiAxiosParamCreator.html @@ -4,4 +4,4 @@

    Throws

      • (networkId, assetId, options?): Promise<RequestArgs>
      • Parameters

        • networkId: string

          The ID of the blockchain network

        • assetId: string

          The ID of the asset to fetch. This could be a symbol or an ERC20 contract address.

        • Optional options: RawAxiosRequestConfig = {}

          Override http request option.

          -

        Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.AssetsApiFactory.html b/docs/functions/client_api.AssetsApiFactory.html index db631cd8..dd0df13d 100644 --- a/docs/functions/client_api.AssetsApiFactory.html +++ b/docs/functions/client_api.AssetsApiFactory.html @@ -4,4 +4,4 @@
  • assetId: string

    The ID of the asset to fetch. This could be a symbol or an ERC20 contract address.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Asset>

    Summary

    Get the asset for the specified asset ID.

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.AssetsApiFp.html b/docs/functions/client_api.AssetsApiFp.html index ddb71f6b..9b85a863 100644 --- a/docs/functions/client_api.AssetsApiFp.html +++ b/docs/functions/client_api.AssetsApiFp.html @@ -4,4 +4,4 @@
  • assetId: string

    The ID of the asset to fetch. This could be a symbol or an ERC20 contract address.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<Asset>)>

    Summary

    Get the asset for the specified asset ID.

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.BalanceHistoryApiAxiosParamCreator.html b/docs/functions/client_api.BalanceHistoryApiAxiosParamCreator.html index cd398b01..2d74d0c2 100644 --- a/docs/functions/client_api.BalanceHistoryApiAxiosParamCreator.html +++ b/docs/functions/client_api.BalanceHistoryApiAxiosParamCreator.html @@ -7,4 +7,4 @@

    Throws

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.BalanceHistoryApiFactory.html b/docs/functions/client_api.BalanceHistoryApiFactory.html index ea6e0472..45a5d389 100644 --- a/docs/functions/client_api.BalanceHistoryApiFactory.html +++ b/docs/functions/client_api.BalanceHistoryApiFactory.html @@ -7,4 +7,4 @@
  • Optional page: string

    A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<AddressHistoricalBalanceList>

    Summary

    Get address balance history for asset

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.BalanceHistoryApiFp.html b/docs/functions/client_api.BalanceHistoryApiFp.html index 4d66be23..4092b050 100644 --- a/docs/functions/client_api.BalanceHistoryApiFp.html +++ b/docs/functions/client_api.BalanceHistoryApiFp.html @@ -7,4 +7,4 @@
  • Optional page: string

    A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<AddressHistoricalBalanceList>)>

    Summary

    Get address balance history for asset

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ContractEventsApiAxiosParamCreator.html b/docs/functions/client_api.ContractEventsApiAxiosParamCreator.html index d03c7c4b..173047ea 100644 --- a/docs/functions/client_api.ContractEventsApiAxiosParamCreator.html +++ b/docs/functions/client_api.ContractEventsApiAxiosParamCreator.html @@ -10,4 +10,4 @@

    Throws

    • toBlockHeight: number

      Upper bound of the block range to query (inclusive)

    • Optional nextPage: string

      Pagination token for retrieving the next set of results

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ContractEventsApiFactory.html b/docs/functions/client_api.ContractEventsApiFactory.html index 1b6ed9c6..11ce0fbc 100644 --- a/docs/functions/client_api.ContractEventsApiFactory.html +++ b/docs/functions/client_api.ContractEventsApiFactory.html @@ -10,4 +10,4 @@
  • Optional nextPage: string

    Pagination token for retrieving the next set of results

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<ContractEventList>

    Summary

    List contract events

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ContractEventsApiFp.html b/docs/functions/client_api.ContractEventsApiFp.html index 190ea66f..9a73792e 100644 --- a/docs/functions/client_api.ContractEventsApiFp.html +++ b/docs/functions/client_api.ContractEventsApiFp.html @@ -10,4 +10,4 @@
  • Optional nextPage: string

    Pagination token for retrieving the next set of results

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<ContractEventList>)>

    Summary

    List contract events

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ContractInvocationsApiAxiosParamCreator.html b/docs/functions/client_api.ContractInvocationsApiAxiosParamCreator.html index 549d8a54..8dd87f41 100644 --- a/docs/functions/client_api.ContractInvocationsApiAxiosParamCreator.html +++ b/docs/functions/client_api.ContractInvocationsApiAxiosParamCreator.html @@ -23,4 +23,4 @@

    Throws

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ContractInvocationsApiFactory.html b/docs/functions/client_api.ContractInvocationsApiFactory.html index 4d253e46..15090405 100644 --- a/docs/functions/client_api.ContractInvocationsApiFactory.html +++ b/docs/functions/client_api.ContractInvocationsApiFactory.html @@ -5,22 +5,22 @@
  • contractInvocationId: string

    The ID of the contract invocation to broadcast.

  • broadcastContractInvocationRequest: BroadcastContractInvocationRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<ContractInvocation>

    Summary

    Broadcast a contract invocation.

    -

    Throws

  • createContractInvocation:function
  • createContractInvocation:function
    • Create a new contract invocation.

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to.

      • addressId: string

        The ID of the address to invoke the contract from.

      • createContractInvocationRequest: CreateContractInvocationRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ContractInvocation>

      Summary

      Create a new contract invocation for an address.

      -

      Throws

  • getContractInvocation:function
  • getContractInvocation:function
    • Get a contract invocation by ID.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the contract invocation belongs to.

      • contractInvocationId: string

        The ID of the contract invocation to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ContractInvocation>

      Summary

      Get a contract invocation by ID.

      -

      Throws

  • listContractInvocations:function
  • listContractInvocations:function
    • List contract invocations for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to list contract invocations for.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ContractInvocationList>

      Summary

      List contract invocations for an address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ContractInvocationsApiFp.html b/docs/functions/client_api.ContractInvocationsApiFp.html index 2acbe218..194aba82 100644 --- a/docs/functions/client_api.ContractInvocationsApiFp.html +++ b/docs/functions/client_api.ContractInvocationsApiFp.html @@ -5,22 +5,22 @@
  • contractInvocationId: string

    The ID of the contract invocation to broadcast.

  • broadcastContractInvocationRequest: BroadcastContractInvocationRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<ContractInvocation>)>

    Summary

    Broadcast a contract invocation.

    -

    Throws

  • createContractInvocation:function
    • Create a new contract invocation.

      +

      Throws

  • createContractInvocation:function
    • Create a new contract invocation.

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to.

      • addressId: string

        The ID of the address to invoke the contract from.

      • createContractInvocationRequest: CreateContractInvocationRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<ContractInvocation>)>

      Summary

      Create a new contract invocation for an address.

      -

      Throws

  • getContractInvocation:function
    • Get a contract invocation by ID.

      +

      Throws

  • getContractInvocation:function
    • Get a contract invocation by ID.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the contract invocation belongs to.

      • contractInvocationId: string

        The ID of the contract invocation to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<ContractInvocation>)>

      Summary

      Get a contract invocation by ID.

      -

      Throws

  • listContractInvocations:function
    • List contract invocations for an address.

      +

      Throws

  • listContractInvocations:function
    • List contract invocations for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to list contract invocations for.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<ContractInvocationList>)>

      Summary

      List contract invocations for an address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ExternalAddressesApiAxiosParamCreator.html b/docs/functions/client_api.ExternalAddressesApiAxiosParamCreator.html index 6b1b5a73..848cbe43 100644 --- a/docs/functions/client_api.ExternalAddressesApiAxiosParamCreator.html +++ b/docs/functions/client_api.ExternalAddressesApiAxiosParamCreator.html @@ -41,4 +41,4 @@

    Throws

    • Optional assetId: string

      The ID of the asset to transfer from the faucet.

    • Optional skipWait: boolean

      Whether to skip waiting for the transaction to be mined. This will become the default behavior in the future.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ExternalAddressesApiFactory.html b/docs/functions/client_api.ExternalAddressesApiFactory.html index c06daf0e..490fb65e 100644 --- a/docs/functions/client_api.ExternalAddressesApiFactory.html +++ b/docs/functions/client_api.ExternalAddressesApiFactory.html @@ -5,40 +5,40 @@
  • transferId: string

    The ID of the transfer to broadcast

  • broadcastExternalTransferRequest: BroadcastExternalTransferRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Transfer>

    Summary

    Broadcast an external address' transfer

    -

    Throws

  • createExternalTransfer:function
    • Create a new transfer between addresses.

      +

      Throws

  • createExternalTransfer:function
    • Create a new transfer between addresses.

      Parameters

      • networkId: string

        The ID of the network the address is on

      • addressId: string

        The ID of the address to transfer from

      • createExternalTransferRequest: CreateExternalTransferRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Transfer>

      Summary

      Create a new transfer

      -

      Throws

  • getExternalAddressBalance:function
    • Get the balance of an asset in an external address

      +

      Throws

  • getExternalAddressBalance:function
    • Get the balance of an asset in an external address

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the balance for

      • assetId: string

        The ID of the asset to fetch the balance for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Balance>

      Summary

      Get the balance of an asset in an external address

      -

      Throws

  • getExternalTransfer:function
    • Get an external address' transfer by ID

      +

      Throws

  • getExternalTransfer:function
    • Get an external address' transfer by ID

      Parameters

      • networkId: string

        The ID of the network the address is on

      • addressId: string

        The ID of the address the transfer belongs to

      • transferId: string

        The ID of the transfer to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Transfer>

      Summary

      Get a external address' transfer

      -

      Throws

  • getFaucetTransaction:function
  • getFaucetTransaction:function
    • Get the status of a faucet transaction

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the faucet transaction for

      • txHash: string

        The hash of the faucet transaction

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FaucetTransaction>

      Summary

      Get the status of a faucet transaction

      -

      Throws

  • listExternalAddressBalances:function
  • listExternalAddressBalances:function
    • List all of the balances of an external address

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the balance for

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressBalanceList>

      Summary

      Get the balances of an external address

      -

      Throws

  • requestExternalFaucetFunds:function
    • Request faucet funds to be sent to external address.

      +

      Throws

  • requestExternalFaucetFunds:function
    • Request faucet funds to be sent to external address.

      Parameters

      • networkId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional assetId: string

        The ID of the asset to transfer from the faucet.

      • Optional skipWait: boolean

        Whether to skip waiting for the transaction to be mined. This will become the default behavior in the future.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FaucetTransaction>

      Summary

      Request faucet funds for external address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ExternalAddressesApiFp.html b/docs/functions/client_api.ExternalAddressesApiFp.html index 44b27bbd..bca74dd8 100644 --- a/docs/functions/client_api.ExternalAddressesApiFp.html +++ b/docs/functions/client_api.ExternalAddressesApiFp.html @@ -5,40 +5,40 @@
  • transferId: string

    The ID of the transfer to broadcast

  • broadcastExternalTransferRequest: BroadcastExternalTransferRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<Transfer>)>

    Summary

    Broadcast an external address' transfer

    -

    Throws

  • createExternalTransfer:function
    • Create a new transfer between addresses.

      +

      Throws

  • createExternalTransfer:function
    • Create a new transfer between addresses.

      Parameters

      • networkId: string

        The ID of the network the address is on

      • addressId: string

        The ID of the address to transfer from

      • createExternalTransferRequest: CreateExternalTransferRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Transfer>)>

      Summary

      Create a new transfer

      -

      Throws

  • getExternalAddressBalance:function
    • Get the balance of an asset in an external address

      +

      Throws

  • getExternalAddressBalance:function
    • Get the balance of an asset in an external address

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the balance for

      • assetId: string

        The ID of the asset to fetch the balance for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Balance>)>

      Summary

      Get the balance of an asset in an external address

      -

      Throws

  • getExternalTransfer:function
    • Get an external address' transfer by ID

      +

      Throws

  • getExternalTransfer:function
    • Get an external address' transfer by ID

      Parameters

      • networkId: string

        The ID of the network the address is on

      • addressId: string

        The ID of the address the transfer belongs to

      • transferId: string

        The ID of the transfer to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Transfer>)>

      Summary

      Get a external address' transfer

      -

      Throws

  • getFaucetTransaction:function
    • Get the status of a faucet transaction

      +

      Throws

  • getFaucetTransaction:function
    • Get the status of a faucet transaction

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the faucet transaction for

      • txHash: string

        The hash of the faucet transaction

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<FaucetTransaction>)>

      Summary

      Get the status of a faucet transaction

      -

      Throws

  • listExternalAddressBalances:function
    • List all of the balances of an external address

      +

      Throws

  • listExternalAddressBalances:function
    • List all of the balances of an external address

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the balance for

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<AddressBalanceList>)>

      Summary

      Get the balances of an external address

      -

      Throws

  • requestExternalFaucetFunds:function
    • Request faucet funds to be sent to external address.

      +

      Throws

  • requestExternalFaucetFunds:function
    • Request faucet funds to be sent to external address.

      Parameters

      • networkId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional assetId: string

        The ID of the asset to transfer from the faucet.

      • Optional skipWait: boolean

        Whether to skip waiting for the transaction to be mined. This will become the default behavior in the future.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<FaucetTransaction>)>

      Summary

      Request faucet funds for external address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.FundApiAxiosParamCreator.html b/docs/functions/client_api.FundApiAxiosParamCreator.html index 51affa82..73c9341d 100644 --- a/docs/functions/client_api.FundApiAxiosParamCreator.html +++ b/docs/functions/client_api.FundApiAxiosParamCreator.html @@ -22,4 +22,4 @@

    Throws

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.FundApiFactory.html b/docs/functions/client_api.FundApiFactory.html index 68546487..bce5461e 100644 --- a/docs/functions/client_api.FundApiFactory.html +++ b/docs/functions/client_api.FundApiFactory.html @@ -4,22 +4,22 @@
  • addressId: string

    The onchain address to be funded.

  • createFundOperationRequest: CreateFundOperationRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<FundOperation>

    Summary

    Create a new fund operation.

    -

    Throws

  • createFundQuote:function
    • Create a new fund operation with an address.

      +

      Throws

  • createFundQuote:function
    • Create a new fund operation with an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address to be funded.

      • createFundQuoteRequest: CreateFundQuoteRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FundQuote>

      Summary

      Create a Fund Operation quote.

      -

      Throws

  • getFundOperation:function
  • getFundOperation:function
    • Get fund operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that created the fund operation.

      • fundOperationId: string

        The ID of the fund operation to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FundOperation>

      Summary

      Get fund operation.

      -

      Throws

  • listFundOperations:function
  • listFundOperations:function
    • List fund operations for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address to list fund operations for.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FundOperationList>

      Summary

      List fund operations for an address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.FundApiFp.html b/docs/functions/client_api.FundApiFp.html index 43106ad4..586eb979 100644 --- a/docs/functions/client_api.FundApiFp.html +++ b/docs/functions/client_api.FundApiFp.html @@ -4,22 +4,22 @@
  • addressId: string

    The onchain address to be funded.

  • createFundOperationRequest: CreateFundOperationRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<FundOperation>)>

    Summary

    Create a new fund operation.

    -

    Throws

  • createFundQuote:function
    • Create a new fund operation with an address.

      +

      Throws

  • createFundQuote:function
    • Create a new fund operation with an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address to be funded.

      • createFundQuoteRequest: CreateFundQuoteRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<FundQuote>)>

      Summary

      Create a Fund Operation quote.

      -

      Throws

  • getFundOperation:function
    • Get fund operation.

      +

      Throws

  • getFundOperation:function
    • Get fund operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that created the fund operation.

      • fundOperationId: string

        The ID of the fund operation to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<FundOperation>)>

      Summary

      Get fund operation.

      -

      Throws

  • listFundOperations:function
    • List fund operations for an address.

      +

      Throws

  • listFundOperations:function
    • List fund operations for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address to list fund operations for.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<FundOperationList>)>

      Summary

      List fund operations for an address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.MPCWalletStakeApiAxiosParamCreator.html b/docs/functions/client_api.MPCWalletStakeApiAxiosParamCreator.html index e200b370..cc9cfb3a 100644 --- a/docs/functions/client_api.MPCWalletStakeApiAxiosParamCreator.html +++ b/docs/functions/client_api.MPCWalletStakeApiAxiosParamCreator.html @@ -16,4 +16,4 @@

    Throws

    • addressId: string

      The ID of the address to fetch the staking operation for.

    • stakingOperationId: string

      The ID of the staking operation.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.MPCWalletStakeApiFactory.html b/docs/functions/client_api.MPCWalletStakeApiFactory.html index 67d6426a..97d80fe1 100644 --- a/docs/functions/client_api.MPCWalletStakeApiFactory.html +++ b/docs/functions/client_api.MPCWalletStakeApiFactory.html @@ -5,15 +5,15 @@
  • stakingOperationId: string

    The ID of the staking operation to broadcast.

  • broadcastStakingOperationRequest: BroadcastStakingOperationRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<StakingOperation>

    Summary

    Broadcast a staking operation

    -

    Throws

  • createStakingOperation:function
  • createStakingOperation:function
    • Create a new staking operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to create the staking operation for.

      • createStakingOperationRequest: CreateStakingOperationRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<StakingOperation>

      Summary

      Create a new staking operation for an address

      -

      Throws

  • getStakingOperation:function
  • getStakingOperation:function
    • Get the latest state of a staking operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to fetch the staking operation for.

      • stakingOperationId: string

        The ID of the staking operation.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<StakingOperation>

      Summary

      Get the latest state of a staking operation

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.MPCWalletStakeApiFp.html b/docs/functions/client_api.MPCWalletStakeApiFp.html index b877f960..b6d45891 100644 --- a/docs/functions/client_api.MPCWalletStakeApiFp.html +++ b/docs/functions/client_api.MPCWalletStakeApiFp.html @@ -5,15 +5,15 @@
  • stakingOperationId: string

    The ID of the staking operation to broadcast.

  • broadcastStakingOperationRequest: BroadcastStakingOperationRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<StakingOperation>)>

    Summary

    Broadcast a staking operation

    -

    Throws

  • createStakingOperation:function
    • Create a new staking operation.

      +

      Throws

  • createStakingOperation:function
    • Create a new staking operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to create the staking operation for.

      • createStakingOperationRequest: CreateStakingOperationRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<StakingOperation>)>

      Summary

      Create a new staking operation for an address

      -

      Throws

  • getStakingOperation:function
    • Get the latest state of a staking operation.

      +

      Throws

  • getStakingOperation:function
    • Get the latest state of a staking operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to fetch the staking operation for.

      • stakingOperationId: string

        The ID of the staking operation.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<StakingOperation>)>

      Summary

      Get the latest state of a staking operation

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.NetworksApiAxiosParamCreator.html b/docs/functions/client_api.NetworksApiAxiosParamCreator.html index aabe3b6d..a2433cf1 100644 --- a/docs/functions/client_api.NetworksApiAxiosParamCreator.html +++ b/docs/functions/client_api.NetworksApiAxiosParamCreator.html @@ -3,4 +3,4 @@

    Summary

    Get network by ID

    Throws

      • (networkId, options?): Promise<RequestArgs>
      • Parameters

        • networkId: string

          The ID of the network to fetch.

        • Optional options: RawAxiosRequestConfig = {}

          Override http request option.

          -

        Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.NetworksApiFactory.html b/docs/functions/client_api.NetworksApiFactory.html index 9897ea02..49c40a5a 100644 --- a/docs/functions/client_api.NetworksApiFactory.html +++ b/docs/functions/client_api.NetworksApiFactory.html @@ -3,4 +3,4 @@

    Parameters

    • networkId: string

      The ID of the network to fetch.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns AxiosPromise<Network>

    Summary

    Get network by ID

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.NetworksApiFp.html b/docs/functions/client_api.NetworksApiFp.html index 3e2f52c5..337a31bf 100644 --- a/docs/functions/client_api.NetworksApiFp.html +++ b/docs/functions/client_api.NetworksApiFp.html @@ -3,4 +3,4 @@

    Parameters

    • networkId: string

      The ID of the network to fetch.

    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<((axios?, basePath?) => AxiosPromise<Network>)>

    Summary

    Get network by ID

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.OnchainIdentityApiAxiosParamCreator.html b/docs/functions/client_api.OnchainIdentityApiAxiosParamCreator.html index 701f86f2..201448f6 100644 --- a/docs/functions/client_api.OnchainIdentityApiAxiosParamCreator.html +++ b/docs/functions/client_api.OnchainIdentityApiAxiosParamCreator.html @@ -7,4 +7,4 @@

    Throws

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.OnchainIdentityApiFactory.html b/docs/functions/client_api.OnchainIdentityApiFactory.html index 35f88999..0f26a5f4 100644 --- a/docs/functions/client_api.OnchainIdentityApiFactory.html +++ b/docs/functions/client_api.OnchainIdentityApiFactory.html @@ -7,4 +7,4 @@
  • Optional page: string

    A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<OnchainNameList>

    Summary

    Obtains onchain identity for an address on a specific network

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.OnchainIdentityApiFp.html b/docs/functions/client_api.OnchainIdentityApiFp.html index 2fca95ed..7dbf5c88 100644 --- a/docs/functions/client_api.OnchainIdentityApiFp.html +++ b/docs/functions/client_api.OnchainIdentityApiFp.html @@ -7,4 +7,4 @@
  • Optional page: string

    A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<OnchainNameList>)>

    Summary

    Obtains onchain identity for an address on a specific network

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ReputationApiAxiosParamCreator.html b/docs/functions/client_api.ReputationApiAxiosParamCreator.html index 59c271d3..eceaf670 100644 --- a/docs/functions/client_api.ReputationApiAxiosParamCreator.html +++ b/docs/functions/client_api.ReputationApiAxiosParamCreator.html @@ -4,4 +4,4 @@

    Throws

      • (networkId, addressId, options?): Promise<RequestArgs>
      • Parameters

        • networkId: string

          The ID of the blockchain network.

        • addressId: string

          The ID of the address to fetch the reputation for.

        • Optional options: RawAxiosRequestConfig = {}

          Override http request option.

          -

        Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ReputationApiFactory.html b/docs/functions/client_api.ReputationApiFactory.html index be06f240..4e8e9d7c 100644 --- a/docs/functions/client_api.ReputationApiFactory.html +++ b/docs/functions/client_api.ReputationApiFactory.html @@ -4,4 +4,4 @@
  • addressId: string

    The ID of the address to fetch the reputation for.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<AddressReputation>

    Summary

    Get the onchain reputation of an external address

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ReputationApiFp.html b/docs/functions/client_api.ReputationApiFp.html index 57d57ca4..77ad91cc 100644 --- a/docs/functions/client_api.ReputationApiFp.html +++ b/docs/functions/client_api.ReputationApiFp.html @@ -4,4 +4,4 @@
  • addressId: string

    The ID of the address to fetch the reputation for.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<AddressReputation>)>

    Summary

    Get the onchain reputation of an external address

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ServerSignersApiAxiosParamCreator.html b/docs/functions/client_api.ServerSignersApiAxiosParamCreator.html index 44414d97..dd1588e7 100644 --- a/docs/functions/client_api.ServerSignersApiAxiosParamCreator.html +++ b/docs/functions/client_api.ServerSignersApiAxiosParamCreator.html @@ -25,4 +25,4 @@

    Throws

    • Summary

      Submit the result of a server signer event

      Throws

        • (serverSignerId, signatureCreationEventResult?, options?): Promise<RequestArgs>
        • Parameters

          • serverSignerId: string

            The ID of the server signer to submit the event result for

          • Optional signatureCreationEventResult: SignatureCreationEventResult
          • Optional options: RawAxiosRequestConfig = {}

            Override http request option.

            -

          Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ServerSignersApiFactory.html b/docs/functions/client_api.ServerSignersApiFactory.html index e43873b3..8d6f09e4 100644 --- a/docs/functions/client_api.ServerSignersApiFactory.html +++ b/docs/functions/client_api.ServerSignersApiFactory.html @@ -2,27 +2,27 @@

    Parameters

    • Optional configuration: Configuration
    • Optional basePath: string
    • Optional axios: AxiosInstance

    Returns {
        createServerSigner(createServerSignerRequest?, options?): AxiosPromise<ServerSigner>;
        getServerSigner(serverSignerId, options?): AxiosPromise<ServerSigner>;
        listServerSignerEvents(serverSignerId, limit?, page?, options?): AxiosPromise<ServerSignerEventList>;
        listServerSigners(limit?, page?, options?): AxiosPromise<ServerSignerList>;
        submitServerSignerSeedEventResult(serverSignerId, seedCreationEventResult?, options?): AxiosPromise<SeedCreationEventResult>;
        submitServerSignerSignatureEventResult(serverSignerId, signatureCreationEventResult?, options?): AxiosPromise<SignatureCreationEventResult>;
    }

    • createServerSigner:function
      • Create a new Server-Signer

        Parameters

        • Optional createServerSignerRequest: CreateServerSignerRequest
        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<ServerSigner>

        Summary

        Create a new Server-Signer

        -

        Throws

    • getServerSigner:function
    • getServerSigner:function
      • Get a server signer by ID

        Parameters

        • serverSignerId: string

          The ID of the server signer to fetch

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<ServerSigner>

        Summary

        Get a server signer by ID

        -

        Throws

    • listServerSignerEvents:function
    • listServerSignerEvents:function
      • List events for a server signer

        Parameters

        • serverSignerId: string

          The ID of the server signer to fetch events for

        • Optional limit: number

          A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        • Optional page: string

          A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<ServerSignerEventList>

        Summary

        List events for a server signer

        -

        Deprecated

        Throws

    • listServerSigners:function
    • listServerSigners:function
      • List server signers for the current project

        Parameters

        • Optional limit: number

          A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        • Optional page: string

          A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<ServerSignerList>

        Summary

        List server signers for the current project

        -

        Throws

    • submitServerSignerSeedEventResult:function
    • submitServerSignerSeedEventResult:function
      • Submit the result of a server signer event

        Parameters

        • serverSignerId: string

          The ID of the server signer to submit the event result for

        • Optional seedCreationEventResult: SeedCreationEventResult
        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<SeedCreationEventResult>

        Summary

        Submit the result of a server signer event

        -

        Throws

    • submitServerSignerSignatureEventResult:function
    • submitServerSignerSignatureEventResult:function
      • Submit the result of a server signer event

        Parameters

        • serverSignerId: string

          The ID of the server signer to submit the event result for

        • Optional signatureCreationEventResult: SignatureCreationEventResult
        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<SignatureCreationEventResult>

        Summary

        Submit the result of a server signer event

        -

        Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.ServerSignersApiFp.html b/docs/functions/client_api.ServerSignersApiFp.html index 9f5418ac..b125ed13 100644 --- a/docs/functions/client_api.ServerSignersApiFp.html +++ b/docs/functions/client_api.ServerSignersApiFp.html @@ -2,27 +2,27 @@

    Parameters

    Returns {
        createServerSigner(createServerSignerRequest?, options?): Promise<((axios?, basePath?) => AxiosPromise<ServerSigner>)>;
        getServerSigner(serverSignerId, options?): Promise<((axios?, basePath?) => AxiosPromise<ServerSigner>)>;
        listServerSignerEvents(serverSignerId, limit?, page?, options?): Promise<((axios?, basePath?) => AxiosPromise<ServerSignerEventList>)>;
        listServerSigners(limit?, page?, options?): Promise<((axios?, basePath?) => AxiosPromise<ServerSignerList>)>;
        submitServerSignerSeedEventResult(serverSignerId, seedCreationEventResult?, options?): Promise<((axios?, basePath?) => AxiosPromise<SeedCreationEventResult>)>;
        submitServerSignerSignatureEventResult(serverSignerId, signatureCreationEventResult?, options?): Promise<((axios?, basePath?) => AxiosPromise<SignatureCreationEventResult>)>;
    }

    • createServerSigner:function
      • Create a new Server-Signer

        Parameters

        • Optional createServerSignerRequest: CreateServerSignerRequest
        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<ServerSigner>)>

        Summary

        Create a new Server-Signer

        -

        Throws

    • getServerSigner:function
    • getServerSigner:function
      • Get a server signer by ID

        Parameters

        • serverSignerId: string

          The ID of the server signer to fetch

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<ServerSigner>)>

        Summary

        Get a server signer by ID

        -

        Throws

    • listServerSignerEvents:function
    • listServerSignerEvents:function
      • List events for a server signer

        Parameters

        • serverSignerId: string

          The ID of the server signer to fetch events for

        • Optional limit: number

          A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        • Optional page: string

          A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<ServerSignerEventList>)>

        Summary

        List events for a server signer

        -

        Deprecated

        Throws

    • listServerSigners:function
      • List server signers for the current project

        +

        Deprecated

        Throws

    • listServerSigners:function
      • List server signers for the current project

        Parameters

        • Optional limit: number

          A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        • Optional page: string

          A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<ServerSignerList>)>

        Summary

        List server signers for the current project

        -

        Throws

    • submitServerSignerSeedEventResult:function
      • Submit the result of a server signer event

        +

        Throws

    • submitServerSignerSeedEventResult:function
      • Submit the result of a server signer event

        Parameters

        • serverSignerId: string

          The ID of the server signer to submit the event result for

        • Optional seedCreationEventResult: SeedCreationEventResult
        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<SeedCreationEventResult>)>

        Summary

        Submit the result of a server signer event

        -

        Throws

    • submitServerSignerSignatureEventResult:function
      • Submit the result of a server signer event

        +

        Throws

    • submitServerSignerSignatureEventResult:function
      • Submit the result of a server signer event

        Parameters

        • serverSignerId: string

          The ID of the server signer to submit the event result for

        • Optional signatureCreationEventResult: SignatureCreationEventResult
        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<SignatureCreationEventResult>)>

        Summary

        Submit the result of a server signer event

        -

        Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.SmartContractsApiAxiosParamCreator.html b/docs/functions/client_api.SmartContractsApiAxiosParamCreator.html index bf5dbb9e..79c0614f 100644 --- a/docs/functions/client_api.SmartContractsApiAxiosParamCreator.html +++ b/docs/functions/client_api.SmartContractsApiAxiosParamCreator.html @@ -1,36 +1,39 @@ -SmartContractsApiAxiosParamCreator | @coinbase/coinbase-sdk
    • SmartContractsApi - axios parameter creator

      -

      Parameters

      Returns {
          createSmartContract: ((walletId, addressId, createSmartContractRequest, options?) => Promise<RequestArgs>);
          deploySmartContract: ((walletId, addressId, smartContractId, deploySmartContractRequest, options?) => Promise<RequestArgs>);
          getSmartContract: ((walletId, addressId, smartContractId, options?) => Promise<RequestArgs>);
          listSmartContracts: ((page?, options?) => Promise<RequestArgs>);
          readContract: ((networkId, contractAddress, readContractRequest, options?) => Promise<RequestArgs>);
          registerSmartContract: ((networkId, contractAddress, registerSmartContractRequest?, options?) => Promise<RequestArgs>);
          updateSmartContract: ((networkId, contractAddress, updateSmartContractRequest?, options?) => Promise<RequestArgs>);
      }

      • createSmartContract: ((walletId, addressId, createSmartContractRequest, options?) => Promise<RequestArgs>)

        Create a new smart contract

        +SmartContractsApiAxiosParamCreator | @coinbase/coinbase-sdk
        • SmartContractsApi - axios parameter creator

          +

          Parameters

          Returns {
              compileSmartContract: ((compileSmartContractRequest, options?) => Promise<RequestArgs>);
              createSmartContract: ((walletId, addressId, createSmartContractRequest, options?) => Promise<RequestArgs>);
              deploySmartContract: ((walletId, addressId, smartContractId, deploySmartContractRequest, options?) => Promise<RequestArgs>);
              getSmartContract: ((walletId, addressId, smartContractId, options?) => Promise<RequestArgs>);
              listSmartContracts: ((page?, options?) => Promise<RequestArgs>);
              readContract: ((networkId, contractAddress, readContractRequest, options?) => Promise<RequestArgs>);
              registerSmartContract: ((networkId, contractAddress, registerSmartContractRequest?, options?) => Promise<RequestArgs>);
              updateSmartContract: ((networkId, contractAddress, updateSmartContractRequest?, options?) => Promise<RequestArgs>);
          }

          • compileSmartContract: ((compileSmartContractRequest, options?) => Promise<RequestArgs>)

            Compile a smart contract

            +

            Summary

            Compile a smart contract

            +

            Throws

          • createSmartContract: ((walletId, addressId, createSmartContractRequest, options?) => Promise<RequestArgs>)

            Create a new smart contract

            Summary

            Create a new smart contract

            -

            Throws

              • (walletId, addressId, createSmartContractRequest, options?): Promise<RequestArgs>
              • Parameters

                • walletId: string

                  The ID of the wallet the address belongs to.

                  +

                  Throws

                    • (walletId, addressId, createSmartContractRequest, options?): Promise<RequestArgs>
                    • Parameters

                      • walletId: string

                        The ID of the wallet the address belongs to.

                      • addressId: string

                        The ID of the address to deploy the smart contract from.

                      • createSmartContractRequest: CreateSmartContractRequest
                      • Optional options: RawAxiosRequestConfig = {}

                        Override http request option.

                      Returns Promise<RequestArgs>

                • deploySmartContract: ((walletId, addressId, smartContractId, deploySmartContractRequest, options?) => Promise<RequestArgs>)

                  Deploys a smart contract, by broadcasting the transaction to the network.

                  Summary

                  Deploy a smart contract

                  -

                  Throws

                    • (walletId, addressId, smartContractId, deploySmartContractRequest, options?): Promise<RequestArgs>
                    • Parameters

                      • walletId: string

                        The ID of the wallet the address belongs to.

                        +

                        Throws

                          • (walletId, addressId, smartContractId, deploySmartContractRequest, options?): Promise<RequestArgs>
                          • Parameters

                            • walletId: string

                              The ID of the wallet the address belongs to.

                            • addressId: string

                              The ID of the address to broadcast the transaction from.

                            • smartContractId: string

                              The UUID of the smart contract to broadcast the transaction to.

                            • deploySmartContractRequest: DeploySmartContractRequest
                            • Optional options: RawAxiosRequestConfig = {}

                              Override http request option.

                            Returns Promise<RequestArgs>

                      • getSmartContract: ((walletId, addressId, smartContractId, options?) => Promise<RequestArgs>)

                        Get a specific smart contract deployed by address.

                        Summary

                        Get a specific smart contract deployed by address

                        -

                        Throws

                          • (walletId, addressId, smartContractId, options?): Promise<RequestArgs>
                          • Parameters

                            • walletId: string

                              The ID of the wallet the address belongs to.

                              +

                              Throws

                                • (walletId, addressId, smartContractId, options?): Promise<RequestArgs>
                                • Parameters

                                  • walletId: string

                                    The ID of the wallet the address belongs to.

                                  • addressId: string

                                    The ID of the address to fetch the smart contract for.

                                  • smartContractId: string

                                    The UUID of the smart contract to fetch.

                                  • Optional options: RawAxiosRequestConfig = {}

                                    Override http request option.

                                  Returns Promise<RequestArgs>

                            • listSmartContracts: ((page?, options?) => Promise<RequestArgs>)

                              List smart contracts

                              Summary

                              List smart contracts

                              -

                              Throws

                                • (page?, options?): Promise<RequestArgs>
                                • Parameters

                                  • Optional page: string

                                    Pagination token for retrieving the next set of results

                                    +

                                    Throws

                                      • (page?, options?): Promise<RequestArgs>
                                      • Parameters

                                        • Optional page: string

                                          Pagination token for retrieving the next set of results

                                        • Optional options: RawAxiosRequestConfig = {}

                                          Override http request option.

                                        Returns Promise<RequestArgs>

                                  • readContract: ((networkId, contractAddress, readContractRequest, options?) => Promise<RequestArgs>)

                                    Perform a read operation on a smart contract without creating a transaction

                                    Summary

                                    Read data from a smart contract

                                    -

                                    Throws

                                      • (networkId, contractAddress, readContractRequest, options?): Promise<RequestArgs>
                                      • Parameters

                                        • networkId: string
                                        • contractAddress: string
                                        • readContractRequest: ReadContractRequest
                                        • Optional options: RawAxiosRequestConfig = {}

                                          Override http request option.

                                          +

                                          Throws

                                            • (networkId, contractAddress, readContractRequest, options?): Promise<RequestArgs>
                                            • Parameters

                                              • networkId: string
                                              • contractAddress: string
                                              • readContractRequest: ReadContractRequest
                                              • Optional options: RawAxiosRequestConfig = {}

                                                Override http request option.

                                              Returns Promise<RequestArgs>

                                        • registerSmartContract: ((networkId, contractAddress, registerSmartContractRequest?, options?) => Promise<RequestArgs>)

                                          Register a smart contract

                                          Summary

                                          Register a smart contract

                                          -

                                          Throws

                                            • (networkId, contractAddress, registerSmartContractRequest?, options?): Promise<RequestArgs>
                                            • Parameters

                                              • networkId: string

                                                The ID of the network to fetch.

                                                +

                                                Throws

                                                  • (networkId, contractAddress, registerSmartContractRequest?, options?): Promise<RequestArgs>
                                                  • Parameters

                                                    • networkId: string

                                                      The ID of the network to fetch.

                                                    • contractAddress: string

                                                      EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

                                                    • Optional registerSmartContractRequest: RegisterSmartContractRequest
                                                    • Optional options: RawAxiosRequestConfig = {}

                                                      Override http request option.

                                                    Returns Promise<RequestArgs>

                                              • updateSmartContract: ((networkId, contractAddress, updateSmartContractRequest?, options?) => Promise<RequestArgs>)

                                                Update a smart contract

                                                Summary

                                                Update a smart contract

                                                -

                                                Throws

                                                  • (networkId, contractAddress, updateSmartContractRequest?, options?): Promise<RequestArgs>
                                                  • Parameters

                                                    • networkId: string

                                                      The ID of the network to fetch.

                                                      +

                                                      Throws

                                                        • (networkId, contractAddress, updateSmartContractRequest?, options?): Promise<RequestArgs>
                                                        • Parameters

                                                          • networkId: string

                                                            The ID of the network to fetch.

                                                          • contractAddress: string

                                                            EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

                                                          • Optional updateSmartContractRequest: UpdateSmartContractRequest
                                                          • Optional options: RawAxiosRequestConfig = {}

                                                            Override http request option.

                                                            -

                                                          Returns Promise<RequestArgs>

                                                    Export

        \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.SmartContractsApiFactory.html b/docs/functions/client_api.SmartContractsApiFactory.html index 8c45aa43..b6f47a3c 100644 --- a/docs/functions/client_api.SmartContractsApiFactory.html +++ b/docs/functions/client_api.SmartContractsApiFactory.html @@ -1,36 +1,39 @@ -SmartContractsApiFactory | @coinbase/coinbase-sdk
    • SmartContractsApi - factory interface

      -

      Parameters

      • Optional configuration: Configuration
      • Optional basePath: string
      • Optional axios: AxiosInstance

      Returns {
          createSmartContract(walletId, addressId, createSmartContractRequest, options?): AxiosPromise<SmartContract>;
          deploySmartContract(walletId, addressId, smartContractId, deploySmartContractRequest, options?): AxiosPromise<SmartContract>;
          getSmartContract(walletId, addressId, smartContractId, options?): AxiosPromise<SmartContract>;
          listSmartContracts(page?, options?): AxiosPromise<SmartContractList>;
          readContract(networkId, contractAddress, readContractRequest, options?): AxiosPromise<SolidityValue>;
          registerSmartContract(networkId, contractAddress, registerSmartContractRequest?, options?): AxiosPromise<SmartContract>;
          updateSmartContract(networkId, contractAddress, updateSmartContractRequest?, options?): AxiosPromise<SmartContract>;
      }

      • createSmartContract:function
        • Create a new smart contract

          +SmartContractsApiFactory | @coinbase/coinbase-sdk
          • SmartContractsApi - factory interface

            +

            Parameters

            • Optional configuration: Configuration
            • Optional basePath: string
            • Optional axios: AxiosInstance

            Returns {
                compileSmartContract(compileSmartContractRequest, options?): AxiosPromise<CompiledSmartContract>;
                createSmartContract(walletId, addressId, createSmartContractRequest, options?): AxiosPromise<SmartContract>;
                deploySmartContract(walletId, addressId, smartContractId, deploySmartContractRequest, options?): AxiosPromise<SmartContract>;
                getSmartContract(walletId, addressId, smartContractId, options?): AxiosPromise<SmartContract>;
                listSmartContracts(page?, options?): AxiosPromise<SmartContractList>;
                readContract(networkId, contractAddress, readContractRequest, options?): AxiosPromise<SolidityValue>;
                registerSmartContract(networkId, contractAddress, registerSmartContractRequest?, options?): AxiosPromise<SmartContract>;
                updateSmartContract(networkId, contractAddress, updateSmartContractRequest?, options?): AxiosPromise<SmartContract>;
            }

            • compileSmartContract:function
            • createSmartContract:function
              • Create a new smart contract

                Parameters

                • walletId: string

                  The ID of the wallet the address belongs to.

                • addressId: string

                  The ID of the address to deploy the smart contract from.

                • createSmartContractRequest: CreateSmartContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns AxiosPromise<SmartContract>

                Summary

                Create a new smart contract

                -

                Throws

            • deploySmartContract:function
              • Deploys a smart contract, by broadcasting the transaction to the network.

                +

                Throws

            • deploySmartContract:function
              • Deploys a smart contract, by broadcasting the transaction to the network.

                Parameters

                • walletId: string

                  The ID of the wallet the address belongs to.

                • addressId: string

                  The ID of the address to broadcast the transaction from.

                • smartContractId: string

                  The UUID of the smart contract to broadcast the transaction to.

                • deploySmartContractRequest: DeploySmartContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns AxiosPromise<SmartContract>

                Summary

                Deploy a smart contract

                -

                Throws

            • getSmartContract:function
              • Get a specific smart contract deployed by address.

                +

                Throws

            • getSmartContract:function
              • Get a specific smart contract deployed by address.

                Parameters

                • walletId: string

                  The ID of the wallet the address belongs to.

                • addressId: string

                  The ID of the address to fetch the smart contract for.

                • smartContractId: string

                  The UUID of the smart contract to fetch.

                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns AxiosPromise<SmartContract>

                Summary

                Get a specific smart contract deployed by address

                -

                Throws

            • listSmartContracts:function
            • listSmartContracts:function
              • List smart contracts

                Parameters

                • Optional page: string

                  Pagination token for retrieving the next set of results

                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns AxiosPromise<SmartContractList>

                Summary

                List smart contracts

                -

                Throws

            • readContract:function
              • Perform a read operation on a smart contract without creating a transaction

                +

                Throws

            • readContract:function
              • Perform a read operation on a smart contract without creating a transaction

                Parameters

                • networkId: string
                • contractAddress: string
                • readContractRequest: ReadContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns AxiosPromise<SolidityValue>

                Summary

                Read data from a smart contract

                -

                Throws

            • registerSmartContract:function
              • Register a smart contract

                +

                Throws

            • registerSmartContract:function
              • Register a smart contract

                Parameters

                • networkId: string

                  The ID of the network to fetch.

                • contractAddress: string

                  EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

                • Optional registerSmartContractRequest: RegisterSmartContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns AxiosPromise<SmartContract>

                Summary

                Register a smart contract

                -

                Throws

            • updateSmartContract:function
              • Update a smart contract

                +

                Throws

            • updateSmartContract:function
              • Update a smart contract

                Parameters

                • networkId: string

                  The ID of the network to fetch.

                • contractAddress: string

                  EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

                • Optional updateSmartContractRequest: UpdateSmartContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns AxiosPromise<SmartContract>

                Summary

                Update a smart contract

                -

                Throws

            Export

          \ No newline at end of file +

          Throws

      Export

    \ No newline at end of file diff --git a/docs/functions/client_api.SmartContractsApiFp.html b/docs/functions/client_api.SmartContractsApiFp.html index c74a778d..c40d8648 100644 --- a/docs/functions/client_api.SmartContractsApiFp.html +++ b/docs/functions/client_api.SmartContractsApiFp.html @@ -1,36 +1,39 @@ -SmartContractsApiFp | @coinbase/coinbase-sdk
    • SmartContractsApi - functional programming interface

      -

      Parameters

      Returns {
          createSmartContract(walletId, addressId, createSmartContractRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
          deploySmartContract(walletId, addressId, smartContractId, deploySmartContractRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
          getSmartContract(walletId, addressId, smartContractId, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
          listSmartContracts(page?, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContractList>)>;
          readContract(networkId, contractAddress, readContractRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<SolidityValue>)>;
          registerSmartContract(networkId, contractAddress, registerSmartContractRequest?, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
          updateSmartContract(networkId, contractAddress, updateSmartContractRequest?, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
      }

      • createSmartContract:function
        • Create a new smart contract

          +SmartContractsApiFp | @coinbase/coinbase-sdk
          • SmartContractsApi - functional programming interface

            +

            Parameters

            Returns {
                compileSmartContract(compileSmartContractRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<CompiledSmartContract>)>;
                createSmartContract(walletId, addressId, createSmartContractRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
                deploySmartContract(walletId, addressId, smartContractId, deploySmartContractRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
                getSmartContract(walletId, addressId, smartContractId, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
                listSmartContracts(page?, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContractList>)>;
                readContract(networkId, contractAddress, readContractRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<SolidityValue>)>;
                registerSmartContract(networkId, contractAddress, registerSmartContractRequest?, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
                updateSmartContract(networkId, contractAddress, updateSmartContractRequest?, options?): Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>;
            }

            • compileSmartContract:function
            • createSmartContract:function
              • Create a new smart contract

                Parameters

                • walletId: string

                  The ID of the wallet the address belongs to.

                • addressId: string

                  The ID of the address to deploy the smart contract from.

                • createSmartContractRequest: CreateSmartContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>

                Summary

                Create a new smart contract

                -

                Throws

            • deploySmartContract:function
              • Deploys a smart contract, by broadcasting the transaction to the network.

                +

                Throws

            • deploySmartContract:function
              • Deploys a smart contract, by broadcasting the transaction to the network.

                Parameters

                • walletId: string

                  The ID of the wallet the address belongs to.

                • addressId: string

                  The ID of the address to broadcast the transaction from.

                • smartContractId: string

                  The UUID of the smart contract to broadcast the transaction to.

                • deploySmartContractRequest: DeploySmartContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>

                Summary

                Deploy a smart contract

                -

                Throws

            • getSmartContract:function
              • Get a specific smart contract deployed by address.

                +

                Throws

            • getSmartContract:function
              • Get a specific smart contract deployed by address.

                Parameters

                • walletId: string

                  The ID of the wallet the address belongs to.

                • addressId: string

                  The ID of the address to fetch the smart contract for.

                • smartContractId: string

                  The UUID of the smart contract to fetch.

                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>

                Summary

                Get a specific smart contract deployed by address

                -

                Throws

            • listSmartContracts:function
            • listSmartContracts:function
              • List smart contracts

                Parameters

                • Optional page: string

                  Pagination token for retrieving the next set of results

                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns Promise<((axios?, basePath?) => AxiosPromise<SmartContractList>)>

                Summary

                List smart contracts

                -

                Throws

            • readContract:function
              • Perform a read operation on a smart contract without creating a transaction

                +

                Throws

            • readContract:function
              • Perform a read operation on a smart contract without creating a transaction

                Parameters

                • networkId: string
                • contractAddress: string
                • readContractRequest: ReadContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns Promise<((axios?, basePath?) => AxiosPromise<SolidityValue>)>

                Summary

                Read data from a smart contract

                -

                Throws

            • registerSmartContract:function
              • Register a smart contract

                +

                Throws

            • registerSmartContract:function
              • Register a smart contract

                Parameters

                • networkId: string

                  The ID of the network to fetch.

                • contractAddress: string

                  EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

                • Optional registerSmartContractRequest: RegisterSmartContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>

                Summary

                Register a smart contract

                -

                Throws

            • updateSmartContract:function
              • Update a smart contract

                +

                Throws

            • updateSmartContract:function
              • Update a smart contract

                Parameters

                • networkId: string

                  The ID of the network to fetch.

                • contractAddress: string

                  EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

                • Optional updateSmartContractRequest: UpdateSmartContractRequest
                • Optional options: RawAxiosRequestConfig

                  Override http request option.

                Returns Promise<((axios?, basePath?) => AxiosPromise<SmartContract>)>

                Summary

                Update a smart contract

                -

                Throws

            Export

          \ No newline at end of file +

          Throws

      Export

    \ No newline at end of file diff --git a/docs/functions/client_api.StakeApiAxiosParamCreator.html b/docs/functions/client_api.StakeApiAxiosParamCreator.html index e0f0144e..6557a424 100644 --- a/docs/functions/client_api.StakeApiAxiosParamCreator.html +++ b/docs/functions/client_api.StakeApiAxiosParamCreator.html @@ -40,4 +40,4 @@

    Throws

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 50.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.StakeApiFactory.html b/docs/functions/client_api.StakeApiFactory.html index d767a7e4..fa4f44d3 100644 --- a/docs/functions/client_api.StakeApiFactory.html +++ b/docs/functions/client_api.StakeApiFactory.html @@ -2,7 +2,7 @@

    Parameters

    • Optional configuration: Configuration
    • Optional basePath: string
    • Optional axios: AxiosInstance

    Returns {
        buildStakingOperation(buildStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        fetchHistoricalStakingBalances(networkId, assetId, addressId, startTime, endTime, limit?, page?, options?): AxiosPromise<FetchHistoricalStakingBalances200Response>;
        fetchStakingRewards(fetchStakingRewardsRequest, limit?, page?, options?): AxiosPromise<FetchStakingRewards200Response>;
        getExternalStakingOperation(networkId, addressId, stakingOperationId, options?): AxiosPromise<StakingOperation>;
        getStakingContext(getStakingContextRequest, options?): AxiosPromise<StakingContext>;
        getValidator(networkId, assetId, validatorId, options?): AxiosPromise<Validator>;
        listValidators(networkId, assetId, status?, limit?, page?, options?): AxiosPromise<ValidatorList>;
    }

  • fetchStakingRewards:function
  • fetchStakingRewards:function
    • Fetch staking rewards for a list of addresses

      Parameters

      • fetchStakingRewardsRequest: FetchStakingRewardsRequest
      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 50.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FetchStakingRewards200Response>

      Summary

      Fetch staking rewards

      -

      Throws

  • getExternalStakingOperation:function
    • Get the latest state of a staking operation

      +

      Throws

  • getExternalStakingOperation:function
    • Get the latest state of a staking operation

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the staking operation for

      • stakingOperationId: string

        The ID of the staking operation

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<StakingOperation>

      Summary

      Get the latest state of a staking operation

      -

      Throws

  • getStakingContext:function
  • getStakingContext:function
  • getValidator:function
    • Get a validator belonging to the user for a given network, asset and id.

      +

      Throws

  • getValidator:function
    • Get a validator belonging to the user for a given network, asset and id.

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • assetId: string

        The symbol of the asset to get the validator for.

      • validatorId: string

        The unique id of the validator to fetch details for.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Validator>

      Summary

      Get a validator belonging to the CDP project

      -

      Throws

  • listValidators:function
    • List validators belonging to the user for a given network and asset.

      +

      Throws

  • listValidators:function

    Returns AxiosPromise<ValidatorList>

    Summary

    List validators belonging to the CDP project

    -

    Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.StakeApiFp.html b/docs/functions/client_api.StakeApiFp.html index 353000c3..3dfbfbcc 100644 --- a/docs/functions/client_api.StakeApiFp.html +++ b/docs/functions/client_api.StakeApiFp.html @@ -2,7 +2,7 @@

    Parameters

    Returns {
        buildStakingOperation(buildStakingOperationRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<StakingOperation>)>;
        fetchHistoricalStakingBalances(networkId, assetId, addressId, startTime, endTime, limit?, page?, options?): Promise<((axios?, basePath?) => AxiosPromise<FetchHistoricalStakingBalances200Response>)>;
        fetchStakingRewards(fetchStakingRewardsRequest, limit?, page?, options?): Promise<((axios?, basePath?) => AxiosPromise<FetchStakingRewards200Response>)>;
        getExternalStakingOperation(networkId, addressId, stakingOperationId, options?): Promise<((axios?, basePath?) => AxiosPromise<StakingOperation>)>;
        getStakingContext(getStakingContextRequest, options?): Promise<((axios?, basePath?) => AxiosPromise<StakingContext>)>;
        getValidator(networkId, assetId, validatorId, options?): Promise<((axios?, basePath?) => AxiosPromise<Validator>)>;
        listValidators(networkId, assetId, status?, limit?, page?, options?): Promise<((axios?, basePath?) => AxiosPromise<ValidatorList>)>;
    }

  • fetchStakingRewards:function
  • fetchStakingRewards:function
    • Fetch staking rewards for a list of addresses

      Parameters

      • fetchStakingRewardsRequest: FetchStakingRewardsRequest
      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 50.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<FetchStakingRewards200Response>)>

      Summary

      Fetch staking rewards

      -

      Throws

  • getExternalStakingOperation:function
    • Get the latest state of a staking operation

      +

      Throws

  • getExternalStakingOperation:function
    • Get the latest state of a staking operation

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the staking operation for

      • stakingOperationId: string

        The ID of the staking operation

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<StakingOperation>)>

      Summary

      Get the latest state of a staking operation

      -

      Throws

  • getStakingContext:function
    • Get staking context for an address

      +

      Throws

  • getStakingContext:function
    • Get staking context for an address

      Parameters

      Returns Promise<((axios?, basePath?) => AxiosPromise<StakingContext>)>

      Summary

      Get staking context

      -

      Throws

  • getValidator:function
    • Get a validator belonging to the user for a given network, asset and id.

      +

      Throws

  • getValidator:function
    • Get a validator belonging to the user for a given network, asset and id.

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • assetId: string

        The symbol of the asset to get the validator for.

      • validatorId: string

        The unique id of the validator to fetch details for.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Validator>)>

      Summary

      Get a validator belonging to the CDP project

      -

      Throws

  • listValidators:function
    • List validators belonging to the user for a given network and asset.

      +

      Throws

  • listValidators:function

    Returns Promise<((axios?, basePath?) => AxiosPromise<ValidatorList>)>

    Summary

    List validators belonging to the CDP project

    -

    Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TradesApiAxiosParamCreator.html b/docs/functions/client_api.TradesApiAxiosParamCreator.html index c8f2eeee..fd6466cd 100644 --- a/docs/functions/client_api.TradesApiAxiosParamCreator.html +++ b/docs/functions/client_api.TradesApiAxiosParamCreator.html @@ -23,4 +23,4 @@

    Throws

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TradesApiFactory.html b/docs/functions/client_api.TradesApiFactory.html index a160b5f3..aa6bcfc9 100644 --- a/docs/functions/client_api.TradesApiFactory.html +++ b/docs/functions/client_api.TradesApiFactory.html @@ -5,22 +5,22 @@
  • tradeId: string

    The ID of the trade to broadcast

  • broadcastTradeRequest: BroadcastTradeRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Trade>

    Summary

    Broadcast a trade

    -

    Throws

  • createTrade:function
    • Create a new trade

      +

      Throws

  • createTrade:function
    • Create a new trade

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to

      • addressId: string

        The ID of the address to conduct the trade from

      • createTradeRequest: CreateTradeRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Trade>

      Summary

      Create a new trade for an address

      -

      Throws

  • getTrade:function
  • getTrade:function
    • Get a trade by ID

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address the trade belongs to

      • tradeId: string

        The ID of the trade to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Trade>

      Summary

      Get a trade by ID

      -

      Throws

  • listTrades:function
  • listTrades:function
    • List trades for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to list trades for

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<TradeList>

      Summary

      List trades for an address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TradesApiFp.html b/docs/functions/client_api.TradesApiFp.html index 8c353ead..128cec01 100644 --- a/docs/functions/client_api.TradesApiFp.html +++ b/docs/functions/client_api.TradesApiFp.html @@ -5,22 +5,22 @@
  • tradeId: string

    The ID of the trade to broadcast

  • broadcastTradeRequest: BroadcastTradeRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<Trade>)>

    Summary

    Broadcast a trade

    -

    Throws

  • createTrade:function
    • Create a new trade

      +

      Throws

  • createTrade:function
    • Create a new trade

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to

      • addressId: string

        The ID of the address to conduct the trade from

      • createTradeRequest: CreateTradeRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Trade>)>

      Summary

      Create a new trade for an address

      -

      Throws

  • getTrade:function
    • Get a trade by ID

      +

      Throws

  • getTrade:function
    • Get a trade by ID

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address the trade belongs to

      • tradeId: string

        The ID of the trade to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Trade>)>

      Summary

      Get a trade by ID

      -

      Throws

  • listTrades:function
    • List trades for an address.

      +

      Throws

  • listTrades:function
    • List trades for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to list trades for

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<TradeList>)>

      Summary

      List trades for an address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TransactionHistoryApiAxiosParamCreator.html b/docs/functions/client_api.TransactionHistoryApiAxiosParamCreator.html index 20529817..176c5f39 100644 --- a/docs/functions/client_api.TransactionHistoryApiAxiosParamCreator.html +++ b/docs/functions/client_api.TransactionHistoryApiAxiosParamCreator.html @@ -6,4 +6,4 @@

    Throws

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TransactionHistoryApiFactory.html b/docs/functions/client_api.TransactionHistoryApiFactory.html index 4cb70299..c861c0ff 100644 --- a/docs/functions/client_api.TransactionHistoryApiFactory.html +++ b/docs/functions/client_api.TransactionHistoryApiFactory.html @@ -6,4 +6,4 @@
  • Optional page: string

    A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<AddressTransactionList>

    Summary

    List transactions for an address.

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TransactionHistoryApiFp.html b/docs/functions/client_api.TransactionHistoryApiFp.html index 5da14721..c5448def 100644 --- a/docs/functions/client_api.TransactionHistoryApiFp.html +++ b/docs/functions/client_api.TransactionHistoryApiFp.html @@ -6,4 +6,4 @@
  • Optional page: string

    A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<AddressTransactionList>)>

    Summary

    List transactions for an address.

    -

    Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TransfersApiAxiosParamCreator.html b/docs/functions/client_api.TransfersApiAxiosParamCreator.html index 6182ef52..af813f1b 100644 --- a/docs/functions/client_api.TransfersApiAxiosParamCreator.html +++ b/docs/functions/client_api.TransfersApiAxiosParamCreator.html @@ -23,4 +23,4 @@

    Throws

    • Optional limit: number

      A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

    • Optional page: string

      A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

    • Optional options: RawAxiosRequestConfig = {}

      Override http request option.

      -

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TransfersApiFactory.html b/docs/functions/client_api.TransfersApiFactory.html index c4173501..51276913 100644 --- a/docs/functions/client_api.TransfersApiFactory.html +++ b/docs/functions/client_api.TransfersApiFactory.html @@ -5,22 +5,22 @@
  • transferId: string

    The ID of the transfer to broadcast

  • broadcastTransferRequest: BroadcastTransferRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Transfer>

    Summary

    Broadcast a transfer

    -

    Throws

  • createTransfer:function
    • Create a new transfer

      +

      Throws

  • createTransfer:function
    • Create a new transfer

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to

      • addressId: string

        The ID of the address to transfer from

      • createTransferRequest: CreateTransferRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Transfer>

      Summary

      Create a new transfer for an address

      -

      Throws

  • getTransfer:function
  • getTransfer:function
    • Get a transfer by ID

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address the transfer belongs to

      • transferId: string

        The ID of the transfer to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Transfer>

      Summary

      Get a transfer by ID

      -

      Throws

  • listTransfers:function
  • listTransfers:function
    • List transfers for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to list transfers for

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<TransferList>

      Summary

      List transfers for an address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.TransfersApiFp.html b/docs/functions/client_api.TransfersApiFp.html index 63a23cc4..1cf6cace 100644 --- a/docs/functions/client_api.TransfersApiFp.html +++ b/docs/functions/client_api.TransfersApiFp.html @@ -5,22 +5,22 @@
  • transferId: string

    The ID of the transfer to broadcast

  • broadcastTransferRequest: BroadcastTransferRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns Promise<((axios?, basePath?) => AxiosPromise<Transfer>)>

    Summary

    Broadcast a transfer

    -

    Throws

  • createTransfer:function
    • Create a new transfer

      +

      Throws

  • createTransfer:function
    • Create a new transfer

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to

      • addressId: string

        The ID of the address to transfer from

      • createTransferRequest: CreateTransferRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Transfer>)>

      Summary

      Create a new transfer for an address

      -

      Throws

  • getTransfer:function
    • Get a transfer by ID

      +

      Throws

  • getTransfer:function
    • Get a transfer by ID

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address the transfer belongs to

      • transferId: string

        The ID of the transfer to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Transfer>)>

      Summary

      Get a transfer by ID

      -

      Throws

  • listTransfers:function
    • List transfers for an address.

      +

      Throws

  • listTransfers:function
    • List transfers for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to list transfers for

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<TransferList>)>

      Summary

      List transfers for an address.

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.UsersApiAxiosParamCreator.html b/docs/functions/client_api.UsersApiAxiosParamCreator.html index 11c85874..b713b2cd 100644 --- a/docs/functions/client_api.UsersApiAxiosParamCreator.html +++ b/docs/functions/client_api.UsersApiAxiosParamCreator.html @@ -2,4 +2,4 @@

    Parameters

    Returns {
        getCurrentUser: ((options?) => Promise<RequestArgs>);
    }

    • getCurrentUser: ((options?) => Promise<RequestArgs>)

      Get current user

      Summary

      Get current user

      Throws

        • (options?): Promise<RequestArgs>
        • Parameters

          • Optional options: RawAxiosRequestConfig = {}

            Override http request option.

            -

          Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.UsersApiFactory.html b/docs/functions/client_api.UsersApiFactory.html index 0244c1ac..c47f0cb5 100644 --- a/docs/functions/client_api.UsersApiFactory.html +++ b/docs/functions/client_api.UsersApiFactory.html @@ -2,4 +2,4 @@

    Parameters

    • Optional configuration: Configuration
    • Optional basePath: string
    • Optional axios: AxiosInstance

    Returns {
        getCurrentUser(options?): AxiosPromise<User>;
    }

    • getCurrentUser:function
      • Get current user

        Parameters

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<User>

        Summary

        Get current user

        -

        Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.UsersApiFp.html b/docs/functions/client_api.UsersApiFp.html index 1e04c0d0..2be836ef 100644 --- a/docs/functions/client_api.UsersApiFp.html +++ b/docs/functions/client_api.UsersApiFp.html @@ -2,4 +2,4 @@

    Parameters

    Returns {
        getCurrentUser(options?): Promise<((axios?, basePath?) => AxiosPromise<User>)>;
    }

    • getCurrentUser:function
      • Get current user

        Parameters

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<User>)>

        Summary

        Get current user

        -

        Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.WalletsApiAxiosParamCreator.html b/docs/functions/client_api.WalletsApiAxiosParamCreator.html index 07a093a5..296316c6 100644 --- a/docs/functions/client_api.WalletsApiAxiosParamCreator.html +++ b/docs/functions/client_api.WalletsApiAxiosParamCreator.html @@ -20,4 +20,4 @@

    Throws

      • (limit?, page?, options?): Promise<RequestArgs>
      • Parameters

        • Optional limit: number

          A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        • Optional page: string

          A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

        • Optional options: RawAxiosRequestConfig = {}

          Override http request option.

          -

        Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.WalletsApiFactory.html b/docs/functions/client_api.WalletsApiFactory.html index 5654e5e1..f8b50b01 100644 --- a/docs/functions/client_api.WalletsApiFactory.html +++ b/docs/functions/client_api.WalletsApiFactory.html @@ -2,22 +2,22 @@

    Parameters

    • Optional configuration: Configuration
    • Optional basePath: string
    • Optional axios: AxiosInstance

    Returns {
        createWallet(createWalletRequest?, options?): AxiosPromise<Wallet>;
        getWallet(walletId, options?): AxiosPromise<Wallet>;
        getWalletBalance(walletId, assetId, options?): AxiosPromise<Balance>;
        listWalletBalances(walletId, options?): AxiosPromise<AddressBalanceList>;
        listWallets(limit?, page?, options?): AxiosPromise<WalletList>;
    }

    • createWallet:function
      • Create a new wallet scoped to the user.

        Parameters

        • Optional createWalletRequest: CreateWalletRequest
        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<Wallet>

        Summary

        Create a new wallet

        -

        Throws

    • getWallet:function
    • getWallet:function
      • Get wallet

        Parameters

        • walletId: string

          The ID of the wallet to fetch

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<Wallet>

        Summary

        Get wallet by ID

        -

        Throws

    • getWalletBalance:function
      • Get the aggregated balance of an asset across all of the addresses in the wallet.

        +

        Throws

    • getWalletBalance:function
      • Get the aggregated balance of an asset across all of the addresses in the wallet.

        Parameters

        • walletId: string

          The ID of the wallet to fetch the balance for

        • assetId: string

          The symbol of the asset to fetch the balance for

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<Balance>

        Summary

        Get the balance of an asset in the wallet

        -

        Throws

    • listWalletBalances:function
    • listWalletBalances:function
      • List the balances of all of the addresses in the wallet aggregated by asset.

        Parameters

        • walletId: string

          The ID of the wallet to fetch the balances for

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<AddressBalanceList>

        Summary

        List wallet balances

        -

        Throws

    • listWallets:function
    • listWallets:function
      • List wallets belonging to the user.

        Parameters

        • Optional limit: number

          A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        • Optional page: string

          A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns AxiosPromise<WalletList>

        Summary

        List wallets

        -

        Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.WalletsApiFp.html b/docs/functions/client_api.WalletsApiFp.html index 417ed96c..b6b6d181 100644 --- a/docs/functions/client_api.WalletsApiFp.html +++ b/docs/functions/client_api.WalletsApiFp.html @@ -2,22 +2,22 @@

    Parameters

    Returns {
        createWallet(createWalletRequest?, options?): Promise<((axios?, basePath?) => AxiosPromise<Wallet>)>;
        getWallet(walletId, options?): Promise<((axios?, basePath?) => AxiosPromise<Wallet>)>;
        getWalletBalance(walletId, assetId, options?): Promise<((axios?, basePath?) => AxiosPromise<Balance>)>;
        listWalletBalances(walletId, options?): Promise<((axios?, basePath?) => AxiosPromise<AddressBalanceList>)>;
        listWallets(limit?, page?, options?): Promise<((axios?, basePath?) => AxiosPromise<WalletList>)>;
    }

    • createWallet:function
      • Create a new wallet scoped to the user.

        Parameters

        • Optional createWalletRequest: CreateWalletRequest
        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<Wallet>)>

        Summary

        Create a new wallet

        -

        Throws

    • getWallet:function
    • getWallet:function
      • Get wallet

        Parameters

        • walletId: string

          The ID of the wallet to fetch

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<Wallet>)>

        Summary

        Get wallet by ID

        -

        Throws

    • getWalletBalance:function
      • Get the aggregated balance of an asset across all of the addresses in the wallet.

        +

        Throws

    • getWalletBalance:function
      • Get the aggregated balance of an asset across all of the addresses in the wallet.

        Parameters

        • walletId: string

          The ID of the wallet to fetch the balance for

        • assetId: string

          The symbol of the asset to fetch the balance for

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<Balance>)>

        Summary

        Get the balance of an asset in the wallet

        -

        Throws

    • listWalletBalances:function
      • List the balances of all of the addresses in the wallet aggregated by asset.

        +

        Throws

    • listWalletBalances:function
      • List the balances of all of the addresses in the wallet aggregated by asset.

        Parameters

        • walletId: string

          The ID of the wallet to fetch the balances for

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<AddressBalanceList>)>

        Summary

        List wallet balances

        -

        Throws

    • listWallets:function
      • List wallets belonging to the user.

        +

        Throws

    • listWallets:function
      • List wallets belonging to the user.

        Parameters

        • Optional limit: number

          A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        • Optional page: string

          A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

        • Optional options: RawAxiosRequestConfig

          Override http request option.

        Returns Promise<((axios?, basePath?) => AxiosPromise<WalletList>)>

        Summary

        List wallets

        -

        Throws

    Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.WebhooksApiAxiosParamCreator.html b/docs/functions/client_api.WebhooksApiAxiosParamCreator.html index fc271b30..daf6fd18 100644 --- a/docs/functions/client_api.WebhooksApiAxiosParamCreator.html +++ b/docs/functions/client_api.WebhooksApiAxiosParamCreator.html @@ -19,4 +19,4 @@

    Throws

    • Summary

      Update a webhook

      Throws

        • (webhookId, updateWebhookRequest?, options?): Promise<RequestArgs>
        • Parameters

          • webhookId: string

            The Webhook id that needs to be updated

          • Optional updateWebhookRequest: UpdateWebhookRequest
          • Optional options: RawAxiosRequestConfig = {}

            Override http request option.

            -

          Returns Promise<RequestArgs>

    Export

    \ No newline at end of file +

    Returns Promise<RequestArgs>

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.WebhooksApiFactory.html b/docs/functions/client_api.WebhooksApiFactory.html index 48c9957c..62add3c1 100644 --- a/docs/functions/client_api.WebhooksApiFactory.html +++ b/docs/functions/client_api.WebhooksApiFactory.html @@ -3,20 +3,20 @@

    Parameters

    • walletId: string

      The ID of the wallet to create the webhook for.

    • Optional createWalletWebhookRequest: CreateWalletWebhookRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns AxiosPromise<Webhook>

    Summary

    Create a new webhook scoped to a wallet

    -

    Throws

  • createWebhook:function
  • createWebhook:function
    • Create a new webhook

      Parameters

      • Optional createWebhookRequest: CreateWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Webhook>

      Summary

      Create a new webhook

      -

      Throws

  • deleteWebhook:function
  • deleteWebhook:function
    • Delete a webhook

      Parameters

      • webhookId: string

        The Webhook uuid that needs to be deleted

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<void>

      Summary

      Delete a webhook

      -

      Throws

  • listWebhooks:function
  • listWebhooks:function
    • List webhooks, optionally filtered by event type.

      Parameters

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<WebhookList>

      Summary

      List webhooks

      -

      Throws

  • updateWebhook:function
  • updateWebhook:function
    • Update a webhook

      Parameters

      • webhookId: string

        The Webhook id that needs to be updated

      • Optional updateWebhookRequest: UpdateWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Webhook>

      Summary

      Update a webhook

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_api.WebhooksApiFp.html b/docs/functions/client_api.WebhooksApiFp.html index 1f071fcf..8bc9d4dd 100644 --- a/docs/functions/client_api.WebhooksApiFp.html +++ b/docs/functions/client_api.WebhooksApiFp.html @@ -3,20 +3,20 @@

    Parameters

    • walletId: string

      The ID of the wallet to create the webhook for.

    • Optional createWalletWebhookRequest: CreateWalletWebhookRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns Promise<((axios?, basePath?) => AxiosPromise<Webhook>)>

    Summary

    Create a new webhook scoped to a wallet

    -

    Throws

  • createWebhook:function
    • Create a new webhook

      +

      Throws

  • createWebhook:function
    • Create a new webhook

      Parameters

      • Optional createWebhookRequest: CreateWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Webhook>)>

      Summary

      Create a new webhook

      -

      Throws

  • deleteWebhook:function
    • Delete a webhook

      +

      Throws

  • deleteWebhook:function
    • Delete a webhook

      Parameters

      • webhookId: string

        The Webhook uuid that needs to be deleted

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<void>)>

      Summary

      Delete a webhook

      -

      Throws

  • listWebhooks:function
    • List webhooks, optionally filtered by event type.

      +

      Throws

  • listWebhooks:function
    • List webhooks, optionally filtered by event type.

      Parameters

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<WebhookList>)>

      Summary

      List webhooks

      -

      Throws

  • updateWebhook:function
    • Update a webhook

      +

      Throws

  • updateWebhook:function
    • Update a webhook

      Parameters

      • webhookId: string

        The Webhook id that needs to be updated

      • Optional updateWebhookRequest: UpdateWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns Promise<((axios?, basePath?) => AxiosPromise<Webhook>)>

      Summary

      Update a webhook

      -

      Throws

  • Export

    \ No newline at end of file +

    Throws

    Export

    \ No newline at end of file diff --git a/docs/functions/client_common.assertParamExists.html b/docs/functions/client_common.assertParamExists.html index b1bd93ea..8978b782 100644 --- a/docs/functions/client_common.assertParamExists.html +++ b/docs/functions/client_common.assertParamExists.html @@ -1 +1 @@ -assertParamExists | @coinbase/coinbase-sdk
    • Parameters

      • functionName: string
      • paramName: string
      • paramValue: unknown

      Returns void

      Throws

      Export

    \ No newline at end of file +assertParamExists | @coinbase/coinbase-sdk
    • Parameters

      • functionName: string
      • paramName: string
      • paramValue: unknown

      Returns void

      Throws

      Export

    \ No newline at end of file diff --git a/docs/functions/client_common.createRequestFunction.html b/docs/functions/client_common.createRequestFunction.html index 456c060d..2e71ff32 100644 --- a/docs/functions/client_common.createRequestFunction.html +++ b/docs/functions/client_common.createRequestFunction.html @@ -1 +1 @@ -createRequestFunction | @coinbase/coinbase-sdk
    • Parameters

      Returns (<T, R>(axios?, basePath?) => Promise<R>)

        • <T, R>(axios?, basePath?): Promise<R>
        • Type Parameters

          • T = unknown
          • R = AxiosResponse<T, any>

          Parameters

          • axios: AxiosInstance = globalAxios
          • basePath: string = BASE_PATH

          Returns Promise<R>

      Export

    \ No newline at end of file +createRequestFunction | @coinbase/coinbase-sdk
    • Parameters

      Returns (<T, R>(axios?, basePath?) => Promise<R>)

        • <T, R>(axios?, basePath?): Promise<R>
        • Type Parameters

          • T = unknown
          • R = AxiosResponse<T, any>

          Parameters

          • axios: AxiosInstance = globalAxios
          • basePath: string = BASE_PATH

          Returns Promise<R>

      Export

    \ No newline at end of file diff --git a/docs/functions/client_common.serializeDataIfNeeded.html b/docs/functions/client_common.serializeDataIfNeeded.html index dcc8e270..84d87c9c 100644 --- a/docs/functions/client_common.serializeDataIfNeeded.html +++ b/docs/functions/client_common.serializeDataIfNeeded.html @@ -1 +1 @@ -serializeDataIfNeeded | @coinbase/coinbase-sdk
    • Parameters

      • value: any
      • requestOptions: any
      • Optional configuration: Configuration

      Returns any

      Export

    \ No newline at end of file +serializeDataIfNeeded | @coinbase/coinbase-sdk
    • Parameters

      • value: any
      • requestOptions: any
      • Optional configuration: Configuration

      Returns any

      Export

    \ No newline at end of file diff --git a/docs/functions/client_common.setApiKeyToObject.html b/docs/functions/client_common.setApiKeyToObject.html index 9df63919..3dbf15f2 100644 --- a/docs/functions/client_common.setApiKeyToObject.html +++ b/docs/functions/client_common.setApiKeyToObject.html @@ -1 +1 @@ -setApiKeyToObject | @coinbase/coinbase-sdk
    • Parameters

      • object: any
      • keyParamName: string
      • Optional configuration: Configuration

      Returns Promise<void>

      Export

    \ No newline at end of file +setApiKeyToObject | @coinbase/coinbase-sdk
    • Parameters

      • object: any
      • keyParamName: string
      • Optional configuration: Configuration

      Returns Promise<void>

      Export

    \ No newline at end of file diff --git a/docs/functions/client_common.setBasicAuthToObject.html b/docs/functions/client_common.setBasicAuthToObject.html index 132aab49..5eb24dfb 100644 --- a/docs/functions/client_common.setBasicAuthToObject.html +++ b/docs/functions/client_common.setBasicAuthToObject.html @@ -1 +1 @@ -setBasicAuthToObject | @coinbase/coinbase-sdk
    \ No newline at end of file +setBasicAuthToObject | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/functions/client_common.setBearerAuthToObject.html b/docs/functions/client_common.setBearerAuthToObject.html index 4ce37fa4..03366bce 100644 --- a/docs/functions/client_common.setBearerAuthToObject.html +++ b/docs/functions/client_common.setBearerAuthToObject.html @@ -1 +1 @@ -setBearerAuthToObject | @coinbase/coinbase-sdk
    \ No newline at end of file +setBearerAuthToObject | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/functions/client_common.setOAuthToObject.html b/docs/functions/client_common.setOAuthToObject.html index bcec347c..30f6b5ca 100644 --- a/docs/functions/client_common.setOAuthToObject.html +++ b/docs/functions/client_common.setOAuthToObject.html @@ -1 +1 @@ -setOAuthToObject | @coinbase/coinbase-sdk
    • Parameters

      • object: any
      • name: string
      • scopes: string[]
      • Optional configuration: Configuration

      Returns Promise<void>

      Export

    \ No newline at end of file +setOAuthToObject | @coinbase/coinbase-sdk
    • Parameters

      • object: any
      • name: string
      • scopes: string[]
      • Optional configuration: Configuration

      Returns Promise<void>

      Export

    \ No newline at end of file diff --git a/docs/functions/client_common.setSearchParams.html b/docs/functions/client_common.setSearchParams.html index 5f2120fa..7e0d90ac 100644 --- a/docs/functions/client_common.setSearchParams.html +++ b/docs/functions/client_common.setSearchParams.html @@ -1 +1 @@ -setSearchParams | @coinbase/coinbase-sdk
    • Parameters

      • url: URL
      • Rest ...objects: any[]

      Returns void

      Export

    \ No newline at end of file +setSearchParams | @coinbase/coinbase-sdk
    • Parameters

      • url: URL
      • Rest ...objects: any[]

      Returns void

      Export

    \ No newline at end of file diff --git a/docs/functions/client_common.toPathString.html b/docs/functions/client_common.toPathString.html index 73a74bf6..a6bf1c17 100644 --- a/docs/functions/client_common.toPathString.html +++ b/docs/functions/client_common.toPathString.html @@ -1 +1 @@ -toPathString | @coinbase/coinbase-sdk
    \ No newline at end of file +toPathString | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/functions/coinbase_hash.hashMessage.html b/docs/functions/coinbase_hash.hashMessage.html index acb1c147..4f0ff590 100644 --- a/docs/functions/coinbase_hash.hashMessage.html +++ b/docs/functions/coinbase_hash.hashMessage.html @@ -2,4 +2,4 @@

    Parameters

    • message: string | Uint8Array

      The message to hash.

    Returns string

    The EIP-191 hash of the message as a string.

    Throws

    if the message cannot be hashed.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_hash.hashTypedDataMessage.html b/docs/functions/coinbase_hash.hashTypedDataMessage.html index 4d0956b8..d8b9a06f 100644 --- a/docs/functions/coinbase_hash.hashTypedDataMessage.html +++ b/docs/functions/coinbase_hash.hashTypedDataMessage.html @@ -4,4 +4,4 @@
  • value: Record<string, any>

    The actual data object to hash, conforming to the types defined.

  • Returns string

    The EIP-712 hash of the typed data as a hex-encoded string.

    Throws

    if the typed data cannot be hashed.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_read_contract.readContract.html b/docs/functions/coinbase_read_contract.readContract.html index dcb5d89d..515c493d 100644 --- a/docs/functions/coinbase_read_contract.readContract.html +++ b/docs/functions/coinbase_read_contract.readContract.html @@ -9,4 +9,4 @@
  • method: TFunctionName

    The contract method to call.

  • networkId: string

    The network ID.

  • Returns Promise<TAbi extends Abi
        ? ContractFunctionReturnType<TAbi, Extract<TFunctionName, ContractFunctionName<TAbi, "view" | "pure">>, TArgs>
        : any>

    The result of the contract call.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_types.isMnemonicSeedPhrase.html b/docs/functions/coinbase_types.isMnemonicSeedPhrase.html index 94faaa08..4c780060 100644 --- a/docs/functions/coinbase_types.isMnemonicSeedPhrase.html +++ b/docs/functions/coinbase_types.isMnemonicSeedPhrase.html @@ -1,4 +1,4 @@ isMnemonicSeedPhrase | @coinbase/coinbase-sdk
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_types.isWalletData.html b/docs/functions/coinbase_types.isWalletData.html index 4611765d..2466d76d 100644 --- a/docs/functions/coinbase_types.isWalletData.html +++ b/docs/functions/coinbase_types.isWalletData.html @@ -7,4 +7,4 @@

    Parameters

    • data: unknown

      The data to check

    Returns data is WalletData

    True if data matches the appropriate WalletData format

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_utils.convertStringToHex.html b/docs/functions/coinbase_utils.convertStringToHex.html index ee47b1da..4b16912b 100644 --- a/docs/functions/coinbase_utils.convertStringToHex.html +++ b/docs/functions/coinbase_utils.convertStringToHex.html @@ -1,4 +1,4 @@ convertStringToHex | @coinbase/coinbase-sdk
    • Converts a Uint8Array to a hex string.

      Parameters

      • key: Uint8Array

        The key to convert.

      Returns string

      The converted hex string.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_utils.delay.html b/docs/functions/coinbase_utils.delay.html index 0f5562fa..a00fd875 100644 --- a/docs/functions/coinbase_utils.delay.html +++ b/docs/functions/coinbase_utils.delay.html @@ -1,4 +1,4 @@ delay | @coinbase/coinbase-sdk
    • Delays the execution of the function by the specified number of seconds.

      Parameters

      • seconds: number

        The number of seconds to delay the execution.

      Returns Promise<void>

      A promise that resolves after the specified number of seconds.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_utils.formatDate.html b/docs/functions/coinbase_utils.formatDate.html index 992f3a56..fd362dd6 100644 --- a/docs/functions/coinbase_utils.formatDate.html +++ b/docs/functions/coinbase_utils.formatDate.html @@ -1,4 +1,4 @@ formatDate | @coinbase/coinbase-sdk
    • Formats the input date to 'YYYY-MM-DD'

      Parameters

      • date: Date

        The date to format.

      Returns string

      a formated date of 'YYYY-MM-DD'

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_utils.getWeekBackDate.html b/docs/functions/coinbase_utils.getWeekBackDate.html index e62a3cce..c4f8d443 100644 --- a/docs/functions/coinbase_utils.getWeekBackDate.html +++ b/docs/functions/coinbase_utils.getWeekBackDate.html @@ -1,4 +1,4 @@ getWeekBackDate | @coinbase/coinbase-sdk
    • Takes a date and subtracts a week from it. (7 days)

      Parameters

      • date: Date

        The date to be formatted.

      Returns string

      a formatted date that is one week ago.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_utils.logApiResponse.html b/docs/functions/coinbase_utils.logApiResponse.html index db800875..1a1824cb 100644 --- a/docs/functions/coinbase_utils.logApiResponse.html +++ b/docs/functions/coinbase_utils.logApiResponse.html @@ -2,4 +2,4 @@

    Parameters

    • response: AxiosResponse<any, any>

      The Axios response object.

    • debugging: boolean = false

      Flag to enable or disable logging.

    Returns AxiosResponse<any, any>

    The Axios response object.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_utils.parseUnsignedPayload.html b/docs/functions/coinbase_utils.parseUnsignedPayload.html index d93b392b..93aaa176 100644 --- a/docs/functions/coinbase_utils.parseUnsignedPayload.html +++ b/docs/functions/coinbase_utils.parseUnsignedPayload.html @@ -2,4 +2,4 @@

    Parameters

    • payload: string

      The Unsigned Payload.

    Returns Record<string, any>

    The parsed JSON object.

    Throws

    If the Unsigned Payload is invalid.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/functions/coinbase_utils.registerAxiosInterceptors.html b/docs/functions/coinbase_utils.registerAxiosInterceptors.html index 3f3a04c4..260282d3 100644 --- a/docs/functions/coinbase_utils.registerAxiosInterceptors.html +++ b/docs/functions/coinbase_utils.registerAxiosInterceptors.html @@ -2,4 +2,4 @@

    Parameters

    • axiosInstance: Axios

      The Axios instance to register the interceptors.

    • requestFn: RequestFunctionType

      The request interceptor function.

    • responseFn: ResponseFunctionType

      The response interceptor function.

      -

    Returns void

    \ No newline at end of file +

    Returns void

    \ No newline at end of file diff --git a/docs/interfaces/client_api.Address.html b/docs/interfaces/client_api.Address.html index dc6e0f84..a9f7588a 100644 --- a/docs/interfaces/client_api.Address.html +++ b/docs/interfaces/client_api.Address.html @@ -1,17 +1,17 @@ Address | @coinbase/coinbase-sdk

    Export

    Address

    -
    interface Address {
        address_id: string;
        index: number;
        network_id: string;
        public_key: string;
        wallet_id: string;
    }

    Properties

    interface Address {
        address_id: string;
        index: number;
        network_id: string;
        public_key: string;
        wallet_id: string;
    }

    Properties

    address_id: string

    The onchain address derived on the server-side.

    Memberof

    Address

    -
    index: number

    The index of the address in the wallet.

    +
    index: number

    The index of the address in the wallet.

    Memberof

    Address

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    Address

    -
    public_key: string

    The public key from which the address is derived.

    +
    public_key: string

    The public key from which the address is derived.

    Memberof

    Address

    -
    wallet_id: string

    The ID of the wallet that owns the address

    +
    wallet_id: string

    The ID of the wallet that owns the address

    Memberof

    Address

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.AddressBalanceList.html b/docs/interfaces/client_api.AddressBalanceList.html index 1b061116..b191713c 100644 --- a/docs/interfaces/client_api.AddressBalanceList.html +++ b/docs/interfaces/client_api.AddressBalanceList.html @@ -1,13 +1,13 @@ AddressBalanceList | @coinbase/coinbase-sdk

    Export

    AddressBalanceList

    -
    interface AddressBalanceList {
        data: Balance[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface AddressBalanceList {
        data: Balance[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    data: Balance[]

    Memberof

    AddressBalanceList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    AddressBalanceList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    AddressBalanceList

    -
    total_count: number

    The total number of balances for the wallet.

    +
    total_count: number

    The total number of balances for the wallet.

    Memberof

    AddressBalanceList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.AddressHistoricalBalanceList.html b/docs/interfaces/client_api.AddressHistoricalBalanceList.html index 9908dc9e..3838d9e3 100644 --- a/docs/interfaces/client_api.AddressHistoricalBalanceList.html +++ b/docs/interfaces/client_api.AddressHistoricalBalanceList.html @@ -1,10 +1,10 @@ AddressHistoricalBalanceList | @coinbase/coinbase-sdk

    Export

    AddressHistoricalBalanceList

    -
    interface AddressHistoricalBalanceList {
        data: HistoricalBalance[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    interface AddressHistoricalBalanceList {
        data: HistoricalBalance[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    Memberof

    AddressHistoricalBalanceList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    AddressHistoricalBalanceList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    AddressHistoricalBalanceList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.AddressList.html b/docs/interfaces/client_api.AddressList.html index 79f2d1c4..2ee6bcd8 100644 --- a/docs/interfaces/client_api.AddressList.html +++ b/docs/interfaces/client_api.AddressList.html @@ -1,13 +1,13 @@ AddressList | @coinbase/coinbase-sdk

    Export

    AddressList

    -
    interface AddressList {
        data: Address[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface AddressList {
        data: Address[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    data: Address[]

    Memberof

    AddressList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    AddressList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    AddressList

    -
    total_count: number

    The total number of addresses for the wallet.

    +
    total_count: number

    The total number of addresses for the wallet.

    Memberof

    AddressList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.AddressReputation.html b/docs/interfaces/client_api.AddressReputation.html index b1ee86fd..ff72b4af 100644 --- a/docs/interfaces/client_api.AddressReputation.html +++ b/docs/interfaces/client_api.AddressReputation.html @@ -1,8 +1,8 @@ AddressReputation | @coinbase/coinbase-sdk

    The reputation score with metadata of a blockchain address.

    Export

    AddressReputation

    -
    interface AddressReputation {
        metadata: AddressReputationMetadata;
        score: number;
    }

    Properties

    interface AddressReputation {
        metadata: AddressReputationMetadata;
        score: number;
    }

    Properties

    Properties

    Memberof

    AddressReputation

    -
    score: number

    The score of a wallet address, ranging from -100 to 100. A negative score indicates a bad reputation, while a positive score indicates a good reputation.

    +
    score: number

    The score of a wallet address, ranging from -100 to 100. A negative score indicates a bad reputation, while a positive score indicates a good reputation.

    Memberof

    AddressReputation

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.AddressReputationMetadata.html b/docs/interfaces/client_api.AddressReputationMetadata.html index 01b16837..e493c595 100644 --- a/docs/interfaces/client_api.AddressReputationMetadata.html +++ b/docs/interfaces/client_api.AddressReputationMetadata.html @@ -1,6 +1,6 @@ AddressReputationMetadata | @coinbase/coinbase-sdk

    The metadata for the reputation score of onchain address.

    Export

    AddressReputationMetadata

    -
    interface AddressReputationMetadata {
        activity_period_days: number;
        bridge_transactions_performed: number;
        current_active_streak: number;
        ens_contract_interactions: number;
        lend_borrow_stake_transactions: number;
        longest_active_streak: number;
        smart_contract_deployments: number;
        token_swaps_performed: number;
        total_transactions: number;
        unique_days_active: number;
    }

    Properties

    interface AddressReputationMetadata {
        activity_period_days: number;
        bridge_transactions_performed: number;
        current_active_streak: number;
        ens_contract_interactions: number;
        lend_borrow_stake_transactions: number;
        longest_active_streak: number;
        smart_contract_deployments: number;
        token_swaps_performed: number;
        total_transactions: number;
        unique_days_active: number;
    }

    Properties

    activity_period_days: number

    The total number of days the address has been active.

    Memberof

    AddressReputationMetadata

    -
    bridge_transactions_performed: number

    The number of bridge transactions performed by the address.

    +
    bridge_transactions_performed: number

    The number of bridge transactions performed by the address.

    Memberof

    AddressReputationMetadata

    -
    current_active_streak: number

    The current streak of consecutive active days.

    +
    current_active_streak: number

    The current streak of consecutive active days.

    Memberof

    AddressReputationMetadata

    -
    ens_contract_interactions: number

    The number of interactions with ENS contracts.

    +
    ens_contract_interactions: number

    The number of interactions with ENS contracts.

    Memberof

    AddressReputationMetadata

    -
    lend_borrow_stake_transactions: number

    The number of lend, borrow, or stake transactions performed by the address.

    +
    lend_borrow_stake_transactions: number

    The number of lend, borrow, or stake transactions performed by the address.

    Memberof

    AddressReputationMetadata

    -
    longest_active_streak: number

    The longest streak of consecutive active days.

    +
    longest_active_streak: number

    The longest streak of consecutive active days.

    Memberof

    AddressReputationMetadata

    -
    smart_contract_deployments: number

    The number of smart contracts deployed by the address.

    +
    smart_contract_deployments: number

    The number of smart contracts deployed by the address.

    Memberof

    AddressReputationMetadata

    -
    token_swaps_performed: number

    The number of token swaps performed by the address.

    +
    token_swaps_performed: number

    The number of token swaps performed by the address.

    Memberof

    AddressReputationMetadata

    -
    total_transactions: number

    The total number of transactions performed by the address.

    +
    total_transactions: number

    The total number of transactions performed by the address.

    Memberof

    AddressReputationMetadata

    -
    unique_days_active: number

    The number of unique days the address was active.

    +
    unique_days_active: number

    The number of unique days the address was active.

    Memberof

    AddressReputationMetadata

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.AddressTransactionList.html b/docs/interfaces/client_api.AddressTransactionList.html index 7439f4d4..5d7367f8 100644 --- a/docs/interfaces/client_api.AddressTransactionList.html +++ b/docs/interfaces/client_api.AddressTransactionList.html @@ -1,10 +1,10 @@ AddressTransactionList | @coinbase/coinbase-sdk

    Export

    AddressTransactionList

    -
    interface AddressTransactionList {
        data: Transaction[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    interface AddressTransactionList {
        data: Transaction[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    data: Transaction[]

    Memberof

    AddressTransactionList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    AddressTransactionList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    AddressTransactionList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.AddressesApiInterface.html b/docs/interfaces/client_api.AddressesApiInterface.html index 9817e41e..058f7e26 100644 --- a/docs/interfaces/client_api.AddressesApiInterface.html +++ b/docs/interfaces/client_api.AddressesApiInterface.html @@ -1,6 +1,6 @@ AddressesApiInterface | @coinbase/coinbase-sdk

    AddressesApi - interface

    Export

    AddressesApi

    -
    interface AddressesApiInterface {
        createAddress(walletId, createAddressRequest?, options?): AxiosPromise<Address>;
        createPayloadSignature(walletId, addressId, createPayloadSignatureRequest?, options?): AxiosPromise<PayloadSignature>;
        getAddress(walletId, addressId, options?): AxiosPromise<Address>;
        getAddressBalance(walletId, addressId, assetId, options?): AxiosPromise<Balance>;
        getPayloadSignature(walletId, addressId, payloadSignatureId, options?): AxiosPromise<PayloadSignature>;
        listAddressBalances(walletId, addressId, page?, options?): AxiosPromise<AddressBalanceList>;
        listAddresses(walletId, limit?, page?, options?): AxiosPromise<AddressList>;
        listPayloadSignatures(walletId, addressId, limit?, page?, options?): AxiosPromise<PayloadSignatureList>;
        requestFaucetFunds(walletId, addressId, assetId?, options?): AxiosPromise<FaucetTransaction>;
    }

    Implemented by

    Methods

    interface AddressesApiInterface {
        createAddress(walletId, createAddressRequest?, options?): AxiosPromise<Address>;
        createPayloadSignature(walletId, addressId, createPayloadSignatureRequest?, options?): AxiosPromise<PayloadSignature>;
        getAddress(walletId, addressId, options?): AxiosPromise<Address>;
        getAddressBalance(walletId, addressId, assetId, options?): AxiosPromise<Balance>;
        getPayloadSignature(walletId, addressId, payloadSignatureId, options?): AxiosPromise<PayloadSignature>;
        listAddressBalances(walletId, addressId, page?, options?): AxiosPromise<AddressBalanceList>;
        listAddresses(walletId, limit?, page?, options?): AxiosPromise<AddressList>;
        listPayloadSignatures(walletId, addressId, limit?, page?, options?): AxiosPromise<PayloadSignatureList>;
        requestFaucetFunds(walletId, addressId, assetId?, options?): AxiosPromise<FaucetTransaction>;
    }

    Implemented by

    Methods

  • Optional createAddressRequest: CreateAddressRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Address>

    Summary

    Create a new address

    Throws

    Memberof

    AddressesApiInterface

    -
    • Create a new payload signature with an address.

      +
    • Create a new payload signature with an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address to sign the payload with.

      • Optional createPayloadSignatureRequest: CreatePayloadSignatureRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<PayloadSignature>

      Summary

      Create a new payload signature.

      Throws

      Memberof

      AddressesApiInterface

      -
    • Get address

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Address>

      Summary

      Get address by onchain address

      Throws

      Memberof

      AddressesApiInterface

      -
    • Get address balance

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balance for

      • addressId: string

        The onchain address of the address that is being fetched.

      • assetId: string

        The symbol of the asset to fetch the balance for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Balance>

      Summary

      Get address balance for asset

      Throws

      Memberof

      AddressesApiInterface

      -
    • Get payload signature.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that signed the payload.

      • payloadSignatureId: string

        The ID of the payload signature to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<PayloadSignature>

      Summary

      Get payload signature.

      Throws

      Memberof

      AddressesApiInterface

      -
    • Get address balances

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balances for

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressBalanceList>

      Summary

      Get all balances for address

      Throws

      Memberof

      AddressesApiInterface

      -
    • List addresses in the wallet.

      Parameters

      • walletId: string

        The ID of the wallet whose addresses to fetch

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressList>

      Summary

      List addresses in a wallet.

      Throws

      Memberof

      AddressesApiInterface

      -
    • List payload signatures for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address whose payload signatures to fetch.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        @@ -62,11 +62,11 @@

        Throws

        Memberof

        AddressesApiInterface

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<PayloadSignatureList>

      Summary

      List payload signatures for an address.

      Throws

      Memberof

      AddressesApiInterface

      -
    • Request faucet funds to be sent to onchain address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional assetId: string

        The ID of the asset to transfer from the faucet.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FaucetTransaction>

      Summary

      Request faucet funds for onchain address.

      Deprecated

      Throws

      Memberof

      AddressesApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Asset.html b/docs/interfaces/client_api.Asset.html index 2aebecce..4ebe6c08 100644 --- a/docs/interfaces/client_api.Asset.html +++ b/docs/interfaces/client_api.Asset.html @@ -1,15 +1,15 @@ Asset | @coinbase/coinbase-sdk

    An asset onchain scoped to a particular network, e.g. ETH on base-sepolia, or the USDC ERC20 Token on ethereum-mainnet.

    Export

    Asset

    -
    interface Asset {
        asset_id: string;
        contract_address?: string;
        decimals?: number;
        network_id: string;
    }

    Properties

    interface Asset {
        asset_id: string;
        contract_address?: string;
        decimals?: number;
        network_id: string;
    }

    Properties

    asset_id: string

    The ID for the asset on the network

    Memberof

    Asset

    -
    contract_address?: string

    The optional contract address for the asset. This will be specified for smart contract-based assets, for example ERC20s.

    +
    contract_address?: string

    The optional contract address for the asset. This will be specified for smart contract-based assets, for example ERC20s.

    Memberof

    Asset

    -
    decimals?: number

    The number of decimals the asset supports. This is used to convert from atomic units to base units.

    +
    decimals?: number

    The number of decimals the asset supports. This is used to convert from atomic units to base units.

    Memberof

    Asset

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    Asset

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.AssetsApiInterface.html b/docs/interfaces/client_api.AssetsApiInterface.html index f830aea1..8e4e44ef 100644 --- a/docs/interfaces/client_api.AssetsApiInterface.html +++ b/docs/interfaces/client_api.AssetsApiInterface.html @@ -1,10 +1,10 @@ AssetsApiInterface | @coinbase/coinbase-sdk

    AssetsApi - interface

    Export

    AssetsApi

    -
    interface AssetsApiInterface {
        getAsset(networkId, assetId, options?): AxiosPromise<Asset>;
    }

    Implemented by

    Methods

    interface AssetsApiInterface {
        getAsset(networkId, assetId, options?): AxiosPromise<Asset>;
    }

    Implemented by

    Methods

    Methods

    • Get the asset for the specified asset ID.

      Parameters

      • networkId: string

        The ID of the blockchain network

      • assetId: string

        The ID of the asset to fetch. This could be a symbol or an ERC20 contract address.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Asset>

      Summary

      Get the asset for the specified asset ID.

      Throws

      Memberof

      AssetsApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Balance.html b/docs/interfaces/client_api.Balance.html index 3f72cfb7..b381068c 100644 --- a/docs/interfaces/client_api.Balance.html +++ b/docs/interfaces/client_api.Balance.html @@ -1,8 +1,8 @@ Balance | @coinbase/coinbase-sdk

    The balance of an asset onchain

    Export

    Balance

    -
    interface Balance {
        amount: string;
        asset: Asset;
    }

    Properties

    interface Balance {
        amount: string;
        asset: Asset;
    }

    Properties

    Properties

    amount: string

    The amount in the atomic units of the asset

    Memberof

    Balance

    -
    asset: Asset

    Memberof

    Balance

    -
    \ No newline at end of file +
    asset: Asset

    Memberof

    Balance

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.BalanceHistoryApiInterface.html b/docs/interfaces/client_api.BalanceHistoryApiInterface.html index 1e3eac41..76c64414 100644 --- a/docs/interfaces/client_api.BalanceHistoryApiInterface.html +++ b/docs/interfaces/client_api.BalanceHistoryApiInterface.html @@ -1,6 +1,6 @@ BalanceHistoryApiInterface | @coinbase/coinbase-sdk

    BalanceHistoryApi - interface

    Export

    BalanceHistoryApi

    -
    interface BalanceHistoryApiInterface {
        listAddressHistoricalBalance(networkId, addressId, assetId, limit?, page?, options?): AxiosPromise<AddressHistoricalBalanceList>;
    }

    Implemented by

    Methods

    interface BalanceHistoryApiInterface {
        listAddressHistoricalBalance(networkId, addressId, assetId, limit?, page?, options?): AxiosPromise<AddressHistoricalBalanceList>;
    }

    Implemented by

    Methods

    • List the historical balance of an asset in a specific address.

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the historical balance for.

        @@ -10,4 +10,4 @@
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressHistoricalBalanceList>

      Summary

      Get address balance history for asset

      Throws

      Memberof

      BalanceHistoryApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.BroadcastContractInvocationRequest.html b/docs/interfaces/client_api.BroadcastContractInvocationRequest.html index 3c2f7a7f..c88508af 100644 --- a/docs/interfaces/client_api.BroadcastContractInvocationRequest.html +++ b/docs/interfaces/client_api.BroadcastContractInvocationRequest.html @@ -1,5 +1,5 @@ BroadcastContractInvocationRequest | @coinbase/coinbase-sdk

    Interface BroadcastContractInvocationRequest

    Export

    BroadcastContractInvocationRequest

    -
    interface BroadcastContractInvocationRequest {
        signed_payload: string;
    }

    Properties

    interface BroadcastContractInvocationRequest {
        signed_payload: string;
    }

    Properties

    Properties

    signed_payload: string

    The hex-encoded signed payload of the contract invocation

    Memberof

    BroadcastContractInvocationRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.BroadcastExternalTransferRequest.html b/docs/interfaces/client_api.BroadcastExternalTransferRequest.html index 75fbdbbe..fbaf4988 100644 --- a/docs/interfaces/client_api.BroadcastExternalTransferRequest.html +++ b/docs/interfaces/client_api.BroadcastExternalTransferRequest.html @@ -1,5 +1,5 @@ BroadcastExternalTransferRequest | @coinbase/coinbase-sdk

    Export

    BroadcastExternalTransferRequest

    -
    interface BroadcastExternalTransferRequest {
        signed_payload: string;
    }

    Properties

    interface BroadcastExternalTransferRequest {
        signed_payload: string;
    }

    Properties

    Properties

    signed_payload: string

    The hex-encoded signed payload of the external transfer

    Memberof

    BroadcastExternalTransferRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.BroadcastStakingOperationRequest.html b/docs/interfaces/client_api.BroadcastStakingOperationRequest.html index 09e888b6..866e5a9c 100644 --- a/docs/interfaces/client_api.BroadcastStakingOperationRequest.html +++ b/docs/interfaces/client_api.BroadcastStakingOperationRequest.html @@ -1,8 +1,8 @@ BroadcastStakingOperationRequest | @coinbase/coinbase-sdk

    Export

    BroadcastStakingOperationRequest

    -
    interface BroadcastStakingOperationRequest {
        signed_payload: string;
        transaction_index: number;
    }

    Properties

    interface BroadcastStakingOperationRequest {
        signed_payload: string;
        transaction_index: number;
    }

    Properties

    signed_payload: string

    The hex-encoded signed payload of the staking operation.

    Memberof

    BroadcastStakingOperationRequest

    -
    transaction_index: number

    The index in the transaction array of the staking operation.

    +
    transaction_index: number

    The index in the transaction array of the staking operation.

    Memberof

    BroadcastStakingOperationRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.BroadcastTradeRequest.html b/docs/interfaces/client_api.BroadcastTradeRequest.html index 8cbaa164..2a5740f0 100644 --- a/docs/interfaces/client_api.BroadcastTradeRequest.html +++ b/docs/interfaces/client_api.BroadcastTradeRequest.html @@ -1,8 +1,8 @@ BroadcastTradeRequest | @coinbase/coinbase-sdk

    Export

    BroadcastTradeRequest

    -
    interface BroadcastTradeRequest {
        approve_transaction_signed_payload?: string;
        signed_payload: string;
    }

    Properties

    interface BroadcastTradeRequest {
        approve_transaction_signed_payload?: string;
        signed_payload: string;
    }

    Properties

    approve_transaction_signed_payload?: string

    The hex-encoded signed payload of the approval transaction

    Memberof

    BroadcastTradeRequest

    -
    signed_payload: string

    The hex-encoded signed payload of the trade

    +
    signed_payload: string

    The hex-encoded signed payload of the trade

    Memberof

    BroadcastTradeRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.BroadcastTransferRequest.html b/docs/interfaces/client_api.BroadcastTransferRequest.html index ece40fab..16a8d5e9 100644 --- a/docs/interfaces/client_api.BroadcastTransferRequest.html +++ b/docs/interfaces/client_api.BroadcastTransferRequest.html @@ -1,5 +1,5 @@ BroadcastTransferRequest | @coinbase/coinbase-sdk

    Export

    BroadcastTransferRequest

    -
    interface BroadcastTransferRequest {
        signed_payload: string;
    }

    Properties

    interface BroadcastTransferRequest {
        signed_payload: string;
    }

    Properties

    Properties

    signed_payload: string

    The hex-encoded signed payload of the transfer

    Memberof

    BroadcastTransferRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.BuildStakingOperationRequest.html b/docs/interfaces/client_api.BuildStakingOperationRequest.html index ee182798..364ecfb4 100644 --- a/docs/interfaces/client_api.BuildStakingOperationRequest.html +++ b/docs/interfaces/client_api.BuildStakingOperationRequest.html @@ -1,17 +1,17 @@ BuildStakingOperationRequest | @coinbase/coinbase-sdk

    Export

    BuildStakingOperationRequest

    -
    interface BuildStakingOperationRequest {
        action: string;
        address_id: string;
        asset_id: string;
        network_id: string;
        options: {
            [key: string]: string;
        };
    }

    Properties

    interface BuildStakingOperationRequest {
        action: string;
        address_id: string;
        asset_id: string;
        network_id: string;
        options: {
            [key: string]: string;
        };
    }

    Properties

    action: string

    The type of staking operation

    Memberof

    BuildStakingOperationRequest

    -
    address_id: string

    The onchain address from which the staking transaction originates and is responsible for signing the transaction.

    +
    address_id: string

    The onchain address from which the staking transaction originates and is responsible for signing the transaction.

    Memberof

    BuildStakingOperationRequest

    -
    asset_id: string

    The ID of the asset being staked

    +
    asset_id: string

    The ID of the asset being staked

    Memberof

    BuildStakingOperationRequest

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    BuildStakingOperationRequest

    -
    options: {
        [key: string]: string;
    }

    Additional options for the staking operation.

    +
    options: {
        [key: string]: string;
    }

    Additional options for the staking operation.

    Type declaration

    • [key: string]: string

    Memberof

    BuildStakingOperationRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CompileSmartContractRequest.html b/docs/interfaces/client_api.CompileSmartContractRequest.html new file mode 100644 index 00000000..dbe51b74 --- /dev/null +++ b/docs/interfaces/client_api.CompileSmartContractRequest.html @@ -0,0 +1,11 @@ +CompileSmartContractRequest | @coinbase/coinbase-sdk

    Export

    CompileSmartContractRequest

    +
    interface CompileSmartContractRequest {
        contract_name: string;
        solidity_compiler_version: string;
        solidity_input_json: string;
    }

    Properties

    contract_name: string

    The name of the contract to compile.

    +

    Memberof

    CompileSmartContractRequest

    +
    solidity_compiler_version: string

    The version of the Solidity compiler to use.

    +

    Memberof

    CompileSmartContractRequest

    +
    solidity_input_json: string

    The JSON input containing the Solidity code, dependencies, and compiler settings.

    +

    Memberof

    CompileSmartContractRequest

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CompiledSmartContract.html b/docs/interfaces/client_api.CompiledSmartContract.html new file mode 100644 index 00000000..3d9ec685 --- /dev/null +++ b/docs/interfaces/client_api.CompiledSmartContract.html @@ -0,0 +1,18 @@ +CompiledSmartContract | @coinbase/coinbase-sdk

    Represents a compiled smart contract that can be deployed onchain

    +

    Export

    CompiledSmartContract

    +
    interface CompiledSmartContract {
        abi?: string;
        compiled_smart_contract_id?: string;
        contract_creation_bytecode?: string;
        contract_name?: string;
        solidity_input_json?: string;
    }

    Properties

    abi?: string

    The JSON-encoded ABI of the contract

    +

    Memberof

    CompiledSmartContract

    +
    compiled_smart_contract_id?: string

    The unique identifier of the compiled smart contract.

    +

    Memberof

    CompiledSmartContract

    +
    contract_creation_bytecode?: string

    The contract creation bytecode which will be used with constructor arguments to deploy the contract

    +

    Memberof

    CompiledSmartContract

    +
    contract_name?: string

    The name of the smart contract to deploy

    +

    Memberof

    CompiledSmartContract

    +
    solidity_input_json?: string

    The JSON-encoded input for the Solidity compiler

    +

    Memberof

    CompiledSmartContract

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ContractEvent.html b/docs/interfaces/client_api.ContractEvent.html index ba3e20df..6177048a 100644 --- a/docs/interfaces/client_api.ContractEvent.html +++ b/docs/interfaces/client_api.ContractEvent.html @@ -1,6 +1,6 @@ ContractEvent | @coinbase/coinbase-sdk

    Represents a single decoded event emitted by a smart contract

    Export

    ContractEvent

    -
    interface ContractEvent {
        block_height: number;
        block_time: string;
        contract_address: string;
        contract_name: string;
        data: string;
        event_index: number;
        event_name: string;
        four_bytes: string;
        network_id: string;
        protocol_name: string;
        sig: string;
        tx_hash: string;
        tx_index: number;
    }

    Properties

    interface ContractEvent {
        block_height: number;
        block_time: string;
        contract_address: string;
        contract_name: string;
        data: string;
        event_index: number;
        event_name: string;
        four_bytes: string;
        network_id: string;
        protocol_name: string;
        sig: string;
        tx_hash: string;
        tx_index: number;
    }

    Properties

    block_height: number

    The block number in which the event was emitted

    Memberof

    ContractEvent

    -
    block_time: string

    The timestamp of the block in which the event was emitted

    +
    block_time: string

    The timestamp of the block in which the event was emitted

    Memberof

    ContractEvent

    -
    contract_address: string

    The EVM address of the smart contract

    +
    contract_address: string

    The EVM address of the smart contract

    Memberof

    ContractEvent

    -
    contract_name: string

    The name of the specific contract within the project

    +
    contract_name: string

    The name of the specific contract within the project

    Memberof

    ContractEvent

    -
    data: string

    The event data in a stringified format

    +
    data: string

    The event data in a stringified format

    Memberof

    ContractEvent

    -
    event_index: number

    The index of the event within the transaction

    +
    event_index: number

    The index of the event within the transaction

    Memberof

    ContractEvent

    -
    event_name: string

    The name of the event emitted by the contract

    +
    event_name: string

    The name of the event emitted by the contract

    Memberof

    ContractEvent

    -
    four_bytes: string

    The first four bytes of the Keccak hash of the event signature

    +
    four_bytes: string

    The first four bytes of the Keccak hash of the event signature

    Memberof

    ContractEvent

    -
    network_id: string

    The name of the blockchain network

    +
    network_id: string

    The name of the blockchain network

    Memberof

    ContractEvent

    -
    protocol_name: string

    The name of the blockchain project or protocol

    +
    protocol_name: string

    The name of the blockchain project or protocol

    Memberof

    ContractEvent

    -
    sig: string

    The signature of the event, including parameter types

    +
    sig: string

    The signature of the event, including parameter types

    Memberof

    ContractEvent

    -
    tx_hash: string

    The transaction hash in which the event was emitted

    +
    tx_hash: string

    The transaction hash in which the event was emitted

    Memberof

    ContractEvent

    -
    tx_index: number

    The index of the transaction within the block

    +
    tx_index: number

    The index of the transaction within the block

    Memberof

    ContractEvent

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ContractEventList.html b/docs/interfaces/client_api.ContractEventList.html index e46f2ee4..cf506da9 100644 --- a/docs/interfaces/client_api.ContractEventList.html +++ b/docs/interfaces/client_api.ContractEventList.html @@ -1,12 +1,12 @@ ContractEventList | @coinbase/coinbase-sdk

    A list of contract events with pagination information

    Export

    ContractEventList

    -
    interface ContractEventList {
        data: ContractEvent[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    interface ContractEventList {
        data: ContractEvent[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    An array of ContractEvent objects

    Memberof

    ContractEventList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched

    Memberof

    ContractEventList

    -
    next_page: string

    The page token to be used to fetch the next page

    +
    next_page: string

    The page token to be used to fetch the next page

    Memberof

    ContractEventList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ContractEventsApiInterface.html b/docs/interfaces/client_api.ContractEventsApiInterface.html index b5eda38a..8bcac57e 100644 --- a/docs/interfaces/client_api.ContractEventsApiInterface.html +++ b/docs/interfaces/client_api.ContractEventsApiInterface.html @@ -1,6 +1,6 @@ ContractEventsApiInterface | @coinbase/coinbase-sdk

    ContractEventsApi - interface

    Export

    ContractEventsApi

    -
    interface ContractEventsApiInterface {
        listContractEvents(networkId, protocolName, contractAddress, contractName, eventName, fromBlockHeight, toBlockHeight, nextPage?, options?): AxiosPromise<ContractEventList>;
    }

    Implemented by

    Methods

    interface ContractEventsApiInterface {
        listContractEvents(networkId, protocolName, contractAddress, contractName, eventName, fromBlockHeight, toBlockHeight, nextPage?, options?): AxiosPromise<ContractEventList>;
    }

    Implemented by

    Methods

    • Retrieve events for a specific contract

      Parameters

      • networkId: string

        Unique identifier for the blockchain network

      • protocolName: string

        Case-sensitive name of the blockchain protocol

        @@ -13,4 +13,4 @@
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ContractEventList>

      Summary

      List contract events

      Throws

      Memberof

      ContractEventsApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ContractInvocation.html b/docs/interfaces/client_api.ContractInvocation.html index 1bff8eb7..d587266d 100644 --- a/docs/interfaces/client_api.ContractInvocation.html +++ b/docs/interfaces/client_api.ContractInvocation.html @@ -1,6 +1,6 @@ ContractInvocation | @coinbase/coinbase-sdk

    A contract invocation onchain.

    Export

    ContractInvocation

    -
    interface ContractInvocation {
        abi?: string;
        address_id: string;
        amount: string;
        args: string;
        contract_address: string;
        contract_invocation_id: string;
        method: string;
        network_id: string;
        transaction: Transaction;
        wallet_id: string;
    }

    Properties

    interface ContractInvocation {
        abi?: string;
        address_id: string;
        amount: string;
        args: string;
        contract_address: string;
        contract_invocation_id: string;
        method: string;
        network_id: string;
        transaction: Transaction;
        wallet_id: string;
    }

    Properties

    abi? address_id amount args @@ -12,21 +12,21 @@ wallet_id

    Properties

    abi?: string

    The JSON-encoded ABI of the contract.

    Memberof

    ContractInvocation

    -
    address_id: string

    The onchain address of the address invoking the contract.

    +
    address_id: string

    The onchain address of the address invoking the contract.

    Memberof

    ContractInvocation

    -
    amount: string

    The amount to send to the contract for a payable method

    +
    amount: string

    The amount to send to the contract for a payable method

    Memberof

    ContractInvocation

    -
    args: string

    The JSON-encoded arguments to pass to the contract method. The keys should be the argument names and the values should be the argument values.

    +
    args: string

    The JSON-encoded arguments to pass to the contract method. The keys should be the argument names and the values should be the argument values.

    Memberof

    ContractInvocation

    -
    contract_address: string

    The onchain address of the contract.

    +
    contract_address: string

    The onchain address of the contract.

    Memberof

    ContractInvocation

    -
    contract_invocation_id: string

    The ID of the contract invocation.

    +
    contract_invocation_id: string

    The ID of the contract invocation.

    Memberof

    ContractInvocation

    -
    method: string

    The method to be invoked on the contract.

    +
    method: string

    The method to be invoked on the contract.

    Memberof

    ContractInvocation

    -
    network_id: string

    The ID of the blockchain network.

    +
    network_id: string

    The ID of the blockchain network.

    Memberof

    ContractInvocation

    -
    transaction: Transaction

    Memberof

    ContractInvocation

    -
    wallet_id: string

    The ID of the wallet that owns the address.

    +
    transaction: Transaction

    Memberof

    ContractInvocation

    +
    wallet_id: string

    The ID of the wallet that owns the address.

    Memberof

    ContractInvocation

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ContractInvocationList.html b/docs/interfaces/client_api.ContractInvocationList.html index 4ce0d819..e584953d 100644 --- a/docs/interfaces/client_api.ContractInvocationList.html +++ b/docs/interfaces/client_api.ContractInvocationList.html @@ -1,13 +1,13 @@ ContractInvocationList | @coinbase/coinbase-sdk

    Export

    ContractInvocationList

    -
    interface ContractInvocationList {
        data: ContractInvocation[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface ContractInvocationList {
        data: ContractInvocation[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    Memberof

    ContractInvocationList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    ContractInvocationList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    ContractInvocationList

    -
    total_count: number

    The total number of contract invocations for the address in the wallet.

    +
    total_count: number

    The total number of contract invocations for the address in the wallet.

    Memberof

    ContractInvocationList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ContractInvocationsApiInterface.html b/docs/interfaces/client_api.ContractInvocationsApiInterface.html index c72b4647..01e472c5 100644 --- a/docs/interfaces/client_api.ContractInvocationsApiInterface.html +++ b/docs/interfaces/client_api.ContractInvocationsApiInterface.html @@ -1,6 +1,6 @@ ContractInvocationsApiInterface | @coinbase/coinbase-sdk

    ContractInvocationsApi - interface

    Export

    ContractInvocationsApi

    -
    interface ContractInvocationsApiInterface {
        broadcastContractInvocation(walletId, addressId, contractInvocationId, broadcastContractInvocationRequest, options?): AxiosPromise<ContractInvocation>;
        createContractInvocation(walletId, addressId, createContractInvocationRequest, options?): AxiosPromise<ContractInvocation>;
        getContractInvocation(walletId, addressId, contractInvocationId, options?): AxiosPromise<ContractInvocation>;
        listContractInvocations(walletId, addressId, limit?, page?, options?): AxiosPromise<ContractInvocationList>;
    }

    Implemented by

    Methods

    interface ContractInvocationsApiInterface {
        broadcastContractInvocation(walletId, addressId, contractInvocationId, broadcastContractInvocationRequest, options?): AxiosPromise<ContractInvocation>;
        createContractInvocation(walletId, addressId, createContractInvocationRequest, options?): AxiosPromise<ContractInvocation>;
        getContractInvocation(walletId, addressId, contractInvocationId, options?): AxiosPromise<ContractInvocation>;
        listContractInvocations(walletId, addressId, limit?, page?, options?): AxiosPromise<ContractInvocationList>;
    }

    Implemented by

    Methods

  • broadcastContractInvocationRequest: BroadcastContractInvocationRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<ContractInvocation>

    Summary

    Broadcast a contract invocation.

    Throws

    Memberof

    ContractInvocationsApiInterface

    -
    • Create a new contract invocation.

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to.

      • addressId: string

        The ID of the address to invoke the contract from.

      • createContractInvocationRequest: CreateContractInvocationRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ContractInvocation>

      Summary

      Create a new contract invocation for an address.

      Throws

      Memberof

      ContractInvocationsApiInterface

      -
    • Get a contract invocation by ID.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the contract invocation belongs to.

      • contractInvocationId: string

        The ID of the contract invocation to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ContractInvocation>

      Summary

      Get a contract invocation by ID.

      Throws

      Memberof

      ContractInvocationsApiInterface

      -
    • List contract invocations for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to list contract invocations for.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        @@ -32,4 +32,4 @@

        Throws

        Memberof

        ContractInvocationsApiInterface

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ContractInvocationList>

      Summary

      List contract invocations for an address.

      Throws

      Memberof

      ContractInvocationsApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateAddressRequest.html b/docs/interfaces/client_api.CreateAddressRequest.html index a5e10b68..0778933c 100644 --- a/docs/interfaces/client_api.CreateAddressRequest.html +++ b/docs/interfaces/client_api.CreateAddressRequest.html @@ -1,11 +1,11 @@ CreateAddressRequest | @coinbase/coinbase-sdk

    Export

    CreateAddressRequest

    -
    interface CreateAddressRequest {
        address_index?: number;
        attestation?: string;
        public_key?: string;
    }

    Properties

    interface CreateAddressRequest {
        address_index?: number;
        attestation?: string;
        public_key?: string;
    }

    Properties

    address_index?: number

    The index of the address within the wallet.

    Memberof

    CreateAddressRequest

    -
    attestation?: string

    An attestation signed by the private key that is associated with the wallet. The attestation will be a hex-encoded signature of a json payload with fields wallet_id and public_key, signed by the private key associated with the public_key set in the request.

    +
    attestation?: string

    An attestation signed by the private key that is associated with the wallet. The attestation will be a hex-encoded signature of a json payload with fields wallet_id and public_key, signed by the private key associated with the public_key set in the request.

    Memberof

    CreateAddressRequest

    -
    public_key?: string

    The public key from which the address will be derived.

    +
    public_key?: string

    The public key from which the address will be derived.

    Memberof

    CreateAddressRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateContractInvocationRequest.html b/docs/interfaces/client_api.CreateContractInvocationRequest.html index adc4fa52..796b6938 100644 --- a/docs/interfaces/client_api.CreateContractInvocationRequest.html +++ b/docs/interfaces/client_api.CreateContractInvocationRequest.html @@ -1,17 +1,17 @@ CreateContractInvocationRequest | @coinbase/coinbase-sdk

    Export

    CreateContractInvocationRequest

    -
    interface CreateContractInvocationRequest {
        abi?: string;
        amount?: string;
        args: string;
        contract_address: string;
        method: string;
    }

    Properties

    interface CreateContractInvocationRequest {
        abi?: string;
        amount?: string;
        args: string;
        contract_address: string;
        method: string;
    }

    Properties

    abi?: string

    The JSON-encoded ABI of the contract.

    Memberof

    CreateContractInvocationRequest

    -
    amount?: string

    The amount in atomic units of the native asset to send to the contract for a payable method

    +
    amount?: string

    The amount in atomic units of the native asset to send to the contract for a payable method

    Memberof

    CreateContractInvocationRequest

    -
    args: string

    The JSON-encoded arguments to pass to the contract method. The keys should be the argument names and the values should be the argument values.

    +
    args: string

    The JSON-encoded arguments to pass to the contract method. The keys should be the argument names and the values should be the argument values.

    Memberof

    CreateContractInvocationRequest

    -
    contract_address: string

    The address of the contract to invoke.

    +
    contract_address: string

    The address of the contract to invoke.

    Memberof

    CreateContractInvocationRequest

    -
    method: string

    The method to invoke on the contract.

    +
    method: string

    The method to invoke on the contract.

    Memberof

    CreateContractInvocationRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateExternalTransferRequest.html b/docs/interfaces/client_api.CreateExternalTransferRequest.html index a3cfe61a..2199cf76 100644 --- a/docs/interfaces/client_api.CreateExternalTransferRequest.html +++ b/docs/interfaces/client_api.CreateExternalTransferRequest.html @@ -1,17 +1,17 @@ CreateExternalTransferRequest | @coinbase/coinbase-sdk

    Export

    CreateExternalTransferRequest

    -
    interface CreateExternalTransferRequest {
        amount: string;
        asset_id: string;
        destination: string;
        gasless: boolean;
        skip_batching?: boolean;
    }

    Properties

    interface CreateExternalTransferRequest {
        amount: string;
        asset_id: string;
        destination: string;
        gasless: boolean;
        skip_batching?: boolean;
    }

    Properties

    amount: string

    The amount to transfer

    Memberof

    CreateExternalTransferRequest

    -
    asset_id: string

    The ID of the asset to transfer. Can be an asset symbol or a token contract address.

    +
    asset_id: string

    The ID of the asset to transfer. Can be an asset symbol or a token contract address.

    Memberof

    CreateExternalTransferRequest

    -
    destination: string

    The destination address, which can be a 0x address, Basename, or ENS name

    +
    destination: string

    The destination address, which can be a 0x address, Basename, or ENS name

    Memberof

    CreateExternalTransferRequest

    -
    gasless: boolean

    Whether the transfer uses sponsored gas

    +
    gasless: boolean

    Whether the transfer uses sponsored gas

    Memberof

    CreateExternalTransferRequest

    -
    skip_batching?: boolean

    When true, the transfer will be submitted immediately. Otherwise, the transfer will be batched. Defaults to false. Note: Requires the gasless option to be set to true.

    +
    skip_batching?: boolean

    When true, the transfer will be submitted immediately. Otherwise, the transfer will be batched. Defaults to false. Note: Requires the gasless option to be set to true.

    Memberof

    CreateExternalTransferRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateFundOperationRequest.html b/docs/interfaces/client_api.CreateFundOperationRequest.html index 00791ac0..eaa41b3a 100644 --- a/docs/interfaces/client_api.CreateFundOperationRequest.html +++ b/docs/interfaces/client_api.CreateFundOperationRequest.html @@ -1,11 +1,11 @@ CreateFundOperationRequest | @coinbase/coinbase-sdk

    Export

    CreateFundOperationRequest

    -
    interface CreateFundOperationRequest {
        amount: string;
        asset_id: string;
        fund_quote_id?: string;
    }

    Properties

    interface CreateFundOperationRequest {
        amount: string;
        asset_id: string;
        fund_quote_id?: string;
    }

    Properties

    amount: string

    The amount of the asset to fund the address with in atomic units.

    Memberof

    CreateFundOperationRequest

    -
    asset_id: string

    The ID of the asset to fund the address with. Can be an asset symbol or a token contract address.

    +
    asset_id: string

    The ID of the asset to fund the address with. Can be an asset symbol or a token contract address.

    Memberof

    CreateFundOperationRequest

    -
    fund_quote_id?: string

    The Optional ID of the fund quote to fund the address with. If omitted we will generate a quote and immediately execute it.

    +
    fund_quote_id?: string

    The Optional ID of the fund quote to fund the address with. If omitted we will generate a quote and immediately execute it.

    Memberof

    CreateFundOperationRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateFundQuoteRequest.html b/docs/interfaces/client_api.CreateFundQuoteRequest.html index aebe5f16..35a809f2 100644 --- a/docs/interfaces/client_api.CreateFundQuoteRequest.html +++ b/docs/interfaces/client_api.CreateFundQuoteRequest.html @@ -1,8 +1,8 @@ CreateFundQuoteRequest | @coinbase/coinbase-sdk

    Export

    CreateFundQuoteRequest

    -
    interface CreateFundQuoteRequest {
        amount: string;
        asset_id: string;
    }

    Properties

    interface CreateFundQuoteRequest {
        amount: string;
        asset_id: string;
    }

    Properties

    Properties

    amount: string

    The amount of the asset to fund the address with in atomic units.

    Memberof

    CreateFundQuoteRequest

    -
    asset_id: string

    The ID of the asset to fund the address with. Can be an asset symbol alias or a token contract address.

    +
    asset_id: string

    The ID of the asset to fund the address with. Can be an asset symbol alias or a token contract address.

    Memberof

    CreateFundQuoteRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreatePayloadSignatureRequest.html b/docs/interfaces/client_api.CreatePayloadSignatureRequest.html index 1ab1d9bc..defda279 100644 --- a/docs/interfaces/client_api.CreatePayloadSignatureRequest.html +++ b/docs/interfaces/client_api.CreatePayloadSignatureRequest.html @@ -1,8 +1,8 @@ CreatePayloadSignatureRequest | @coinbase/coinbase-sdk

    Export

    CreatePayloadSignatureRequest

    -
    interface CreatePayloadSignatureRequest {
        signature?: string;
        unsigned_payload: string;
    }

    Properties

    interface CreatePayloadSignatureRequest {
        signature?: string;
        unsigned_payload: string;
    }

    Properties

    signature?: string

    The signature of the payload.

    Memberof

    CreatePayloadSignatureRequest

    -
    unsigned_payload: string

    The unsigned payload.

    +
    unsigned_payload: string

    The unsigned payload.

    Memberof

    CreatePayloadSignatureRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateServerSignerRequest.html b/docs/interfaces/client_api.CreateServerSignerRequest.html index ea2cadbf..950c5f06 100644 --- a/docs/interfaces/client_api.CreateServerSignerRequest.html +++ b/docs/interfaces/client_api.CreateServerSignerRequest.html @@ -1,11 +1,11 @@ CreateServerSignerRequest | @coinbase/coinbase-sdk

    Export

    CreateServerSignerRequest

    -
    interface CreateServerSignerRequest {
        enrollment_data: string;
        is_mpc: boolean;
        server_signer_id?: string;
    }

    Properties

    interface CreateServerSignerRequest {
        enrollment_data: string;
        is_mpc: boolean;
        server_signer_id?: string;
    }

    Properties

    enrollment_data: string

    The enrollment data of the server signer. This will be the base64 encoded server-signer-id for the 1 of 1 server signer.

    Memberof

    CreateServerSignerRequest

    -
    is_mpc: boolean

    Whether the Server-Signer uses MPC.

    +
    is_mpc: boolean

    Whether the Server-Signer uses MPC.

    Memberof

    CreateServerSignerRequest

    -
    server_signer_id?: string

    The ID of the server signer for the 1 of 1 server signer.

    +
    server_signer_id?: string

    The ID of the server signer for the 1 of 1 server signer.

    Memberof

    CreateServerSignerRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateSmartContractRequest.html b/docs/interfaces/client_api.CreateSmartContractRequest.html index 9a8bc42e..3a7af87f 100644 --- a/docs/interfaces/client_api.CreateSmartContractRequest.html +++ b/docs/interfaces/client_api.CreateSmartContractRequest.html @@ -1,6 +1,9 @@ CreateSmartContractRequest | @coinbase/coinbase-sdk

    Export

    CreateSmartContractRequest

    -
    interface CreateSmartContractRequest {
        options: SmartContractOptions;
        type: SmartContractType;
    }

    Properties

    interface CreateSmartContractRequest {
        compiled_smart_contract_id?: string;
        options: SmartContractOptions;
        type: SmartContractType;
    }

    Properties

    Memberof

    CreateSmartContractRequest

    -

    Memberof

    CreateSmartContractRequest

    -
    \ No newline at end of file +

    Properties

    compiled_smart_contract_id?: string

    The optional UUID of the compiled smart contract to deploy. This field is only required when SmartContractType is set to custom.

    +

    Memberof

    CreateSmartContractRequest

    +

    Memberof

    CreateSmartContractRequest

    +

    Memberof

    CreateSmartContractRequest

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateStakingOperationRequest.html b/docs/interfaces/client_api.CreateStakingOperationRequest.html index 57a942cb..68ac031a 100644 --- a/docs/interfaces/client_api.CreateStakingOperationRequest.html +++ b/docs/interfaces/client_api.CreateStakingOperationRequest.html @@ -1,14 +1,14 @@ CreateStakingOperationRequest | @coinbase/coinbase-sdk

    Export

    CreateStakingOperationRequest

    -
    interface CreateStakingOperationRequest {
        action: string;
        asset_id: string;
        network_id: string;
        options: {
            [key: string]: string;
        };
    }

    Properties

    interface CreateStakingOperationRequest {
        action: string;
        asset_id: string;
        network_id: string;
        options: {
            [key: string]: string;
        };
    }

    Properties

    action: string

    The type of staking operation.

    Memberof

    CreateStakingOperationRequest

    -
    asset_id: string

    The ID of the asset being staked.

    +
    asset_id: string

    The ID of the asset being staked.

    Memberof

    CreateStakingOperationRequest

    -
    network_id: string

    The ID of the blockchain network.

    +
    network_id: string

    The ID of the blockchain network.

    Memberof

    CreateStakingOperationRequest

    -
    options: {
        [key: string]: string;
    }

    Additional options for the staking operation.

    +
    options: {
        [key: string]: string;
    }

    Additional options for the staking operation.

    Type declaration

    • [key: string]: string

    Memberof

    CreateStakingOperationRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateTradeRequest.html b/docs/interfaces/client_api.CreateTradeRequest.html index cec106b4..f7571ab2 100644 --- a/docs/interfaces/client_api.CreateTradeRequest.html +++ b/docs/interfaces/client_api.CreateTradeRequest.html @@ -1,11 +1,11 @@ CreateTradeRequest | @coinbase/coinbase-sdk

    Export

    CreateTradeRequest

    -
    interface CreateTradeRequest {
        amount: string;
        from_asset_id: string;
        to_asset_id: string;
    }

    Properties

    interface CreateTradeRequest {
        amount: string;
        from_asset_id: string;
        to_asset_id: string;
    }

    Properties

    amount: string

    The amount to trade

    Memberof

    CreateTradeRequest

    -
    from_asset_id: string

    The ID of the asset to trade

    +
    from_asset_id: string

    The ID of the asset to trade

    Memberof

    CreateTradeRequest

    -
    to_asset_id: string

    The ID of the asset to receive from the trade

    +
    to_asset_id: string

    The ID of the asset to receive from the trade

    Memberof

    CreateTradeRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateTransferRequest.html b/docs/interfaces/client_api.CreateTransferRequest.html index 50ac4e6e..bcddea40 100644 --- a/docs/interfaces/client_api.CreateTransferRequest.html +++ b/docs/interfaces/client_api.CreateTransferRequest.html @@ -1,5 +1,5 @@ CreateTransferRequest | @coinbase/coinbase-sdk

    Export

    CreateTransferRequest

    -
    interface CreateTransferRequest {
        amount: string;
        asset_id: string;
        destination: string;
        gasless?: boolean;
        network_id: string;
        skip_batching?: boolean;
    }

    Properties

    interface CreateTransferRequest {
        amount: string;
        asset_id: string;
        destination: string;
        gasless?: boolean;
        network_id: string;
        skip_batching?: boolean;
    }

    Properties

    Properties

    amount: string

    The amount to transfer

    Memberof

    CreateTransferRequest

    -
    asset_id: string

    The ID of the asset to transfer. Can be an asset symbol or a token contract address.

    +
    asset_id: string

    The ID of the asset to transfer. Can be an asset symbol or a token contract address.

    Memberof

    CreateTransferRequest

    -
    destination: string

    The destination address, which can be a 0x address, Basename, or ENS name

    +
    destination: string

    The destination address, which can be a 0x address, Basename, or ENS name

    Memberof

    CreateTransferRequest

    -
    gasless?: boolean

    Whether the transfer uses sponsored gas

    +
    gasless?: boolean

    Whether the transfer uses sponsored gas

    Memberof

    CreateTransferRequest

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    CreateTransferRequest

    -
    skip_batching?: boolean

    When true, the transfer will be submitted immediately. Otherwise, the transfer will be batched. Defaults to false

    +
    skip_batching?: boolean

    When true, the transfer will be submitted immediately. Otherwise, the transfer will be batched. Defaults to false

    Memberof

    CreateTransferRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateWalletRequest.html b/docs/interfaces/client_api.CreateWalletRequest.html index 2cafca44..2100d532 100644 --- a/docs/interfaces/client_api.CreateWalletRequest.html +++ b/docs/interfaces/client_api.CreateWalletRequest.html @@ -1,4 +1,4 @@ CreateWalletRequest | @coinbase/coinbase-sdk

    Export

    CreateWalletRequest

    -
    interface CreateWalletRequest {
        wallet: CreateWalletRequestWallet;
    }

    Properties

    interface CreateWalletRequest {
        wallet: CreateWalletRequestWallet;
    }

    Properties

    Properties

    Memberof

    CreateWalletRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateWalletRequestWallet.html b/docs/interfaces/client_api.CreateWalletRequestWallet.html index 120268bf..7d547b57 100644 --- a/docs/interfaces/client_api.CreateWalletRequestWallet.html +++ b/docs/interfaces/client_api.CreateWalletRequestWallet.html @@ -1,9 +1,9 @@ CreateWalletRequestWallet | @coinbase/coinbase-sdk

    Parameters for configuring a wallet

    Export

    CreateWalletRequestWallet

    -
    interface CreateWalletRequestWallet {
        network_id: string;
        use_server_signer?: boolean;
    }

    Properties

    interface CreateWalletRequestWallet {
        network_id: string;
        use_server_signer?: boolean;
    }

    Properties

    network_id: string

    The ID of the blockchain network

    Memberof

    CreateWalletRequestWallet

    -
    use_server_signer?: boolean

    Whether the wallet should use the project's server signer or if the addresses in the wallets will belong to a private key the developer manages. Defaults to false.

    +
    use_server_signer?: boolean

    Whether the wallet should use the project's server signer or if the addresses in the wallets will belong to a private key the developer manages. Defaults to false.

    Memberof

    CreateWalletRequestWallet

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateWalletWebhookRequest.html b/docs/interfaces/client_api.CreateWalletWebhookRequest.html index 0ebff0bf..5ae0d8bf 100644 --- a/docs/interfaces/client_api.CreateWalletWebhookRequest.html +++ b/docs/interfaces/client_api.CreateWalletWebhookRequest.html @@ -1,8 +1,8 @@ CreateWalletWebhookRequest | @coinbase/coinbase-sdk

    Export

    CreateWalletWebhookRequest

    -
    interface CreateWalletWebhookRequest {
        notification_uri: string;
        signature_header?: string;
    }

    Properties

    interface CreateWalletWebhookRequest {
        notification_uri: string;
        signature_header?: string;
    }

    Properties

    notification_uri: string

    The URL to which the notifications will be sent.

    Memberof

    CreateWalletWebhookRequest

    -
    signature_header?: string

    The custom header to be used for x-webhook-signature header on callbacks, so developers can verify the requests are coming from Coinbase.

    +
    signature_header?: string

    The custom header to be used for x-webhook-signature header on callbacks, so developers can verify the requests are coming from Coinbase.

    Memberof

    CreateWalletWebhookRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CreateWebhookRequest.html b/docs/interfaces/client_api.CreateWebhookRequest.html index 20720380..b78228cc 100644 --- a/docs/interfaces/client_api.CreateWebhookRequest.html +++ b/docs/interfaces/client_api.CreateWebhookRequest.html @@ -1,5 +1,5 @@ CreateWebhookRequest | @coinbase/coinbase-sdk

    Export

    CreateWebhookRequest

    -
    interface CreateWebhookRequest {
        event_filters?: WebhookEventFilter[];
        event_type: WebhookEventType;
        event_type_filter?: WebhookEventTypeFilter;
        network_id: string;
        notification_uri: string;
        signature_header?: string;
    }

    Properties

    interface CreateWebhookRequest {
        event_filters?: WebhookEventFilter[];
        event_type: WebhookEventType;
        event_type_filter?: WebhookEventTypeFilter;
        network_id: string;
        notification_uri: string;
        signature_header?: string;
    }

    Properties

    event_filters?: WebhookEventFilter[]

    Webhook will monitor all events that matches any one of the event filters.

    Memberof

    CreateWebhookRequest

    -
    event_type: WebhookEventType

    Memberof

    CreateWebhookRequest

    -
    event_type_filter?: WebhookEventTypeFilter

    Memberof

    CreateWebhookRequest

    -
    network_id: string

    The ID of the blockchain network

    +
    event_type: WebhookEventType

    Memberof

    CreateWebhookRequest

    +
    event_type_filter?: WebhookEventTypeFilter

    Memberof

    CreateWebhookRequest

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    CreateWebhookRequest

    -
    notification_uri: string

    The URL to which the notifications will be sent

    +
    notification_uri: string

    The URL to which the notifications will be sent

    Memberof

    CreateWebhookRequest

    -
    signature_header?: string

    The custom header to be used for x-webhook-signature header on callbacks, so developers can verify the requests are coming from Coinbase.

    +
    signature_header?: string

    The custom header to be used for x-webhook-signature header on callbacks, so developers can verify the requests are coming from Coinbase.

    Memberof

    CreateWebhookRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.CryptoAmount.html b/docs/interfaces/client_api.CryptoAmount.html index 5eef9d19..638ead67 100644 --- a/docs/interfaces/client_api.CryptoAmount.html +++ b/docs/interfaces/client_api.CryptoAmount.html @@ -1,8 +1,8 @@ CryptoAmount | @coinbase/coinbase-sdk

    An amount in cryptocurrency

    Export

    CryptoAmount

    -
    interface CryptoAmount {
        amount: string;
        asset: Asset;
    }

    Properties

    interface CryptoAmount {
        amount: string;
        asset: Asset;
    }

    Properties

    Properties

    amount: string

    The amount of the crypto in atomic units

    Memberof

    CryptoAmount

    -
    asset: Asset

    Memberof

    CryptoAmount

    -
    \ No newline at end of file +
    asset: Asset

    Memberof

    CryptoAmount

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.DeploySmartContractRequest.html b/docs/interfaces/client_api.DeploySmartContractRequest.html index aa938d9a..7ac49c65 100644 --- a/docs/interfaces/client_api.DeploySmartContractRequest.html +++ b/docs/interfaces/client_api.DeploySmartContractRequest.html @@ -1,5 +1,5 @@ DeploySmartContractRequest | @coinbase/coinbase-sdk

    Export

    DeploySmartContractRequest

    -
    interface DeploySmartContractRequest {
        signed_payload: string;
    }

    Properties

    interface DeploySmartContractRequest {
        signed_payload: string;
    }

    Properties

    Properties

    signed_payload: string

    The hex-encoded signed payload of the contract deployment transaction.

    Memberof

    DeploySmartContractRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ERC20TransferEvent.html b/docs/interfaces/client_api.ERC20TransferEvent.html index bbc9a740..9df76926 100644 --- a/docs/interfaces/client_api.ERC20TransferEvent.html +++ b/docs/interfaces/client_api.ERC20TransferEvent.html @@ -1,6 +1,6 @@ ERC20TransferEvent | @coinbase/coinbase-sdk

    Represents an event triggered by an ERC-20 token transfer on the blockchain. Contains information about the transaction, block, and involved addresses.

    Export

    ERC20TransferEvent

    -
    interface ERC20TransferEvent {
        blockHash?: string;
        blockNumber?: number;
        blockTime?: string;
        contractAddress?: string;
        eventType?: string;
        from?: string;
        logIndex?: number;
        network?: string;
        to?: string;
        transactionHash?: string;
        transactionIndex?: number;
        value?: string;
        webhookId?: string;
    }

    Properties

    interface ERC20TransferEvent {
        blockHash?: string;
        blockNumber?: number;
        blockTime?: string;
        contractAddress?: string;
        eventType?: string;
        from?: string;
        logIndex?: number;
        network?: string;
        to?: string;
        transactionHash?: string;
        transactionIndex?: number;
        value?: string;
        webhookId?: string;
    }

    Properties

    blockHash?: string

    Hash of the block containing the transaction.

    Memberof

    ERC20TransferEvent

    -
    blockNumber?: number

    Number of the block containing the transaction.

    +
    blockNumber?: number

    Number of the block containing the transaction.

    Memberof

    ERC20TransferEvent

    -
    blockTime?: string

    Timestamp when the block was mined.

    +
    blockTime?: string

    Timestamp when the block was mined.

    Memberof

    ERC20TransferEvent

    -
    contractAddress?: string

    Address of the ERC-20 token contract.

    +
    contractAddress?: string

    Address of the ERC-20 token contract.

    Memberof

    ERC20TransferEvent

    -
    eventType?: string

    Type of event, in this case, an ERC-20 token transfer.

    +
    eventType?: string

    Type of event, in this case, an ERC-20 token transfer.

    Memberof

    ERC20TransferEvent

    -
    from?: string

    Address of the sender in the token transfer.

    +
    from?: string

    Address of the sender in the token transfer.

    Memberof

    ERC20TransferEvent

    -
    logIndex?: number

    Position of the event log within the transaction.

    +
    logIndex?: number

    Position of the event log within the transaction.

    Memberof

    ERC20TransferEvent

    -
    network?: string

    Blockchain network where the event occurred.

    +
    network?: string

    Blockchain network where the event occurred.

    Memberof

    ERC20TransferEvent

    -
    to?: string

    Address of the recipient in the token transfer.

    +
    to?: string

    Address of the recipient in the token transfer.

    Memberof

    ERC20TransferEvent

    -
    transactionHash?: string

    Hash of the transaction that triggered the event.

    +
    transactionHash?: string

    Hash of the transaction that triggered the event.

    Memberof

    ERC20TransferEvent

    -
    transactionIndex?: number

    Position of the transaction within the block.

    +
    transactionIndex?: number

    Position of the transaction within the block.

    Memberof

    ERC20TransferEvent

    -
    value?: string

    Amount of tokens transferred, typically in the smallest unit (e.g., wei for Ethereum).

    +
    value?: string

    Amount of tokens transferred, typically in the smallest unit (e.g., wei for Ethereum).

    Memberof

    ERC20TransferEvent

    -
    webhookId?: string

    Unique identifier for the webhook that triggered this event.

    +
    webhookId?: string

    Unique identifier for the webhook that triggered this event.

    Memberof

    ERC20TransferEvent

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ERC721TransferEvent.html b/docs/interfaces/client_api.ERC721TransferEvent.html index 790db8c3..e8ad33bc 100644 --- a/docs/interfaces/client_api.ERC721TransferEvent.html +++ b/docs/interfaces/client_api.ERC721TransferEvent.html @@ -1,6 +1,6 @@ ERC721TransferEvent | @coinbase/coinbase-sdk

    Represents an event triggered by an ERC-721 token transfer on the blockchain. Contains information about the transaction, block, and involved addresses.

    Export

    ERC721TransferEvent

    -
    interface ERC721TransferEvent {
        blockHash?: string;
        blockNumber?: number;
        blockTime?: string;
        contractAddress?: string;
        eventType?: string;
        from?: string;
        logIndex?: number;
        network?: string;
        to?: string;
        tokenId?: string;
        transactionHash?: string;
        transactionIndex?: number;
        webhookId?: string;
    }

    Properties

    interface ERC721TransferEvent {
        blockHash?: string;
        blockNumber?: number;
        blockTime?: string;
        contractAddress?: string;
        eventType?: string;
        from?: string;
        logIndex?: number;
        network?: string;
        to?: string;
        tokenId?: string;
        transactionHash?: string;
        transactionIndex?: number;
        webhookId?: string;
    }

    Properties

    blockHash?: string

    Hash of the block containing the transaction.

    Memberof

    ERC721TransferEvent

    -
    blockNumber?: number

    Number of the block containing the transaction.

    +
    blockNumber?: number

    Number of the block containing the transaction.

    Memberof

    ERC721TransferEvent

    -
    blockTime?: string

    Timestamp when the block was mined.

    +
    blockTime?: string

    Timestamp when the block was mined.

    Memberof

    ERC721TransferEvent

    -
    contractAddress?: string

    Address of the ERC-721 token contract.

    +
    contractAddress?: string

    Address of the ERC-721 token contract.

    Memberof

    ERC721TransferEvent

    -
    eventType?: string

    Type of event, in this case, an ERC-721 token transfer.

    +
    eventType?: string

    Type of event, in this case, an ERC-721 token transfer.

    Memberof

    ERC721TransferEvent

    -
    from?: string

    Address of the sender in the token transfer.

    +
    from?: string

    Address of the sender in the token transfer.

    Memberof

    ERC721TransferEvent

    -
    logIndex?: number

    Position of the event log within the transaction.

    +
    logIndex?: number

    Position of the event log within the transaction.

    Memberof

    ERC721TransferEvent

    -
    network?: string

    Blockchain network where the event occurred.

    +
    network?: string

    Blockchain network where the event occurred.

    Memberof

    ERC721TransferEvent

    -
    to?: string

    Address of the recipient in the token transfer.

    +
    to?: string

    Address of the recipient in the token transfer.

    Memberof

    ERC721TransferEvent

    -
    tokenId?: string

    Unique identifier of the NFT being transferred.

    +
    tokenId?: string

    Unique identifier of the NFT being transferred.

    Memberof

    ERC721TransferEvent

    -
    transactionHash?: string

    Hash of the transaction that triggered the event.

    +
    transactionHash?: string

    Hash of the transaction that triggered the event.

    Memberof

    ERC721TransferEvent

    -
    transactionIndex?: number

    Position of the transaction within the block.

    +
    transactionIndex?: number

    Position of the transaction within the block.

    Memberof

    ERC721TransferEvent

    -
    webhookId?: string

    Unique identifier for the webhook that triggered this event.

    +
    webhookId?: string

    Unique identifier for the webhook that triggered this event.

    Memberof

    ERC721TransferEvent

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.EthereumTokenTransfer.html b/docs/interfaces/client_api.EthereumTokenTransfer.html index 18ecce02..3f8db577 100644 --- a/docs/interfaces/client_api.EthereumTokenTransfer.html +++ b/docs/interfaces/client_api.EthereumTokenTransfer.html @@ -1,5 +1,5 @@ EthereumTokenTransfer | @coinbase/coinbase-sdk

    Export

    EthereumTokenTransfer

    -
    interface EthereumTokenTransfer {
        contract_address: string;
        from_address: string;
        log_index: number;
        to_address: string;
        token_id?: string;
        token_transfer_type: TokenTransferType;
        value?: string;
    }

    Properties

    interface EthereumTokenTransfer {
        contract_address: string;
        from_address: string;
        log_index: number;
        to_address: string;
        token_id?: string;
        token_transfer_type: TokenTransferType;
        value?: string;
    }

    Properties

    contract_address: string

    Memberof

    EthereumTokenTransfer

    -
    from_address: string

    Memberof

    EthereumTokenTransfer

    -
    log_index: number

    Memberof

    EthereumTokenTransfer

    -
    to_address: string

    Memberof

    EthereumTokenTransfer

    -
    token_id?: string

    The ID of ERC721 or ERC1155 token being transferred.

    +
    from_address: string

    Memberof

    EthereumTokenTransfer

    +
    log_index: number

    Memberof

    EthereumTokenTransfer

    +
    to_address: string

    Memberof

    EthereumTokenTransfer

    +
    token_id?: string

    The ID of ERC721 or ERC1155 token being transferred.

    Memberof

    EthereumTokenTransfer

    -
    token_transfer_type: TokenTransferType

    Memberof

    EthereumTokenTransfer

    -
    value?: string

    The value of the transaction in atomic units of the token being transfer for ERC20 or ERC1155 contracts.

    +
    token_transfer_type: TokenTransferType

    Memberof

    EthereumTokenTransfer

    +
    value?: string

    The value of the transaction in atomic units of the token being transfer for ERC20 or ERC1155 contracts.

    Memberof

    EthereumTokenTransfer

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.EthereumTransaction.html b/docs/interfaces/client_api.EthereumTransaction.html index c5dfa1fd..e679c695 100644 --- a/docs/interfaces/client_api.EthereumTransaction.html +++ b/docs/interfaces/client_api.EthereumTransaction.html @@ -1,5 +1,5 @@ EthereumTransaction | @coinbase/coinbase-sdk

    Export

    EthereumTransaction

    -
    interface EthereumTransaction {
        block_timestamp?: string;
        flattened_traces?: EthereumTransactionFlattenedTrace[];
        from: string;
        gas?: number;
        gas_price?: number;
        hash?: string;
        index?: number;
        input?: string;
        max_fee_per_gas?: number;
        max_priority_fee_per_gas?: number;
        mint?: string;
        nonce?: number;
        priority_fee_per_gas?: number;
        rlp_encoded_tx?: string;
        to: string;
        token_transfers?: EthereumTokenTransfer[];
        transaction_access_list?: EthereumTransactionAccessList;
        type?: number;
        value?: string;
    }

    Properties

    interface EthereumTransaction {
        block_timestamp?: string;
        flattened_traces?: EthereumTransactionFlattenedTrace[];
        from: string;
        gas?: number;
        gas_price?: number;
        hash?: string;
        index?: number;
        input?: string;
        max_fee_per_gas?: number;
        max_priority_fee_per_gas?: number;
        mint?: string;
        nonce?: number;
        priority_fee_per_gas?: number;
        rlp_encoded_tx?: string;
        to: string;
        token_transfers?: EthereumTokenTransfer[];
        transaction_access_list?: EthereumTransactionAccessList;
        type?: number;
        value?: string;
    }

    Properties

    Properties

    block_timestamp?: string

    The timestamp of the block in which the event was emitted

    Memberof

    EthereumTransaction

    -

    Memberof

    EthereumTransaction

    -
    from: string

    The onchain address of the sender.

    +

    Memberof

    EthereumTransaction

    +
    from: string

    The onchain address of the sender.

    Memberof

    EthereumTransaction

    -
    gas?: number

    The amount of gas spent in the transaction.

    +
    gas?: number

    The amount of gas spent in the transaction.

    Memberof

    EthereumTransaction

    -
    gas_price?: number

    The price per gas spent in the transaction in atomic units of the native asset.

    +
    gas_price?: number

    The price per gas spent in the transaction in atomic units of the native asset.

    Memberof

    EthereumTransaction

    -
    hash?: string

    The hash of the transaction as a hexadecimal string, prefixed with 0x.

    +
    hash?: string

    The hash of the transaction as a hexadecimal string, prefixed with 0x.

    Memberof

    EthereumTransaction

    -
    index?: number

    The index of the transaction in the block.

    +
    index?: number

    The index of the transaction in the block.

    Memberof

    EthereumTransaction

    -
    input?: string

    The input data of the transaction.

    +
    input?: string

    The input data of the transaction.

    Memberof

    EthereumTransaction

    -
    max_fee_per_gas?: number

    The max fee per gas as defined in EIP-1559. https://eips.ethereum.org/EIPS/eip-1559 for more details.

    +
    max_fee_per_gas?: number

    The max fee per gas as defined in EIP-1559. https://eips.ethereum.org/EIPS/eip-1559 for more details.

    Memberof

    EthereumTransaction

    -
    max_priority_fee_per_gas?: number

    The max priority fee per gas as defined in EIP-1559. https://eips.ethereum.org/EIPS/eip-1559 for more details.

    +
    max_priority_fee_per_gas?: number

    The max priority fee per gas as defined in EIP-1559. https://eips.ethereum.org/EIPS/eip-1559 for more details.

    Memberof

    EthereumTransaction

    -
    mint?: string

    This is for handling optimism rollup specific EIP-2718 transaction type field.

    +
    mint?: string

    This is for handling optimism rollup specific EIP-2718 transaction type field.

    Memberof

    EthereumTransaction

    -
    nonce?: number

    The nonce of the transaction in the source address.

    +
    nonce?: number

    The nonce of the transaction in the source address.

    Memberof

    EthereumTransaction

    -
    priority_fee_per_gas?: number

    The confirmed priority fee per gas as defined in EIP-1559. https://eips.ethereum.org/EIPS/eip-1559 for more details.

    +
    priority_fee_per_gas?: number

    The confirmed priority fee per gas as defined in EIP-1559. https://eips.ethereum.org/EIPS/eip-1559 for more details.

    Memberof

    EthereumTransaction

    -
    rlp_encoded_tx?: string

    RLP encoded transaction as a hex string (prefixed with 0x) for native compatibility with popular eth clients such as etherjs, viem etc.

    +
    rlp_encoded_tx?: string

    RLP encoded transaction as a hex string (prefixed with 0x) for native compatibility with popular eth clients such as etherjs, viem etc.

    Memberof

    EthereumTransaction

    -
    to: string

    The onchain address of the receiver.

    +
    to: string

    The onchain address of the receiver.

    Memberof

    EthereumTransaction

    -
    token_transfers?: EthereumTokenTransfer[]

    Memberof

    EthereumTransaction

    -
    transaction_access_list?: EthereumTransactionAccessList

    Memberof

    EthereumTransaction

    -
    type?: number

    The EIP-2718 transaction type. See https://eips.ethereum.org/EIPS/eip-2718 for more details.

    +
    token_transfers?: EthereumTokenTransfer[]

    Memberof

    EthereumTransaction

    +
    transaction_access_list?: EthereumTransactionAccessList

    Memberof

    EthereumTransaction

    +
    type?: number

    The EIP-2718 transaction type. See https://eips.ethereum.org/EIPS/eip-2718 for more details.

    Memberof

    EthereumTransaction

    -
    value?: string

    The value of the transaction in atomic units of the native asset.

    +
    value?: string

    The value of the transaction in atomic units of the native asset.

    Memberof

    EthereumTransaction

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.EthereumTransactionAccess.html b/docs/interfaces/client_api.EthereumTransactionAccess.html index de14c6f5..8664185d 100644 --- a/docs/interfaces/client_api.EthereumTransactionAccess.html +++ b/docs/interfaces/client_api.EthereumTransactionAccess.html @@ -1,6 +1,6 @@ EthereumTransactionAccess | @coinbase/coinbase-sdk

    Export

    EthereumTransactionAccess

    -
    interface EthereumTransactionAccess {
        address?: string;
        storage_keys?: string[];
    }

    Properties

    interface EthereumTransactionAccess {
        address?: string;
        storage_keys?: string[];
    }

    Properties

    address?: string

    Memberof

    EthereumTransactionAccess

    -
    storage_keys?: string[]

    Memberof

    EthereumTransactionAccess

    -
    \ No newline at end of file +
    storage_keys?: string[]

    Memberof

    EthereumTransactionAccess

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.EthereumTransactionAccessList.html b/docs/interfaces/client_api.EthereumTransactionAccessList.html index 032ed457..1613489b 100644 --- a/docs/interfaces/client_api.EthereumTransactionAccessList.html +++ b/docs/interfaces/client_api.EthereumTransactionAccessList.html @@ -1,4 +1,4 @@ EthereumTransactionAccessList | @coinbase/coinbase-sdk

    Export

    EthereumTransactionAccessList

    -
    interface EthereumTransactionAccessList {
        access_list?: EthereumTransactionAccess[];
    }

    Properties

    interface EthereumTransactionAccessList {
        access_list?: EthereumTransactionAccess[];
    }

    Properties

    Properties

    Memberof

    EthereumTransactionAccessList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.EthereumTransactionFlattenedTrace.html b/docs/interfaces/client_api.EthereumTransactionFlattenedTrace.html index 60f3bff9..916b5f04 100644 --- a/docs/interfaces/client_api.EthereumTransactionFlattenedTrace.html +++ b/docs/interfaces/client_api.EthereumTransactionFlattenedTrace.html @@ -1,5 +1,5 @@ EthereumTransactionFlattenedTrace | @coinbase/coinbase-sdk

    Export

    EthereumTransactionFlattenedTrace

    -
    interface EthereumTransactionFlattenedTrace {
        block_hash?: string;
        block_number?: number;
        call_type?: string;
        error?: string;
        from?: string;
        gas?: number;
        gas_used?: number;
        input?: string;
        output?: string;
        status?: number;
        sub_traces?: number;
        to?: string;
        trace_address?: number[];
        trace_id?: string;
        trace_type?: string;
        transaction_hash?: string;
        transaction_index?: number;
        type?: string;
        value?: string;
    }

    Properties

    interface EthereumTransactionFlattenedTrace {
        block_hash?: string;
        block_number?: number;
        call_type?: string;
        error?: string;
        from?: string;
        gas?: number;
        gas_used?: number;
        input?: string;
        output?: string;
        status?: number;
        sub_traces?: number;
        to?: string;
        trace_address?: number[];
        trace_id?: string;
        trace_type?: string;
        transaction_hash?: string;
        transaction_index?: number;
        type?: string;
        value?: string;
    }

    Properties

    Properties

    block_hash?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    block_number?: number

    Memberof

    EthereumTransactionFlattenedTrace

    -
    call_type?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    error?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    from?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    gas?: number

    Memberof

    EthereumTransactionFlattenedTrace

    -
    gas_used?: number

    Memberof

    EthereumTransactionFlattenedTrace

    -
    input?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    output?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    status?: number

    Memberof

    EthereumTransactionFlattenedTrace

    -
    sub_traces?: number

    Memberof

    EthereumTransactionFlattenedTrace

    -
    to?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    trace_address?: number[]

    Memberof

    EthereumTransactionFlattenedTrace

    -
    trace_id?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    trace_type?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    transaction_hash?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    transaction_index?: number

    Memberof

    EthereumTransactionFlattenedTrace

    -
    type?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    value?: string

    Memberof

    EthereumTransactionFlattenedTrace

    -
    \ No newline at end of file +
    block_number?: number

    Memberof

    EthereumTransactionFlattenedTrace

    +
    call_type?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    error?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    from?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    gas?: number

    Memberof

    EthereumTransactionFlattenedTrace

    +
    gas_used?: number

    Memberof

    EthereumTransactionFlattenedTrace

    +
    input?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    output?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    status?: number

    Memberof

    EthereumTransactionFlattenedTrace

    +
    sub_traces?: number

    Memberof

    EthereumTransactionFlattenedTrace

    +
    to?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    trace_address?: number[]

    Memberof

    EthereumTransactionFlattenedTrace

    +
    trace_id?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    trace_type?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    transaction_hash?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    transaction_index?: number

    Memberof

    EthereumTransactionFlattenedTrace

    +
    type?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    value?: string

    Memberof

    EthereumTransactionFlattenedTrace

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.EthereumValidatorMetadata.html b/docs/interfaces/client_api.EthereumValidatorMetadata.html index bc3df753..acccdec9 100644 --- a/docs/interfaces/client_api.EthereumValidatorMetadata.html +++ b/docs/interfaces/client_api.EthereumValidatorMetadata.html @@ -1,6 +1,6 @@ EthereumValidatorMetadata | @coinbase/coinbase-sdk

    An Ethereum validator.

    Export

    EthereumValidatorMetadata

    -
    interface EthereumValidatorMetadata {
        activationEpoch: string;
        balance: Balance;
        effective_balance: Balance;
        exitEpoch: string;
        index: string;
        public_key: string;
        slashed: boolean;
        withdrawableEpoch: string;
        withdrawal_address: string;
    }

    Properties

    interface EthereumValidatorMetadata {
        activationEpoch: string;
        balance: Balance;
        effective_balance: Balance;
        exitEpoch: string;
        index: string;
        public_key: string;
        slashed: boolean;
        withdrawableEpoch: string;
        withdrawal_address: string;
    }

    Properties

    activationEpoch: string

    The epoch at which the validator was activated.

    Memberof

    EthereumValidatorMetadata

    -
    balance: Balance

    Memberof

    EthereumValidatorMetadata

    -
    effective_balance: Balance

    Memberof

    EthereumValidatorMetadata

    -
    exitEpoch: string

    The epoch at which the validator exited.

    +
    balance: Balance

    Memberof

    EthereumValidatorMetadata

    +
    effective_balance: Balance

    Memberof

    EthereumValidatorMetadata

    +
    exitEpoch: string

    The epoch at which the validator exited.

    Memberof

    EthereumValidatorMetadata

    -
    index: string

    The index of the validator in the validator set.

    +
    index: string

    The index of the validator in the validator set.

    Memberof

    EthereumValidatorMetadata

    -
    public_key: string

    The public key of the validator.

    +
    public_key: string

    The public key of the validator.

    Memberof

    EthereumValidatorMetadata

    -
    slashed: boolean

    Whether the validator has been slashed.

    +
    slashed: boolean

    Whether the validator has been slashed.

    Memberof

    EthereumValidatorMetadata

    -
    withdrawableEpoch: string

    The epoch at which the validator can withdraw.

    +
    withdrawableEpoch: string

    The epoch at which the validator can withdraw.

    Memberof

    EthereumValidatorMetadata

    -
    withdrawal_address: string

    The address to which the validator's rewards are sent.

    +
    withdrawal_address: string

    The address to which the validator's rewards are sent.

    Memberof

    EthereumValidatorMetadata

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ExternalAddressesApiInterface.html b/docs/interfaces/client_api.ExternalAddressesApiInterface.html index c4490b58..17dc16bc 100644 --- a/docs/interfaces/client_api.ExternalAddressesApiInterface.html +++ b/docs/interfaces/client_api.ExternalAddressesApiInterface.html @@ -1,6 +1,6 @@ ExternalAddressesApiInterface | @coinbase/coinbase-sdk

    ExternalAddressesApi - interface

    Export

    ExternalAddressesApi

    -
    interface ExternalAddressesApiInterface {
        broadcastExternalTransfer(networkId, addressId, transferId, broadcastExternalTransferRequest, options?): AxiosPromise<Transfer>;
        createExternalTransfer(networkId, addressId, createExternalTransferRequest, options?): AxiosPromise<Transfer>;
        getExternalAddressBalance(networkId, addressId, assetId, options?): AxiosPromise<Balance>;
        getExternalTransfer(networkId, addressId, transferId, options?): AxiosPromise<Transfer>;
        getFaucetTransaction(networkId, addressId, txHash, options?): AxiosPromise<FaucetTransaction>;
        listExternalAddressBalances(networkId, addressId, page?, options?): AxiosPromise<AddressBalanceList>;
        requestExternalFaucetFunds(networkId, addressId, assetId?, skipWait?, options?): AxiosPromise<FaucetTransaction>;
    }

    Implemented by

    Methods

    interface ExternalAddressesApiInterface {
        broadcastExternalTransfer(networkId, addressId, transferId, broadcastExternalTransferRequest, options?): AxiosPromise<Transfer>;
        createExternalTransfer(networkId, addressId, createExternalTransferRequest, options?): AxiosPromise<Transfer>;
        getExternalAddressBalance(networkId, addressId, assetId, options?): AxiosPromise<Balance>;
        getExternalTransfer(networkId, addressId, transferId, options?): AxiosPromise<Transfer>;
        getFaucetTransaction(networkId, addressId, txHash, options?): AxiosPromise<FaucetTransaction>;
        listExternalAddressBalances(networkId, addressId, page?, options?): AxiosPromise<AddressBalanceList>;
        requestExternalFaucetFunds(networkId, addressId, assetId?, skipWait?, options?): AxiosPromise<FaucetTransaction>;
    }

    Implemented by

    Methods

  • broadcastExternalTransferRequest: BroadcastExternalTransferRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Transfer>

    Summary

    Broadcast an external address' transfer

    Throws

    Memberof

    ExternalAddressesApiInterface

    -
    • Create a new transfer between addresses.

      +
    • Create a new transfer between addresses.

      Parameters

      • networkId: string

        The ID of the network the address is on

      • addressId: string

        The ID of the address to transfer from

      • createExternalTransferRequest: CreateExternalTransferRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Transfer>

      Summary

      Create a new transfer

      Throws

      Memberof

      ExternalAddressesApiInterface

      -
    • Get the balance of an asset in an external address

      +
    • Get the balance of an asset in an external address

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the balance for

      • assetId: string

        The ID of the asset to fetch the balance for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Balance>

      Summary

      Get the balance of an asset in an external address

      Throws

      Memberof

      ExternalAddressesApiInterface

      -
    • Get an external address' transfer by ID

      +
    • Get an external address' transfer by ID

      Parameters

      • networkId: string

        The ID of the network the address is on

      • addressId: string

        The ID of the address the transfer belongs to

      • transferId: string

        The ID of the transfer to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Transfer>

      Summary

      Get a external address' transfer

      Throws

      Memberof

      ExternalAddressesApiInterface

      -
    • Get the status of a faucet transaction

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the faucet transaction for

      • txHash: string

        The hash of the faucet transaction

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FaucetTransaction>

      Summary

      Get the status of a faucet transaction

      Throws

      Memberof

      ExternalAddressesApiInterface

      -
    • List all of the balances of an external address

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the balance for

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressBalanceList>

      Summary

      Get the balances of an external address

      Throws

      Memberof

      ExternalAddressesApiInterface

      -
    • Request faucet funds to be sent to external address.

      +
    • Request faucet funds to be sent to external address.

      Parameters

      • networkId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional assetId: string

        The ID of the asset to transfer from the faucet.

        @@ -56,4 +56,4 @@

        Throws

        Memberof

        ExternalAddressesApiInterface

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FaucetTransaction>

      Summary

      Request faucet funds for external address.

      Throws

      Memberof

      ExternalAddressesApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FaucetTransaction.html b/docs/interfaces/client_api.FaucetTransaction.html index cd6074a8..0123e5b7 100644 --- a/docs/interfaces/client_api.FaucetTransaction.html +++ b/docs/interfaces/client_api.FaucetTransaction.html @@ -1,11 +1,11 @@ FaucetTransaction | @coinbase/coinbase-sdk

    The faucet transaction

    Export

    FaucetTransaction

    -
    interface FaucetTransaction {
        transaction: Transaction;
        transaction_hash: string;
        transaction_link: string;
    }

    Properties

    interface FaucetTransaction {
        transaction: Transaction;
        transaction_hash: string;
        transaction_link: string;
    }

    Properties

    transaction: Transaction

    Memberof

    FaucetTransaction

    -
    transaction_hash: string

    The transaction hash of the transaction the faucet created.

    +
    transaction_hash: string

    The transaction hash of the transaction the faucet created.

    Memberof

    FaucetTransaction

    -
    transaction_link: string

    Link to the transaction on the blockchain explorer.

    +
    transaction_link: string

    Link to the transaction on the blockchain explorer.

    Memberof

    FaucetTransaction

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FeatureSet.html b/docs/interfaces/client_api.FeatureSet.html index 8a6badd9..542beb12 100644 --- a/docs/interfaces/client_api.FeatureSet.html +++ b/docs/interfaces/client_api.FeatureSet.html @@ -1,5 +1,5 @@ FeatureSet | @coinbase/coinbase-sdk

    Export

    FeatureSet

    -
    interface FeatureSet {
        faucet: boolean;
        gasless_send: boolean;
        server_signer: boolean;
        stake: boolean;
        trade: boolean;
        transfer: boolean;
    }

    Properties

    interface FeatureSet {
        faucet: boolean;
        gasless_send: boolean;
        server_signer: boolean;
        stake: boolean;
        trade: boolean;
        transfer: boolean;
    }

    Properties

    Properties

    faucet: boolean

    Whether the network supports a faucet

    Memberof

    FeatureSet

    -
    gasless_send: boolean

    Whether the network supports gasless sends

    +
    gasless_send: boolean

    Whether the network supports gasless sends

    Memberof

    FeatureSet

    -
    server_signer: boolean

    Whether the network supports Server-Signers

    +
    server_signer: boolean

    Whether the network supports Server-Signers

    Memberof

    FeatureSet

    -
    stake: boolean

    Whether the network supports staking

    +
    stake: boolean

    Whether the network supports staking

    Memberof

    FeatureSet

    -
    trade: boolean

    Whether the network supports trading

    +
    trade: boolean

    Whether the network supports trading

    Memberof

    FeatureSet

    -
    transfer: boolean

    Whether the network supports transfers

    +
    transfer: boolean

    Whether the network supports transfers

    Memberof

    FeatureSet

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FetchHistoricalStakingBalances200Response.html b/docs/interfaces/client_api.FetchHistoricalStakingBalances200Response.html index 75fdb794..daa8b1ca 100644 --- a/docs/interfaces/client_api.FetchHistoricalStakingBalances200Response.html +++ b/docs/interfaces/client_api.FetchHistoricalStakingBalances200Response.html @@ -1,10 +1,10 @@ FetchHistoricalStakingBalances200Response | @coinbase/coinbase-sdk

    Interface FetchHistoricalStakingBalances200Response

    Export

    FetchHistoricalStakingBalances200Response

    -
    interface FetchHistoricalStakingBalances200Response {
        data: StakingBalance[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    interface FetchHistoricalStakingBalances200Response {
        data: StakingBalance[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    Memberof

    FetchHistoricalStakingBalances200Response

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    FetchHistoricalStakingBalances200Response

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    FetchHistoricalStakingBalances200Response

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FetchStakingRewards200Response.html b/docs/interfaces/client_api.FetchStakingRewards200Response.html index 1b5dc382..60594c0d 100644 --- a/docs/interfaces/client_api.FetchStakingRewards200Response.html +++ b/docs/interfaces/client_api.FetchStakingRewards200Response.html @@ -1,10 +1,10 @@ FetchStakingRewards200Response | @coinbase/coinbase-sdk

    Export

    FetchStakingRewards200Response

    -
    interface FetchStakingRewards200Response {
        data: StakingReward[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    interface FetchStakingRewards200Response {
        data: StakingReward[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    Memberof

    FetchStakingRewards200Response

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    FetchStakingRewards200Response

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    FetchStakingRewards200Response

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FetchStakingRewardsRequest.html b/docs/interfaces/client_api.FetchStakingRewardsRequest.html index 766f3d40..975f0b2e 100644 --- a/docs/interfaces/client_api.FetchStakingRewardsRequest.html +++ b/docs/interfaces/client_api.FetchStakingRewardsRequest.html @@ -1,5 +1,5 @@ FetchStakingRewardsRequest | @coinbase/coinbase-sdk

    Export

    FetchStakingRewardsRequest

    -
    interface FetchStakingRewardsRequest {
        address_ids: string[];
        asset_id: string;
        end_time: string;
        format: StakingRewardFormat;
        network_id: string;
        start_time: string;
    }

    Properties

    interface FetchStakingRewardsRequest {
        address_ids: string[];
        asset_id: string;
        end_time: string;
        format: StakingRewardFormat;
        network_id: string;
        start_time: string;
    }

    Properties

    Properties

    address_ids: string[]

    The onchain addresses for which the staking rewards are being fetched

    Memberof

    FetchStakingRewardsRequest

    -
    asset_id: string

    The ID of the asset for which the staking rewards are being fetched

    +
    asset_id: string

    The ID of the asset for which the staking rewards are being fetched

    Memberof

    FetchStakingRewardsRequest

    -
    end_time: string

    The end time of this reward period

    +
    end_time: string

    The end time of this reward period

    Memberof

    FetchStakingRewardsRequest

    -

    Memberof

    FetchStakingRewardsRequest

    -
    network_id: string

    The ID of the blockchain network

    +

    Memberof

    FetchStakingRewardsRequest

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    FetchStakingRewardsRequest

    -
    start_time: string

    The start time of this reward period

    +
    start_time: string

    The start time of this reward period

    Memberof

    FetchStakingRewardsRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FiatAmount.html b/docs/interfaces/client_api.FiatAmount.html index 46c3b84f..71309595 100644 --- a/docs/interfaces/client_api.FiatAmount.html +++ b/docs/interfaces/client_api.FiatAmount.html @@ -1,9 +1,9 @@ FiatAmount | @coinbase/coinbase-sdk

    An amount in fiat currency

    Export

    FiatAmount

    -
    interface FiatAmount {
        amount: string;
        currency: string;
    }

    Properties

    interface FiatAmount {
        amount: string;
        currency: string;
    }

    Properties

    Properties

    amount: string

    The amount of the fiat in whole units.

    Memberof

    FiatAmount

    -
    currency: string

    The currency of the fiat

    +
    currency: string

    The currency of the fiat

    Memberof

    FiatAmount

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FundApiInterface.html b/docs/interfaces/client_api.FundApiInterface.html index a0a3f77e..8044e1fe 100644 --- a/docs/interfaces/client_api.FundApiInterface.html +++ b/docs/interfaces/client_api.FundApiInterface.html @@ -1,6 +1,6 @@ FundApiInterface | @coinbase/coinbase-sdk

    FundApi - interface

    Export

    FundApi

    -
    interface FundApiInterface {
        createFundOperation(walletId, addressId, createFundOperationRequest, options?): AxiosPromise<FundOperation>;
        createFundQuote(walletId, addressId, createFundQuoteRequest, options?): AxiosPromise<FundQuote>;
        getFundOperation(walletId, addressId, fundOperationId, options?): AxiosPromise<FundOperation>;
        listFundOperations(walletId, addressId, limit?, page?, options?): AxiosPromise<FundOperationList>;
    }

    Implemented by

    Methods

    interface FundApiInterface {
        createFundOperation(walletId, addressId, createFundOperationRequest, options?): AxiosPromise<FundOperation>;
        createFundQuote(walletId, addressId, createFundQuoteRequest, options?): AxiosPromise<FundQuote>;
        getFundOperation(walletId, addressId, fundOperationId, options?): AxiosPromise<FundOperation>;
        listFundOperations(walletId, addressId, limit?, page?, options?): AxiosPromise<FundOperationList>;
    }

    Implemented by

    Methods

  • createFundOperationRequest: CreateFundOperationRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<FundOperation>

    Summary

    Create a new fund operation.

    Throws

    Memberof

    FundApiInterface

    -
    • Create a new fund operation with an address.

      +
    • Create a new fund operation with an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address to be funded.

      • createFundQuoteRequest: CreateFundQuoteRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FundQuote>

      Summary

      Create a Fund Operation quote.

      Throws

      Memberof

      FundApiInterface

      -
    • Get fund operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that created the fund operation.

      • fundOperationId: string

        The ID of the fund operation to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FundOperation>

      Summary

      Get fund operation.

      Throws

      Memberof

      FundApiInterface

      -
    • List fund operations for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address to list fund operations for.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        @@ -31,4 +31,4 @@

        Throws

        Memberof

        FundApiInterface

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FundOperationList>

      Summary

      List fund operations for an address.

      Throws

      Memberof

      FundApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FundOperation.html b/docs/interfaces/client_api.FundOperation.html index ba6c0ba7..1ce533c4 100644 --- a/docs/interfaces/client_api.FundOperation.html +++ b/docs/interfaces/client_api.FundOperation.html @@ -1,6 +1,6 @@ FundOperation | @coinbase/coinbase-sdk

    An operation to fund a wallet with crypto

    Export

    FundOperation

    -
    interface FundOperation {
        address_id: string;
        crypto_amount: CryptoAmount;
        fees: FundOperationFees;
        fiat_amount: FiatAmount;
        fund_operation_id: string;
        network_id: string;
        status: FundOperationStatusEnum;
        wallet_id: string;
    }

    Properties

    interface FundOperation {
        address_id: string;
        crypto_amount: CryptoAmount;
        fees: FundOperationFees;
        fiat_amount: FiatAmount;
        fund_operation_id: string;
        network_id: string;
        status: FundOperationStatusEnum;
        wallet_id: string;
    }

    Properties

    Properties

    address_id: string

    The ID of the address that will receive the crypto

    Memberof

    FundOperation

    -
    crypto_amount: CryptoAmount

    Memberof

    FundOperation

    -

    Memberof

    FundOperation

    -
    fiat_amount: FiatAmount

    Memberof

    FundOperation

    -
    fund_operation_id: string

    The ID of the fund operation

    +
    crypto_amount: CryptoAmount

    Memberof

    FundOperation

    +

    Memberof

    FundOperation

    +
    fiat_amount: FiatAmount

    Memberof

    FundOperation

    +
    fund_operation_id: string

    The ID of the fund operation

    Memberof

    FundOperation

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    FundOperation

    -

    The status of the fund operation

    +

    The status of the fund operation

    Memberof

    FundOperation

    -
    wallet_id: string

    The ID of the wallet that will receive the crypto

    +
    wallet_id: string

    The ID of the wallet that will receive the crypto

    Memberof

    FundOperation

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FundOperationFees.html b/docs/interfaces/client_api.FundOperationFees.html index 7a7212b4..f474561f 100644 --- a/docs/interfaces/client_api.FundOperationFees.html +++ b/docs/interfaces/client_api.FundOperationFees.html @@ -1,7 +1,7 @@ FundOperationFees | @coinbase/coinbase-sdk

    The fees for a fund operation.

    Export

    FundOperationFees

    -
    interface FundOperationFees {
        buy_fee: FiatAmount;
        transfer_fee: CryptoAmount;
    }

    Properties

    interface FundOperationFees {
        buy_fee: FiatAmount;
        transfer_fee: CryptoAmount;
    }

    Properties

    buy_fee: FiatAmount

    Memberof

    FundOperationFees

    -
    transfer_fee: CryptoAmount

    Memberof

    FundOperationFees

    -
    \ No newline at end of file +
    transfer_fee: CryptoAmount

    Memberof

    FundOperationFees

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FundOperationList.html b/docs/interfaces/client_api.FundOperationList.html index 1502154e..fbadbc00 100644 --- a/docs/interfaces/client_api.FundOperationList.html +++ b/docs/interfaces/client_api.FundOperationList.html @@ -1,14 +1,14 @@ FundOperationList | @coinbase/coinbase-sdk

    Paginated list of fund operations

    Export

    FundOperationList

    -
    interface FundOperationList {
        data: FundOperation[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface FundOperationList {
        data: FundOperation[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    Memberof

    FundOperationList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    FundOperationList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    FundOperationList

    -
    total_count: number

    The total number of fund operations

    +
    total_count: number

    The total number of fund operations

    Memberof

    FundOperationList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.FundQuote.html b/docs/interfaces/client_api.FundQuote.html index c05fcc28..c9ba5672 100644 --- a/docs/interfaces/client_api.FundQuote.html +++ b/docs/interfaces/client_api.FundQuote.html @@ -1,6 +1,6 @@ FundQuote | @coinbase/coinbase-sdk

    A quote for a fund operation

    Export

    FundQuote

    -
    interface FundQuote {
        address_id: string;
        crypto_amount: CryptoAmount;
        expires_at: string;
        fees: FundOperationFees;
        fiat_amount: FiatAmount;
        fund_quote_id: string;
        network_id: string;
        wallet_id: string;
    }

    Properties

    interface FundQuote {
        address_id: string;
        crypto_amount: CryptoAmount;
        expires_at: string;
        fees: FundOperationFees;
        fiat_amount: FiatAmount;
        fund_quote_id: string;
        network_id: string;
        wallet_id: string;
    }

    Properties

    Properties

    address_id: string

    The ID of the address that will receive the crypto

    Memberof

    FundQuote

    -
    crypto_amount: CryptoAmount

    Memberof

    FundQuote

    -
    expires_at: string

    The time at which the quote expires

    +
    crypto_amount: CryptoAmount

    Memberof

    FundQuote

    +
    expires_at: string

    The time at which the quote expires

    Memberof

    FundQuote

    -

    Memberof

    FundQuote

    -
    fiat_amount: FiatAmount

    Memberof

    FundQuote

    -
    fund_quote_id: string

    The ID of the fund quote

    +

    Memberof

    FundQuote

    +
    fiat_amount: FiatAmount

    Memberof

    FundQuote

    +
    fund_quote_id: string

    The ID of the fund quote

    Memberof

    FundQuote

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    FundQuote

    -
    wallet_id: string

    The ID of the wallet that will receive the crypto

    +
    wallet_id: string

    The ID of the wallet that will receive the crypto

    Memberof

    FundQuote

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.GetStakingContextRequest.html b/docs/interfaces/client_api.GetStakingContextRequest.html index 89efaa91..0a755512 100644 --- a/docs/interfaces/client_api.GetStakingContextRequest.html +++ b/docs/interfaces/client_api.GetStakingContextRequest.html @@ -1,14 +1,14 @@ GetStakingContextRequest | @coinbase/coinbase-sdk

    Export

    GetStakingContextRequest

    -
    interface GetStakingContextRequest {
        address_id: string;
        asset_id: string;
        network_id: string;
        options: {
            [key: string]: string;
        };
    }

    Properties

    interface GetStakingContextRequest {
        address_id: string;
        asset_id: string;
        network_id: string;
        options: {
            [key: string]: string;
        };
    }

    Properties

    address_id: string

    The onchain address for which the staking context is being fetched

    Memberof

    GetStakingContextRequest

    -
    asset_id: string

    The ID of the asset being staked

    +
    asset_id: string

    The ID of the asset being staked

    Memberof

    GetStakingContextRequest

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    GetStakingContextRequest

    -
    options: {
        [key: string]: string;
    }

    Additional options for getting the staking context. This typically includes network specific fields.

    +
    options: {
        [key: string]: string;
    }

    Additional options for getting the staking context. This typically includes network specific fields.

    Type declaration

    • [key: string]: string

    Memberof

    GetStakingContextRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.HistoricalBalance.html b/docs/interfaces/client_api.HistoricalBalance.html index 17becded..4e15d66f 100644 --- a/docs/interfaces/client_api.HistoricalBalance.html +++ b/docs/interfaces/client_api.HistoricalBalance.html @@ -1,14 +1,14 @@ HistoricalBalance | @coinbase/coinbase-sdk

    The balance of an asset onchain at a particular block

    Export

    HistoricalBalance

    -
    interface HistoricalBalance {
        amount: string;
        asset: Asset;
        block_hash: string;
        block_height: string;
    }

    Properties

    interface HistoricalBalance {
        amount: string;
        asset: Asset;
        block_hash: string;
        block_height: string;
    }

    Properties

    amount: string

    The amount in the atomic units of the asset

    Memberof

    HistoricalBalance

    -
    asset: Asset

    Memberof

    HistoricalBalance

    -
    block_hash: string

    The hash of the block at which the balance was recorded

    +
    asset: Asset

    Memberof

    HistoricalBalance

    +
    block_hash: string

    The hash of the block at which the balance was recorded

    Memberof

    HistoricalBalance

    -
    block_height: string

    The block height at which the balance was recorded

    +
    block_height: string

    The block height at which the balance was recorded

    Memberof

    HistoricalBalance

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.MPCWalletStakeApiInterface.html b/docs/interfaces/client_api.MPCWalletStakeApiInterface.html index b728adba..41e90fc2 100644 --- a/docs/interfaces/client_api.MPCWalletStakeApiInterface.html +++ b/docs/interfaces/client_api.MPCWalletStakeApiInterface.html @@ -1,6 +1,6 @@ MPCWalletStakeApiInterface | @coinbase/coinbase-sdk

    MPCWalletStakeApi - interface

    Export

    MPCWalletStakeApi

    -
    interface MPCWalletStakeApiInterface {
        broadcastStakingOperation(walletId, addressId, stakingOperationId, broadcastStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        createStakingOperation(walletId, addressId, createStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        getStakingOperation(walletId, addressId, stakingOperationId, options?): AxiosPromise<StakingOperation>;
    }

    Implemented by

    Methods

    interface MPCWalletStakeApiInterface {
        broadcastStakingOperation(walletId, addressId, stakingOperationId, broadcastStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        createStakingOperation(walletId, addressId, createStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        getStakingOperation(walletId, addressId, stakingOperationId, options?): AxiosPromise<StakingOperation>;
    }

    Implemented by

    Methods

    • Broadcast a staking operation.

      @@ -10,17 +10,17 @@
    • broadcastStakingOperationRequest: BroadcastStakingOperationRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns AxiosPromise<StakingOperation>

    Summary

    Broadcast a staking operation

    Throws

    Memberof

    MPCWalletStakeApiInterface

    -
    • Create a new staking operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to create the staking operation for.

      • createStakingOperationRequest: CreateStakingOperationRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<StakingOperation>

      Summary

      Create a new staking operation for an address

      Throws

      Memberof

      MPCWalletStakeApiInterface

      -
    • Get the latest state of a staking operation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to fetch the staking operation for.

      • stakingOperationId: string

        The ID of the staking operation.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<StakingOperation>

      Summary

      Get the latest state of a staking operation

      Throws

      Memberof

      MPCWalletStakeApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ModelError.html b/docs/interfaces/client_api.ModelError.html index 0bd6f4de..16d1dc03 100644 --- a/docs/interfaces/client_api.ModelError.html +++ b/docs/interfaces/client_api.ModelError.html @@ -1,12 +1,12 @@ ModelError | @coinbase/coinbase-sdk

    An error response from the Coinbase Developer Platform API

    Export

    ModelError

    -
    interface ModelError {
        code: string;
        correlation_id?: string;
        message: string;
    }

    Properties

    interface ModelError {
        code: string;
        correlation_id?: string;
        message: string;
    }

    Properties

    code: string

    A short string representing the reported error. Can be use to handle errors programmatically.

    Memberof

    ModelError

    -
    correlation_id?: string

    A unique identifier for the request that generated the error. This can be used to help debug issues with the API.

    +
    correlation_id?: string

    A unique identifier for the request that generated the error. This can be used to help debug issues with the API.

    Memberof

    ModelError

    -
    message: string

    A human-readable message providing more details about the error.

    +
    message: string

    A human-readable message providing more details about the error.

    Memberof

    ModelError

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.MultiTokenContractOptions.html b/docs/interfaces/client_api.MultiTokenContractOptions.html index 17105aab..cfb17916 100644 --- a/docs/interfaces/client_api.MultiTokenContractOptions.html +++ b/docs/interfaces/client_api.MultiTokenContractOptions.html @@ -1,6 +1,6 @@ MultiTokenContractOptions | @coinbase/coinbase-sdk

    Options for multi-token contract creation

    Export

    MultiTokenContractOptions

    -
    interface MultiTokenContractOptions {
        uri: string;
    }

    Properties

    uri +
    interface MultiTokenContractOptions {
        uri: string;
    }

    Properties

    Properties

    uri: string

    The URI for all token metadata

    Memberof

    MultiTokenContractOptions

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.NFTContractOptions.html b/docs/interfaces/client_api.NFTContractOptions.html index c8d15e33..1adf6fe2 100644 --- a/docs/interfaces/client_api.NFTContractOptions.html +++ b/docs/interfaces/client_api.NFTContractOptions.html @@ -1,12 +1,12 @@ NFTContractOptions | @coinbase/coinbase-sdk

    Options for NFT contract creation

    Export

    NFTContractOptions

    -
    interface NFTContractOptions {
        base_uri: string;
        name: string;
        symbol: string;
    }

    Properties

    interface NFTContractOptions {
        base_uri: string;
        name: string;
        symbol: string;
    }

    Properties

    Properties

    base_uri: string

    The base URI for the NFT metadata

    Memberof

    NFTContractOptions

    -
    name: string

    The name of the NFT

    +
    name: string

    The name of the NFT

    Memberof

    NFTContractOptions

    -
    symbol: string

    The symbol of the NFT

    +
    symbol: string

    The symbol of the NFT

    Memberof

    NFTContractOptions

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Network.html b/docs/interfaces/client_api.Network.html index a4d8822d..af30d3d3 100644 --- a/docs/interfaces/client_api.Network.html +++ b/docs/interfaces/client_api.Network.html @@ -1,5 +1,5 @@ Network | @coinbase/coinbase-sdk

    Export

    Network

    -
    interface Network {
        address_path_prefix?: string;
        chain_id: number;
        display_name: string;
        feature_set: FeatureSet;
        id: NetworkIdentifier;
        is_testnet: boolean;
        native_asset: Asset;
        protocol_family: NetworkProtocolFamilyEnum;
    }

    Properties

    interface Network {
        address_path_prefix?: string;
        chain_id: number;
        display_name: string;
        feature_set: FeatureSet;
        id: NetworkIdentifier;
        is_testnet: boolean;
        native_asset: Asset;
        protocol_family: NetworkProtocolFamilyEnum;
    }

    Properties

    address_path_prefix?: string

    The BIP44 path prefix for the network

    Memberof

    Network

    -
    chain_id: number

    The chain ID of the blockchain network

    +
    chain_id: number

    The chain ID of the blockchain network

    Memberof

    Network

    -
    display_name: string

    The human-readable name of the blockchain network

    +
    display_name: string

    The human-readable name of the blockchain network

    Memberof

    Network

    -
    feature_set: FeatureSet

    Memberof

    Network

    -

    Memberof

    Network

    -
    is_testnet: boolean

    Whether the network is a testnet or not

    +
    feature_set: FeatureSet

    Memberof

    Network

    +

    Memberof

    Network

    +
    is_testnet: boolean

    Whether the network is a testnet or not

    Memberof

    Network

    -
    native_asset: Asset

    Memberof

    Network

    -
    protocol_family: NetworkProtocolFamilyEnum

    The protocol family of the blockchain network

    +
    native_asset: Asset

    Memberof

    Network

    +
    protocol_family: NetworkProtocolFamilyEnum

    The protocol family of the blockchain network

    Memberof

    Network

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.NetworksApiInterface.html b/docs/interfaces/client_api.NetworksApiInterface.html index 6f5b1223..52ddbd1e 100644 --- a/docs/interfaces/client_api.NetworksApiInterface.html +++ b/docs/interfaces/client_api.NetworksApiInterface.html @@ -1,9 +1,9 @@ NetworksApiInterface | @coinbase/coinbase-sdk

    NetworksApi - interface

    Export

    NetworksApi

    -
    interface NetworksApiInterface {
        getNetwork(networkId, options?): AxiosPromise<Network>;
    }

    Implemented by

    Methods

    interface NetworksApiInterface {
        getNetwork(networkId, options?): AxiosPromise<Network>;
    }

    Implemented by

    Methods

    Methods

    • Get network

      Parameters

      • networkId: string

        The ID of the network to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Network>

      Summary

      Get network by ID

      Throws

      Memberof

      NetworksApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.OnchainIdentityApiInterface.html b/docs/interfaces/client_api.OnchainIdentityApiInterface.html index cd8fbad2..5662ad0f 100644 --- a/docs/interfaces/client_api.OnchainIdentityApiInterface.html +++ b/docs/interfaces/client_api.OnchainIdentityApiInterface.html @@ -1,6 +1,6 @@ OnchainIdentityApiInterface | @coinbase/coinbase-sdk

    OnchainIdentityApi - interface

    Export

    OnchainIdentityApi

    -
    interface OnchainIdentityApiInterface {
        resolveIdentityByAddress(networkId, addressId, roles?, limit?, page?, options?): AxiosPromise<OnchainNameList>;
    }

    Implemented by

    Methods

    interface OnchainIdentityApiInterface {
        resolveIdentityByAddress(networkId, addressId, roles?, limit?, page?, options?): AxiosPromise<OnchainNameList>;
    }

    Implemented by

    Methods

    • Obtains onchain identity for an address on a specific network

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the identity for

        @@ -10,4 +10,4 @@
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<OnchainNameList>

      Summary

      Obtains onchain identity for an address on a specific network

      Throws

      Memberof

      OnchainIdentityApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.OnchainName.html b/docs/interfaces/client_api.OnchainName.html index a0a992fa..e0dd59d5 100644 --- a/docs/interfaces/client_api.OnchainName.html +++ b/docs/interfaces/client_api.OnchainName.html @@ -1,6 +1,6 @@ OnchainName | @coinbase/coinbase-sdk

    A representation of an onchain stored name from name systems i.e. ENS or Basenames

    Export

    OnchainName

    -
    interface OnchainName {
        avatar?: string;
        domain: string;
        expires_at: string;
        is_primary: boolean;
        manager_address: string;
        network_id: string;
        owner_address: string;
        primary_address?: string;
        text_records?: {
            [key: string]: string;
        };
        token_id: string;
    }

    Properties

    interface OnchainName {
        avatar?: string;
        domain: string;
        expires_at: string;
        is_primary: boolean;
        manager_address: string;
        network_id: string;
        owner_address: string;
        primary_address?: string;
        text_records?: {
            [key: string]: string;
        };
        token_id: string;
    }

    Properties

    Properties

    avatar?: string

    The visual representation attached to this name

    Memberof

    OnchainName

    -
    domain: string

    The readable format for the name in complete form

    +
    domain: string

    The readable format for the name in complete form

    Memberof

    OnchainName

    -
    expires_at: string

    The expiration date for this name's ownership

    +
    expires_at: string

    The expiration date for this name's ownership

    Memberof

    OnchainName

    -
    is_primary: boolean

    Whether this name is the primary name for the owner (This is when the ETH coin address for this name is equal to the primary_address. More info here https://docs.ens.domains/ensip/19)

    +
    is_primary: boolean

    Whether this name is the primary name for the owner (This is when the ETH coin address for this name is equal to the primary_address. More info here https://docs.ens.domains/ensip/19)

    Memberof

    OnchainName

    -
    manager_address: string

    The onchain address of the manager of the name

    +
    manager_address: string

    The onchain address of the manager of the name

    Memberof

    OnchainName

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    OnchainName

    -
    owner_address: string

    The onchain address of the owner of the name

    +
    owner_address: string

    The onchain address of the owner of the name

    Memberof

    OnchainName

    -
    primary_address?: string

    The primary onchain address of the name

    +
    primary_address?: string

    The primary onchain address of the name

    Memberof

    OnchainName

    -
    text_records?: {
        [key: string]: string;
    }

    The metadata attached to this name

    +
    text_records?: {
        [key: string]: string;
    }

    The metadata attached to this name

    Type declaration

    • [key: string]: string

    Memberof

    OnchainName

    -
    token_id: string

    The ID for the NFT related to this name

    +
    token_id: string

    The ID for the NFT related to this name

    Memberof

    OnchainName

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.OnchainNameList.html b/docs/interfaces/client_api.OnchainNameList.html index 952ec163..b49e6489 100644 --- a/docs/interfaces/client_api.OnchainNameList.html +++ b/docs/interfaces/client_api.OnchainNameList.html @@ -1,15 +1,15 @@ OnchainNameList | @coinbase/coinbase-sdk

    A list of onchain events with pagination information

    Export

    OnchainNameList

    -
    interface OnchainNameList {
        data: OnchainName[];
        has_more?: boolean;
        next_page: string;
        total_count?: number;
    }

    Properties

    interface OnchainNameList {
        data: OnchainName[];
        has_more?: boolean;
        next_page: string;
        total_count?: number;
    }

    Properties

    data: OnchainName[]

    A list of onchain name objects

    Memberof

    OnchainNameList

    -
    has_more?: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more?: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    OnchainNameList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    OnchainNameList

    -
    total_count?: number

    The total number of payload signatures for the address.

    +
    total_count?: number

    The total number of payload signatures for the address.

    Memberof

    OnchainNameList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.PayloadSignature.html b/docs/interfaces/client_api.PayloadSignature.html index 717d33b0..afb555b9 100644 --- a/docs/interfaces/client_api.PayloadSignature.html +++ b/docs/interfaces/client_api.PayloadSignature.html @@ -1,6 +1,6 @@ PayloadSignature | @coinbase/coinbase-sdk

    A payload signed by an address.

    Export

    PayloadSignature

    -
    interface PayloadSignature {
        address_id: string;
        payload_signature_id: string;
        signature?: string;
        status: PayloadSignatureStatusEnum;
        unsigned_payload: string;
        wallet_id: string;
    }

    Properties

    interface PayloadSignature {
        address_id: string;
        payload_signature_id: string;
        signature?: string;
        status: PayloadSignatureStatusEnum;
        unsigned_payload: string;
        wallet_id: string;
    }

    Properties

    address_id: string

    The onchain address of the signer.

    Memberof

    PayloadSignature

    -
    payload_signature_id: string

    The ID of the payload signature.

    +
    payload_signature_id: string

    The ID of the payload signature.

    Memberof

    PayloadSignature

    -
    signature?: string

    The signature of the payload.

    +
    signature?: string

    The signature of the payload.

    Memberof

    PayloadSignature

    -

    The status of the payload signature.

    +

    The status of the payload signature.

    Memberof

    PayloadSignature

    -
    unsigned_payload: string

    The unsigned payload. This is the payload that needs to be signed by the signer address.

    +
    unsigned_payload: string

    The unsigned payload. This is the payload that needs to be signed by the signer address.

    Memberof

    PayloadSignature

    -
    wallet_id: string

    The ID of the wallet that owns the address.

    +
    wallet_id: string

    The ID of the wallet that owns the address.

    Memberof

    PayloadSignature

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.PayloadSignatureList.html b/docs/interfaces/client_api.PayloadSignatureList.html index 6ab4e13f..0b296d3c 100644 --- a/docs/interfaces/client_api.PayloadSignatureList.html +++ b/docs/interfaces/client_api.PayloadSignatureList.html @@ -1,13 +1,13 @@ PayloadSignatureList | @coinbase/coinbase-sdk

    Export

    PayloadSignatureList

    -
    interface PayloadSignatureList {
        data: PayloadSignature[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface PayloadSignatureList {
        data: PayloadSignature[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    Memberof

    PayloadSignatureList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    PayloadSignatureList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    PayloadSignatureList

    -
    total_count: number

    The total number of payload signatures for the address.

    +
    total_count: number

    The total number of payload signatures for the address.

    Memberof

    PayloadSignatureList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ReadContractRequest.html b/docs/interfaces/client_api.ReadContractRequest.html index 1b252e7b..f46fbbe4 100644 --- a/docs/interfaces/client_api.ReadContractRequest.html +++ b/docs/interfaces/client_api.ReadContractRequest.html @@ -1,11 +1,11 @@ ReadContractRequest | @coinbase/coinbase-sdk

    Export

    ReadContractRequest

    -
    interface ReadContractRequest {
        abi?: string;
        args: string;
        method: string;
    }

    Properties

    interface ReadContractRequest {
        abi?: string;
        args: string;
        method: string;
    }

    Properties

    Properties

    abi?: string

    The JSON-encoded ABI of the contract method (optional, will use cached ABI if not provided)

    Memberof

    ReadContractRequest

    -
    args: string

    The JSON-encoded arguments to pass to the contract method. The keys should be the argument names and the values should be the argument values.

    +
    args: string

    The JSON-encoded arguments to pass to the contract method. The keys should be the argument names and the values should be the argument values.

    Memberof

    ReadContractRequest

    -
    method: string

    The name of the contract method to call

    +
    method: string

    The name of the contract method to call

    Memberof

    ReadContractRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.RegisterSmartContractRequest.html b/docs/interfaces/client_api.RegisterSmartContractRequest.html index bb2de5be..4ba65c04 100644 --- a/docs/interfaces/client_api.RegisterSmartContractRequest.html +++ b/docs/interfaces/client_api.RegisterSmartContractRequest.html @@ -1,9 +1,9 @@ RegisterSmartContractRequest | @coinbase/coinbase-sdk

    Smart Contract data to be registered

    Export

    RegisterSmartContractRequest

    -
    interface RegisterSmartContractRequest {
        abi: string;
        contract_name?: string;
    }

    Properties

    abi +
    interface RegisterSmartContractRequest {
        abi: string;
        contract_name?: string;
    }

    Properties

    Properties

    abi: string

    ABI of the smart contract

    Memberof

    RegisterSmartContractRequest

    -
    contract_name?: string

    Name of the smart contract

    +
    contract_name?: string

    Name of the smart contract

    Memberof

    RegisterSmartContractRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ReputationApiInterface.html b/docs/interfaces/client_api.ReputationApiInterface.html index e99099c0..d8ca6c36 100644 --- a/docs/interfaces/client_api.ReputationApiInterface.html +++ b/docs/interfaces/client_api.ReputationApiInterface.html @@ -1,10 +1,10 @@ ReputationApiInterface | @coinbase/coinbase-sdk

    ReputationApi - interface

    Export

    ReputationApi

    -
    interface ReputationApiInterface {
        getAddressReputation(networkId, addressId, options?): AxiosPromise<AddressReputation>;
    }

    Implemented by

    Methods

    interface ReputationApiInterface {
        getAddressReputation(networkId, addressId, options?): AxiosPromise<AddressReputation>;
    }

    Implemented by

    Methods

    • Get the onchain reputation of an external address

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • addressId: string

        The ID of the address to fetch the reputation for.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressReputation>

      Summary

      Get the onchain reputation of an external address

      Throws

      Memberof

      ReputationApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SeedCreationEvent.html b/docs/interfaces/client_api.SeedCreationEvent.html index 4da97a3a..21c6c945 100644 --- a/docs/interfaces/client_api.SeedCreationEvent.html +++ b/docs/interfaces/client_api.SeedCreationEvent.html @@ -1,9 +1,9 @@ SeedCreationEvent | @coinbase/coinbase-sdk

    An event representing a seed creation.

    Export

    SeedCreationEvent

    -
    interface SeedCreationEvent {
        wallet_id: string;
        wallet_user_id: string;
    }

    Properties

    interface SeedCreationEvent {
        wallet_id: string;
        wallet_user_id: string;
    }

    Properties

    wallet_id: string

    The ID of the wallet that the server-signer should create the seed for

    Memberof

    SeedCreationEvent

    -
    wallet_user_id: string

    The ID of the user that the wallet belongs to

    +
    wallet_user_id: string

    The ID of the user that the wallet belongs to

    Memberof

    SeedCreationEvent

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SeedCreationEventResult.html b/docs/interfaces/client_api.SeedCreationEventResult.html index b158ea3a..554937d8 100644 --- a/docs/interfaces/client_api.SeedCreationEventResult.html +++ b/docs/interfaces/client_api.SeedCreationEventResult.html @@ -1,15 +1,15 @@ SeedCreationEventResult | @coinbase/coinbase-sdk

    The result to a SeedCreationEvent.

    Export

    SeedCreationEventResult

    -
    interface SeedCreationEventResult {
        extended_public_key: string;
        seed_id: string;
        wallet_id: string;
        wallet_user_id: string;
    }

    Properties

    interface SeedCreationEventResult {
        extended_public_key: string;
        seed_id: string;
        wallet_id: string;
        wallet_user_id: string;
    }

    Properties

    extended_public_key: string

    The extended public key for the first master key derived from seed.

    Memberof

    SeedCreationEventResult

    -
    seed_id: string

    The ID of the seed in Server-Signer used to generate the extended public key.

    +
    seed_id: string

    The ID of the seed in Server-Signer used to generate the extended public key.

    Memberof

    SeedCreationEventResult

    -
    wallet_id: string

    The ID of the wallet that the seed was created for

    +
    wallet_id: string

    The ID of the wallet that the seed was created for

    Memberof

    SeedCreationEventResult

    -
    wallet_user_id: string

    The ID of the user that the wallet belongs to

    +
    wallet_user_id: string

    The ID of the user that the wallet belongs to

    Memberof

    SeedCreationEventResult

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ServerSigner.html b/docs/interfaces/client_api.ServerSigner.html index 41772677..83b88dbb 100644 --- a/docs/interfaces/client_api.ServerSigner.html +++ b/docs/interfaces/client_api.ServerSigner.html @@ -1,12 +1,12 @@ ServerSigner | @coinbase/coinbase-sdk

    A Server-Signer assigned to sign transactions in a wallet.

    Export

    ServerSigner

    -
    interface ServerSigner {
        is_mpc: boolean;
        server_signer_id: string;
        wallets?: string[];
    }

    Properties

    interface ServerSigner {
        is_mpc: boolean;
        server_signer_id: string;
        wallets?: string[];
    }

    Properties

    is_mpc: boolean

    Whether the Server-Signer uses MPC.

    Memberof

    ServerSigner

    -
    server_signer_id: string

    The ID of the server-signer

    +
    server_signer_id: string

    The ID of the server-signer

    Memberof

    ServerSigner

    -
    wallets?: string[]

    The IDs of the wallets that the server-signer can sign for

    +
    wallets?: string[]

    The IDs of the wallets that the server-signer can sign for

    Memberof

    ServerSigner

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ServerSignerEvent.html b/docs/interfaces/client_api.ServerSignerEvent.html index b94cac47..40441766 100644 --- a/docs/interfaces/client_api.ServerSignerEvent.html +++ b/docs/interfaces/client_api.ServerSignerEvent.html @@ -1,8 +1,8 @@ ServerSignerEvent | @coinbase/coinbase-sdk

    An event that is waiting to be processed by a Server-Signer.

    Export

    ServerSignerEvent

    -
    interface ServerSignerEvent {
        event: ServerSignerEventEvent;
        server_signer_id: string;
    }

    Properties

    interface ServerSignerEvent {
        event: ServerSignerEventEvent;
        server_signer_id: string;
    }

    Properties

    Memberof

    ServerSignerEvent

    -
    server_signer_id: string

    The ID of the server-signer that the event is for

    +
    server_signer_id: string

    The ID of the server-signer that the event is for

    Memberof

    ServerSignerEvent

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ServerSignerEventList.html b/docs/interfaces/client_api.ServerSignerEventList.html index 0b113f51..ca596bd7 100644 --- a/docs/interfaces/client_api.ServerSignerEventList.html +++ b/docs/interfaces/client_api.ServerSignerEventList.html @@ -1,13 +1,13 @@ ServerSignerEventList | @coinbase/coinbase-sdk

    Export

    ServerSignerEventList

    -
    interface ServerSignerEventList {
        data: ServerSignerEvent[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface ServerSignerEventList {
        data: ServerSignerEvent[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    Memberof

    ServerSignerEventList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    ServerSignerEventList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    ServerSignerEventList

    -
    total_count: number

    The total number of events for the server signer.

    +
    total_count: number

    The total number of events for the server signer.

    Memberof

    ServerSignerEventList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ServerSignerList.html b/docs/interfaces/client_api.ServerSignerList.html index 6e7e19a9..47f638b0 100644 --- a/docs/interfaces/client_api.ServerSignerList.html +++ b/docs/interfaces/client_api.ServerSignerList.html @@ -1,13 +1,13 @@ ServerSignerList | @coinbase/coinbase-sdk

    Export

    ServerSignerList

    -
    interface ServerSignerList {
        data: ServerSigner[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface ServerSignerList {
        data: ServerSigner[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    data: ServerSigner[]

    Memberof

    ServerSignerList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    ServerSignerList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    ServerSignerList

    -
    total_count: number

    The total number of server-signers for the project.

    +
    total_count: number

    The total number of server-signers for the project.

    Memberof

    ServerSignerList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ServerSignersApiInterface.html b/docs/interfaces/client_api.ServerSignersApiInterface.html index a52ea0d5..93bd24ff 100644 --- a/docs/interfaces/client_api.ServerSignersApiInterface.html +++ b/docs/interfaces/client_api.ServerSignersApiInterface.html @@ -1,6 +1,6 @@ ServerSignersApiInterface | @coinbase/coinbase-sdk

    ServerSignersApi - interface

    Export

    ServerSignersApi

    -
    interface ServerSignersApiInterface {
        createServerSigner(createServerSignerRequest?, options?): AxiosPromise<ServerSigner>;
        getServerSigner(serverSignerId, options?): AxiosPromise<ServerSigner>;
        listServerSignerEvents(serverSignerId, limit?, page?, options?): AxiosPromise<ServerSignerEventList>;
        listServerSigners(limit?, page?, options?): AxiosPromise<ServerSignerList>;
        submitServerSignerSeedEventResult(serverSignerId, seedCreationEventResult?, options?): AxiosPromise<SeedCreationEventResult>;
        submitServerSignerSignatureEventResult(serverSignerId, signatureCreationEventResult?, options?): AxiosPromise<SignatureCreationEventResult>;
    }

    Implemented by

    Methods

    interface ServerSignersApiInterface {
        createServerSigner(createServerSignerRequest?, options?): AxiosPromise<ServerSigner>;
        getServerSigner(serverSignerId, options?): AxiosPromise<ServerSigner>;
        listServerSignerEvents(serverSignerId, limit?, page?, options?): AxiosPromise<ServerSignerEventList>;
        listServerSigners(limit?, page?, options?): AxiosPromise<ServerSignerList>;
        submitServerSignerSeedEventResult(serverSignerId, seedCreationEventResult?, options?): AxiosPromise<SeedCreationEventResult>;
        submitServerSignerSignatureEventResult(serverSignerId, signatureCreationEventResult?, options?): AxiosPromise<SignatureCreationEventResult>;
    }

    Implemented by

    Methods

    Parameters

    • Optional createServerSignerRequest: CreateServerSignerRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns AxiosPromise<ServerSigner>

    Summary

    Create a new Server-Signer

    Throws

    Memberof

    ServerSignersApiInterface

    -
    • Get a server signer by ID

      Parameters

      • serverSignerId: string

        The ID of the server signer to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ServerSigner>

      Summary

      Get a server signer by ID

      Throws

      Memberof

      ServerSignersApiInterface

      -
    • List events for a server signer

      Parameters

      • serverSignerId: string

        The ID of the server signer to fetch events for

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ServerSignerEventList>

      Summary

      List events for a server signer

      Deprecated

      Throws

      Memberof

      ServerSignersApiInterface

      -
    • List server signers for the current project

      Parameters

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ServerSignerList>

      Summary

      List server signers for the current project

      Throws

      Memberof

      ServerSignersApiInterface

      -
    • Submit the result of a server signer event

      Parameters

      • serverSignerId: string

        The ID of the server signer to submit the event result for

      • Optional seedCreationEventResult: SeedCreationEventResult
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SeedCreationEventResult>

      Summary

      Submit the result of a server signer event

      Throws

      Memberof

      ServerSignersApiInterface

      -
    • Submit the result of a server signer event

      Parameters

      • serverSignerId: string

        The ID of the server signer to submit the event result for

      • Optional signatureCreationEventResult: SignatureCreationEventResult
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SignatureCreationEventResult>

      Summary

      Submit the result of a server signer event

      Throws

      Memberof

      ServerSignersApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SignatureCreationEvent.html b/docs/interfaces/client_api.SignatureCreationEvent.html index fafd8b79..b1cfb416 100644 --- a/docs/interfaces/client_api.SignatureCreationEvent.html +++ b/docs/interfaces/client_api.SignatureCreationEvent.html @@ -1,6 +1,6 @@ SignatureCreationEvent | @coinbase/coinbase-sdk

    An event representing a signature creation.

    Export

    SignatureCreationEvent

    -
    interface SignatureCreationEvent {
        address_id: string;
        address_index: number;
        seed_id: string;
        signing_payload: string;
        transaction_id: string;
        transaction_type: "transfer";
        wallet_id: string;
        wallet_user_id: string;
    }

    Properties

    interface SignatureCreationEvent {
        address_id: string;
        address_index: number;
        seed_id: string;
        signing_payload: string;
        transaction_id: string;
        transaction_type: "transfer";
        wallet_id: string;
        wallet_user_id: string;
    }

    Properties

    address_id: string

    The ID of the address the transfer belongs to

    Memberof

    SignatureCreationEvent

    -
    address_index: number

    The index of the address that the server-signer should sign with

    +
    address_index: number

    The index of the address that the server-signer should sign with

    Memberof

    SignatureCreationEvent

    -
    seed_id: string

    The ID of the seed that the server-signer should create the signature for

    +
    seed_id: string

    The ID of the seed that the server-signer should create the signature for

    Memberof

    SignatureCreationEvent

    -
    signing_payload: string

    The payload that the server-signer should sign

    +
    signing_payload: string

    The payload that the server-signer should sign

    Memberof

    SignatureCreationEvent

    -
    transaction_id: string

    The ID of the transaction that the server-signer should sign

    +
    transaction_id: string

    The ID of the transaction that the server-signer should sign

    Memberof

    SignatureCreationEvent

    -
    transaction_type: "transfer"

    Memberof

    SignatureCreationEvent

    -
    wallet_id: string

    The ID of the wallet the signature is for

    +
    transaction_type: "transfer"

    Memberof

    SignatureCreationEvent

    +
    wallet_id: string

    The ID of the wallet the signature is for

    Memberof

    SignatureCreationEvent

    -
    wallet_user_id: string

    The ID of the user that the wallet belongs to

    +
    wallet_user_id: string

    The ID of the user that the wallet belongs to

    Memberof

    SignatureCreationEvent

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SignatureCreationEventResult.html b/docs/interfaces/client_api.SignatureCreationEventResult.html index 8aa4c00d..7db5c711 100644 --- a/docs/interfaces/client_api.SignatureCreationEventResult.html +++ b/docs/interfaces/client_api.SignatureCreationEventResult.html @@ -1,6 +1,6 @@ SignatureCreationEventResult | @coinbase/coinbase-sdk

    The result to a SignatureCreationEvent.

    Export

    SignatureCreationEventResult

    -
    interface SignatureCreationEventResult {
        address_id: string;
        signature: string;
        transaction_id: string;
        transaction_type: "transfer";
        wallet_id: string;
        wallet_user_id: string;
    }

    Properties

    interface SignatureCreationEventResult {
        address_id: string;
        signature: string;
        transaction_id: string;
        transaction_type: "transfer";
        wallet_id: string;
        wallet_user_id: string;
    }

    Properties

    address_id: string

    The ID of the address the transfer belongs to

    Memberof

    SignatureCreationEventResult

    -
    signature: string

    The signature created by the server-signer.

    +
    signature: string

    The signature created by the server-signer.

    Memberof

    SignatureCreationEventResult

    -
    transaction_id: string

    The ID of the transaction that the Server-Signer has signed for

    +
    transaction_id: string

    The ID of the transaction that the Server-Signer has signed for

    Memberof

    SignatureCreationEventResult

    -
    transaction_type: "transfer"

    Memberof

    SignatureCreationEventResult

    -
    wallet_id: string

    The ID of the wallet that the event was created for.

    +
    transaction_type: "transfer"

    Memberof

    SignatureCreationEventResult

    +
    wallet_id: string

    The ID of the wallet that the event was created for.

    Memberof

    SignatureCreationEventResult

    -
    wallet_user_id: string

    The ID of the user that the wallet belongs to

    +
    wallet_user_id: string

    The ID of the user that the wallet belongs to

    Memberof

    SignatureCreationEventResult

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SignedVoluntaryExitMessageMetadata.html b/docs/interfaces/client_api.SignedVoluntaryExitMessageMetadata.html index 92f2783e..096c13d3 100644 --- a/docs/interfaces/client_api.SignedVoluntaryExitMessageMetadata.html +++ b/docs/interfaces/client_api.SignedVoluntaryExitMessageMetadata.html @@ -1,12 +1,12 @@ SignedVoluntaryExitMessageMetadata | @coinbase/coinbase-sdk

    Interface SignedVoluntaryExitMessageMetadata

    Signed voluntary exit message metadata to be provided to beacon chain to exit a validator.

    Export

    SignedVoluntaryExitMessageMetadata

    -
    interface SignedVoluntaryExitMessageMetadata {
        fork: string;
        signed_voluntary_exit: string;
        validator_pub_key: string;
    }

    Properties

    interface SignedVoluntaryExitMessageMetadata {
        fork: string;
        signed_voluntary_exit: string;
        validator_pub_key: string;
    }

    Properties

    fork: string

    The current fork version of the Ethereum beacon chain.

    Memberof

    SignedVoluntaryExitMessageMetadata

    -
    signed_voluntary_exit: string

    A base64 encoded version of a json string representing a voluntary exit message.

    +
    signed_voluntary_exit: string

    A base64 encoded version of a json string representing a voluntary exit message.

    Memberof

    SignedVoluntaryExitMessageMetadata

    -
    validator_pub_key: string

    The public key of the validator associated with the exit message.

    +
    validator_pub_key: string

    The public key of the validator associated with the exit message.

    Memberof

    SignedVoluntaryExitMessageMetadata

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SmartContract.html b/docs/interfaces/client_api.SmartContract.html index 35a515a6..279d3d90 100644 --- a/docs/interfaces/client_api.SmartContract.html +++ b/docs/interfaces/client_api.SmartContract.html @@ -1,6 +1,7 @@ SmartContract | @coinbase/coinbase-sdk

    Represents a smart contract on the blockchain

    Export

    SmartContract

    -
    interface SmartContract {
        abi: string;
        contract_address: string;
        contract_name: string;
        deployer_address?: string;
        is_external: boolean;
        network_id: string;
        options?: SmartContractOptions;
        smart_contract_id: string;
        transaction?: Transaction;
        type: SmartContractType;
        wallet_id?: string;
    }

    Properties

    abi +
    interface SmartContract {
        abi: string;
        compiled_smart_contract_id?: string;
        contract_address: string;
        contract_name: string;
        deployer_address?: string;
        is_external: boolean;
        network_id: string;
        options?: SmartContractOptions;
        smart_contract_id: string;
        transaction?: Transaction;
        type: SmartContractType;
        wallet_id?: string;
    }

    Properties

    abi: string

    The JSON-encoded ABI of the contract

    Memberof

    SmartContract

    -
    contract_address: string

    The EVM address of the smart contract

    +
    compiled_smart_contract_id?: string

    The ID of the compiled smart contract that was used to deploy this contract

    Memberof

    SmartContract

    -
    contract_name: string

    The name of the smart contract

    +
    contract_address: string

    The EVM address of the smart contract

    Memberof

    SmartContract

    -
    deployer_address?: string

    The EVM address of the account that deployed the smart contract. If this smart contract was deployed externally, this will be omitted.

    +
    contract_name: string

    The name of the smart contract

    Memberof

    SmartContract

    -
    is_external: boolean

    Whether the smart contract was deployed externally. If true, the deployer_address and transaction will be omitted.

    +
    deployer_address?: string

    The EVM address of the account that deployed the smart contract. If this smart contract was deployed externally, this will be omitted.

    Memberof

    SmartContract

    -
    network_id: string

    The name of the blockchain network

    +
    is_external: boolean

    Whether the smart contract was deployed externally. If true, the deployer_address and transaction will be omitted.

    Memberof

    SmartContract

    -

    Memberof

    SmartContract

    -
    smart_contract_id: string

    The unique identifier of the smart contract.

    +
    network_id: string

    The name of the blockchain network

    Memberof

    SmartContract

    -
    transaction?: Transaction

    Memberof

    SmartContract

    -

    Memberof

    SmartContract

    -
    wallet_id?: string

    The ID of the wallet that deployed the smart contract. If this smart contract was deployed externally, this will be omitted.

    +

    Memberof

    SmartContract

    +
    smart_contract_id: string

    The unique identifier of the smart contract.

    Memberof

    SmartContract

    -
    \ No newline at end of file +
    transaction?: Transaction

    Memberof

    SmartContract

    +

    Memberof

    SmartContract

    +
    wallet_id?: string

    The ID of the wallet that deployed the smart contract. If this smart contract was deployed externally, this will be omitted.

    +

    Memberof

    SmartContract

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SmartContractActivityEvent.html b/docs/interfaces/client_api.SmartContractActivityEvent.html index 9f16f962..2ed5e5ef 100644 --- a/docs/interfaces/client_api.SmartContractActivityEvent.html +++ b/docs/interfaces/client_api.SmartContractActivityEvent.html @@ -1,6 +1,6 @@ SmartContractActivityEvent | @coinbase/coinbase-sdk

    Represents an event triggered by a smart contract activity on the blockchain. Contains information about the function, transaction, block, and involved addresses.

    Export

    SmartContractActivityEvent

    -
    interface SmartContractActivityEvent {
        blockHash?: string;
        blockNumber?: number;
        blockTime?: string;
        contractAddress?: string;
        contractName?: string;
        eventType?: string;
        fourBytes?: string;
        from?: string;
        func?: string;
        logIndex?: number;
        network?: string;
        projectName?: string;
        sig?: string;
        to?: string;
        transactionHash?: string;
        transactionIndex?: number;
        value?: number;
        webhookId?: string;
    }

    Properties

    interface SmartContractActivityEvent {
        blockHash?: string;
        blockNumber?: number;
        blockTime?: string;
        contractAddress?: string;
        contractName?: string;
        eventType?: string;
        fourBytes?: string;
        from?: string;
        func?: string;
        logIndex?: number;
        network?: string;
        projectName?: string;
        sig?: string;
        to?: string;
        transactionHash?: string;
        transactionIndex?: number;
        value?: number;
        webhookId?: string;
    }

    Properties

    blockHash?: string

    Hash of the block containing the transaction.

    Memberof

    SmartContractActivityEvent

    -
    blockNumber?: number

    Number of the block containing the transaction.

    +
    blockNumber?: number

    Number of the block containing the transaction.

    Memberof

    SmartContractActivityEvent

    -
    blockTime?: string

    Timestamp when the block was mined.

    +
    blockTime?: string

    Timestamp when the block was mined.

    Memberof

    SmartContractActivityEvent

    -
    contractAddress?: string

    Address of the smart contract.

    +
    contractAddress?: string

    Address of the smart contract.

    Memberof

    SmartContractActivityEvent

    -
    contractName?: string

    Name of the contract.

    +
    contractName?: string

    Name of the contract.

    Memberof

    SmartContractActivityEvent

    -
    eventType?: string

    Type of event, in this case, an ERC-721 token transfer.

    +
    eventType?: string

    Type of event, in this case, an ERC-721 token transfer.

    Memberof

    SmartContractActivityEvent

    -
    fourBytes?: string

    First 4 bytes of the Transaction, a unique ID.

    +
    fourBytes?: string

    First 4 bytes of the Transaction, a unique ID.

    Memberof

    SmartContractActivityEvent

    -
    from?: string

    Address of the initiator in the transfer.

    +
    from?: string

    Address of the initiator in the transfer.

    Memberof

    SmartContractActivityEvent

    -
    func?: string

    Name of the function.

    +
    func?: string

    Name of the function.

    Memberof

    SmartContractActivityEvent

    -
    logIndex?: number

    Position of the event log within the transaction.

    +
    logIndex?: number

    Position of the event log within the transaction.

    Memberof

    SmartContractActivityEvent

    -
    network?: string

    Blockchain network where the event occurred.

    +
    network?: string

    Blockchain network where the event occurred.

    Memberof

    SmartContractActivityEvent

    -
    projectName?: string

    Name of the project this smart contract belongs to.

    +
    projectName?: string

    Name of the project this smart contract belongs to.

    Memberof

    SmartContractActivityEvent

    -
    sig?: string

    Signature of the function.

    +
    sig?: string

    Signature of the function.

    Memberof

    SmartContractActivityEvent

    -
    to?: string

    Address of the recipient in the transfer.

    +
    to?: string

    Address of the recipient in the transfer.

    Memberof

    SmartContractActivityEvent

    -
    transactionHash?: string

    Hash of the transaction that triggered the event.

    +
    transactionHash?: string

    Hash of the transaction that triggered the event.

    Memberof

    SmartContractActivityEvent

    -
    transactionIndex?: number

    Position of the transaction within the block.

    +
    transactionIndex?: number

    Position of the transaction within the block.

    Memberof

    SmartContractActivityEvent

    -
    value?: number

    Amount of tokens transferred, typically in the smallest unit (e.g., wei for Ethereum).

    +
    value?: number

    Amount of tokens transferred, typically in the smallest unit (e.g., wei for Ethereum).

    Memberof

    SmartContractActivityEvent

    -
    webhookId?: string

    Unique identifier for the webhook that triggered this event.

    +
    webhookId?: string

    Unique identifier for the webhook that triggered this event.

    Memberof

    SmartContractActivityEvent

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SmartContractList.html b/docs/interfaces/client_api.SmartContractList.html index 414886a7..aff9d47b 100644 --- a/docs/interfaces/client_api.SmartContractList.html +++ b/docs/interfaces/client_api.SmartContractList.html @@ -1,10 +1,10 @@ SmartContractList | @coinbase/coinbase-sdk

    Export

    SmartContractList

    -
    interface SmartContractList {
        data: SmartContract[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    interface SmartContractList {
        data: SmartContract[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    Memberof

    SmartContractList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    SmartContractList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    SmartContractList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SmartContractsApiInterface.html b/docs/interfaces/client_api.SmartContractsApiInterface.html index 5dcf6e44..a316f948 100644 --- a/docs/interfaces/client_api.SmartContractsApiInterface.html +++ b/docs/interfaces/client_api.SmartContractsApiInterface.html @@ -1,51 +1,56 @@ SmartContractsApiInterface | @coinbase/coinbase-sdk

    SmartContractsApi - interface

    Export

    SmartContractsApi

    -
    interface SmartContractsApiInterface {
        createSmartContract(walletId, addressId, createSmartContractRequest, options?): AxiosPromise<SmartContract>;
        deploySmartContract(walletId, addressId, smartContractId, deploySmartContractRequest, options?): AxiosPromise<SmartContract>;
        getSmartContract(walletId, addressId, smartContractId, options?): AxiosPromise<SmartContract>;
        listSmartContracts(page?, options?): AxiosPromise<SmartContractList>;
        readContract(networkId, contractAddress, readContractRequest, options?): AxiosPromise<SolidityValue>;
        registerSmartContract(networkId, contractAddress, registerSmartContractRequest?, options?): AxiosPromise<SmartContract>;
        updateSmartContract(networkId, contractAddress, updateSmartContractRequest?, options?): AxiosPromise<SmartContract>;
    }

    Implemented by

    Methods

    interface SmartContractsApiInterface {
        compileSmartContract(compileSmartContractRequest, options?): AxiosPromise<CompiledSmartContract>;
        createSmartContract(walletId, addressId, createSmartContractRequest, options?): AxiosPromise<SmartContract>;
        deploySmartContract(walletId, addressId, smartContractId, deploySmartContractRequest, options?): AxiosPromise<SmartContract>;
        getSmartContract(walletId, addressId, smartContractId, options?): AxiosPromise<SmartContract>;
        listSmartContracts(page?, options?): AxiosPromise<SmartContractList>;
        readContract(networkId, contractAddress, readContractRequest, options?): AxiosPromise<SolidityValue>;
        registerSmartContract(networkId, contractAddress, registerSmartContractRequest?, options?): AxiosPromise<SmartContract>;
        updateSmartContract(networkId, contractAddress, updateSmartContractRequest?, options?): AxiosPromise<SmartContract>;
    }

    Implemented by

    Methods

    • Create a new smart contract

      +

    Methods

    • Create a new smart contract

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to deploy the smart contract from.

      • createSmartContractRequest: CreateSmartContractRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SmartContract>

      Summary

      Create a new smart contract

      Throws

      Memberof

      SmartContractsApiInterface

      -
    • Deploys a smart contract, by broadcasting the transaction to the network.

      +
    • Deploys a smart contract, by broadcasting the transaction to the network.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to broadcast the transaction from.

      • smartContractId: string

        The UUID of the smart contract to broadcast the transaction to.

      • deploySmartContractRequest: DeploySmartContractRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SmartContract>

      Summary

      Deploy a smart contract

      Throws

      Memberof

      SmartContractsApiInterface

      -
    • Get a specific smart contract deployed by address.

      +
    • Get a specific smart contract deployed by address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to fetch the smart contract for.

      • smartContractId: string

        The UUID of the smart contract to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SmartContract>

      Summary

      Get a specific smart contract deployed by address

      Throws

      Memberof

      SmartContractsApiInterface

      -
    • List smart contracts

      Parameters

      • Optional page: string

        Pagination token for retrieving the next set of results

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SmartContractList>

      Summary

      List smart contracts

      Throws

      Memberof

      SmartContractsApiInterface

      -
    • Perform a read operation on a smart contract without creating a transaction

      +
    • Perform a read operation on a smart contract without creating a transaction

      Parameters

      • networkId: string
      • contractAddress: string
      • readContractRequest: ReadContractRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SolidityValue>

      Summary

      Read data from a smart contract

      Throws

      Memberof

      SmartContractsApiInterface

      -
    • Register a smart contract

      +
    • Register a smart contract

      Parameters

      • networkId: string

        The ID of the network to fetch.

      • contractAddress: string

        EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

      • Optional registerSmartContractRequest: RegisterSmartContractRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SmartContract>

      Summary

      Register a smart contract

      Throws

      Memberof

      SmartContractsApiInterface

      -
    • Update a smart contract

      Parameters

      • networkId: string

        The ID of the network to fetch.

      • contractAddress: string

        EVM address of the smart contract (42 characters, including &#39;0x&#39;, in lowercase)

      • Optional updateSmartContractRequest: UpdateSmartContractRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<SmartContract>

      Summary

      Update a smart contract

      Throws

      Memberof

      SmartContractsApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SolidityValue.html b/docs/interfaces/client_api.SolidityValue.html index 7f2cb021..b927bcf7 100644 --- a/docs/interfaces/client_api.SolidityValue.html +++ b/docs/interfaces/client_api.SolidityValue.html @@ -1,13 +1,13 @@ SolidityValue | @coinbase/coinbase-sdk

    Export

    SolidityValue

    -
    interface SolidityValue {
        name?: string;
        type: SolidityValueTypeEnum;
        value?: string;
        values?: SolidityValue[];
    }

    Properties

    interface SolidityValue {
        name?: string;
        type: SolidityValueTypeEnum;
        value?: string;
        values?: SolidityValue[];
    }

    Properties

    name?: string

    The field name for tuple types. Not used for other types.

    Memberof

    SolidityValue

    -

    Memberof

    SolidityValue

    -
    value?: string

    The value as a string for simple types. Not used for complex types (array, tuple).

    +

    Memberof

    SolidityValue

    +
    value?: string

    The value as a string for simple types. Not used for complex types (array, tuple).

    Memberof

    SolidityValue

    -
    values?: SolidityValue[]

    For array and tuple types, the components of the value

    +
    values?: SolidityValue[]

    For array and tuple types, the components of the value

    Memberof

    SolidityValue

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.SponsoredSend.html b/docs/interfaces/client_api.SponsoredSend.html index b2754faf..825028ee 100644 --- a/docs/interfaces/client_api.SponsoredSend.html +++ b/docs/interfaces/client_api.SponsoredSend.html @@ -1,6 +1,6 @@ SponsoredSend | @coinbase/coinbase-sdk

    An onchain sponsored gasless send.

    Export

    SponsoredSend

    -
    interface SponsoredSend {
        raw_typed_data: string;
        signature?: string;
        status: SponsoredSendStatusEnum;
        to_address_id: string;
        transaction_hash?: string;
        transaction_link?: string;
        typed_data_hash: string;
    }

    Properties

    interface SponsoredSend {
        raw_typed_data: string;
        signature?: string;
        status: SponsoredSendStatusEnum;
        to_address_id: string;
        transaction_hash?: string;
        transaction_link?: string;
        typed_data_hash: string;
    }

    Properties

    raw_typed_data: string

    The raw typed data for the sponsored send

    Memberof

    SponsoredSend

    -
    signature?: string

    The signed hash of the sponsored send typed data.

    +
    signature?: string

    The signed hash of the sponsored send typed data.

    Memberof

    SponsoredSend

    -

    The status of the sponsored send

    +

    The status of the sponsored send

    Memberof

    SponsoredSend

    -
    to_address_id: string

    The onchain address of the recipient

    +
    to_address_id: string

    The onchain address of the recipient

    Memberof

    SponsoredSend

    -
    transaction_hash?: string

    The hash of the onchain sponsored send transaction

    +
    transaction_hash?: string

    The hash of the onchain sponsored send transaction

    Memberof

    SponsoredSend

    -
    transaction_link?: string

    The link to view the transaction on a block explorer. This is optional and may not be present for all transactions.

    +
    transaction_link?: string

    The link to view the transaction on a block explorer. This is optional and may not be present for all transactions.

    Memberof

    SponsoredSend

    -
    typed_data_hash: string

    The typed data hash for the sponsored send. This is the typed data hash that needs to be signed by the sender.

    +
    typed_data_hash: string

    The typed data hash for the sponsored send. This is the typed data hash that needs to be signed by the sender.

    Memberof

    SponsoredSend

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.StakeApiInterface.html b/docs/interfaces/client_api.StakeApiInterface.html index 859f375b..b4f4bc30 100644 --- a/docs/interfaces/client_api.StakeApiInterface.html +++ b/docs/interfaces/client_api.StakeApiInterface.html @@ -1,6 +1,6 @@ StakeApiInterface | @coinbase/coinbase-sdk

    StakeApi - interface

    Export

    StakeApi

    -
    interface StakeApiInterface {
        buildStakingOperation(buildStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        fetchHistoricalStakingBalances(networkId, assetId, addressId, startTime, endTime, limit?, page?, options?): AxiosPromise<FetchHistoricalStakingBalances200Response>;
        fetchStakingRewards(fetchStakingRewardsRequest, limit?, page?, options?): AxiosPromise<FetchStakingRewards200Response>;
        getExternalStakingOperation(networkId, addressId, stakingOperationId, options?): AxiosPromise<StakingOperation>;
        getStakingContext(getStakingContextRequest, options?): AxiosPromise<StakingContext>;
        getValidator(networkId, assetId, validatorId, options?): AxiosPromise<Validator>;
        listValidators(networkId, assetId, status?, limit?, page?, options?): AxiosPromise<ValidatorList>;
    }

    Implemented by

    Methods

    interface StakeApiInterface {
        buildStakingOperation(buildStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        fetchHistoricalStakingBalances(networkId, assetId, addressId, startTime, endTime, limit?, page?, options?): AxiosPromise<FetchHistoricalStakingBalances200Response>;
        fetchStakingRewards(fetchStakingRewardsRequest, limit?, page?, options?): AxiosPromise<FetchStakingRewards200Response>;
        getExternalStakingOperation(networkId, addressId, stakingOperationId, options?): AxiosPromise<StakingOperation>;
        getStakingContext(getStakingContextRequest, options?): AxiosPromise<StakingContext>;
        getValidator(networkId, assetId, validatorId, options?): AxiosPromise<Validator>;
        listValidators(networkId, assetId, status?, limit?, page?, options?): AxiosPromise<ValidatorList>;
    }

    Implemented by

    Methods

    Parameters

    Returns AxiosPromise<StakingOperation>

    Summary

    Build a new staking operation

    Throws

    Memberof

    StakeApiInterface

    -
    • Fetch historical staking balances for given address.

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • assetId: string

        The ID of the asset for which the historical staking balances are being fetched.

      • addressId: string

        The onchain address for which the historical staking balances are being fetched.

        @@ -22,31 +22,31 @@

        Throws

        Memberof

        StakeApiInterface

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FetchHistoricalStakingBalances200Response>

      Summary

      Fetch historical staking balances

      Throws

      Memberof

      StakeApiInterface

      -
    • Fetch staking rewards for a list of addresses

      Parameters

      • fetchStakingRewardsRequest: FetchStakingRewardsRequest
      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 50.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FetchStakingRewards200Response>

      Summary

      Fetch staking rewards

      Throws

      Memberof

      StakeApiInterface

      -
    • Get the latest state of a staking operation

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the staking operation for

      • stakingOperationId: string

        The ID of the staking operation

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<StakingOperation>

      Summary

      Get the latest state of a staking operation

      Throws

      Memberof

      StakeApiInterface

      -
    • Get staking context for an address

      Parameters

      Returns AxiosPromise<StakingContext>

      Summary

      Get staking context

      Throws

      Memberof

      StakeApiInterface

      -
    • Get a validator belonging to the user for a given network, asset and id.

      +
    • Get a validator belonging to the user for a given network, asset and id.

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • assetId: string

        The symbol of the asset to get the validator for.

      • validatorId: string

        The unique id of the validator to fetch details for.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Validator>

      Summary

      Get a validator belonging to the CDP project

      Throws

      Memberof

      StakeApiInterface

      -
    • List validators belonging to the user for a given network and asset.

      +
    • List validators belonging to the user for a given network and asset.

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • assetId: string

        The symbol of the asset to get the validators for.

      • Optional status: ValidatorStatus

        A filter to list validators based on a status.

        @@ -55,4 +55,4 @@

        Throws

        Memberof

        StakeApiInterface

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<ValidatorList>

      Summary

      List validators belonging to the CDP project

      Throws

      Memberof

      StakeApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.StakingBalance.html b/docs/interfaces/client_api.StakingBalance.html index 5fdfcbac..5cd31ec9 100644 --- a/docs/interfaces/client_api.StakingBalance.html +++ b/docs/interfaces/client_api.StakingBalance.html @@ -1,16 +1,16 @@ StakingBalance | @coinbase/coinbase-sdk

    The staking balances for an address.

    Export

    StakingBalance

    -
    interface StakingBalance {
        address: string;
        bonded_stake: Balance;
        date: string;
        participant_type: string;
        unbonded_balance: Balance;
    }

    Properties

    interface StakingBalance {
        address: string;
        bonded_stake: Balance;
        date: string;
        participant_type: string;
        unbonded_balance: Balance;
    }

    Properties

    address: string

    The onchain address for which the staking balances are being fetched.

    Memberof

    StakingBalance

    -
    bonded_stake: Balance

    Memberof

    StakingBalance

    -
    date: string

    The timestamp of the staking balance in UTC.

    +
    bonded_stake: Balance

    Memberof

    StakingBalance

    +
    date: string

    The timestamp of the staking balance in UTC.

    Memberof

    StakingBalance

    -
    participant_type: string

    The type of staking participation.

    +
    participant_type: string

    The type of staking participation.

    Memberof

    StakingBalance

    -
    unbonded_balance: Balance

    Memberof

    StakingBalance

    -
    \ No newline at end of file +
    unbonded_balance: Balance

    Memberof

    StakingBalance

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.StakingContext.html b/docs/interfaces/client_api.StakingContext.html index 06c955a5..c59ab7e1 100644 --- a/docs/interfaces/client_api.StakingContext.html +++ b/docs/interfaces/client_api.StakingContext.html @@ -1,5 +1,5 @@ StakingContext | @coinbase/coinbase-sdk

    Context needed to perform a staking operation

    Export

    StakingContext

    -
    interface StakingContext {
        context: StakingContextContext;
    }

    Properties

    interface StakingContext {
        context: StakingContextContext;
    }

    Properties

    Properties

    Memberof

    StakingContext

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.StakingContextContext.html b/docs/interfaces/client_api.StakingContextContext.html index 8504be00..214ff67b 100644 --- a/docs/interfaces/client_api.StakingContextContext.html +++ b/docs/interfaces/client_api.StakingContextContext.html @@ -1,8 +1,8 @@ StakingContextContext | @coinbase/coinbase-sdk

    Export

    StakingContextContext

    -
    interface StakingContextContext {
        claimable_balance: Balance;
        stakeable_balance: Balance;
        unstakeable_balance: Balance;
    }

    Properties

    interface StakingContextContext {
        claimable_balance: Balance;
        stakeable_balance: Balance;
        unstakeable_balance: Balance;
    }

    Properties

    claimable_balance: Balance

    Memberof

    StakingContextContext

    -
    stakeable_balance: Balance

    Memberof

    StakingContextContext

    -
    unstakeable_balance: Balance

    Memberof

    StakingContextContext

    -
    \ No newline at end of file +
    stakeable_balance: Balance

    Memberof

    StakingContextContext

    +
    unstakeable_balance: Balance

    Memberof

    StakingContextContext

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.StakingOperation.html b/docs/interfaces/client_api.StakingOperation.html index b697d821..3724e5db 100644 --- a/docs/interfaces/client_api.StakingOperation.html +++ b/docs/interfaces/client_api.StakingOperation.html @@ -1,6 +1,6 @@ StakingOperation | @coinbase/coinbase-sdk

    A list of onchain transactions to help realize a staking action.

    Export

    StakingOperation

    -
    interface StakingOperation {
        address_id: string;
        id: string;
        metadata?: StakingOperationMetadata;
        network_id: string;
        status: StakingOperationStatusEnum;
        transactions: Transaction[];
        wallet_id?: string;
    }

    Properties

    interface StakingOperation {
        address_id: string;
        id: string;
        metadata?: StakingOperationMetadata;
        network_id: string;
        status: StakingOperationStatusEnum;
        transactions: Transaction[];
        wallet_id?: string;
    }

    Properties

    Properties

    address_id: string

    The onchain address orchestrating the staking operation.

    Memberof

    StakingOperation

    -
    id: string

    The unique ID of the staking operation.

    +
    id: string

    The unique ID of the staking operation.

    Memberof

    StakingOperation

    -

    Memberof

    StakingOperation

    -
    network_id: string

    The ID of the blockchain network.

    +

    Memberof

    StakingOperation

    +
    network_id: string

    The ID of the blockchain network.

    Memberof

    StakingOperation

    -

    The status of the staking operation.

    +

    The status of the staking operation.

    Memberof

    StakingOperation

    -
    transactions: Transaction[]

    The transaction(s) that will execute the staking operation onchain.

    +
    transactions: Transaction[]

    The transaction(s) that will execute the staking operation onchain.

    Memberof

    StakingOperation

    -
    wallet_id?: string

    The ID of the wallet that owns the address.

    +
    wallet_id?: string

    The ID of the wallet that owns the address.

    Memberof

    StakingOperation

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.StakingReward.html b/docs/interfaces/client_api.StakingReward.html index c668cfd3..3c51b310 100644 --- a/docs/interfaces/client_api.StakingReward.html +++ b/docs/interfaces/client_api.StakingReward.html @@ -1,6 +1,6 @@ StakingReward | @coinbase/coinbase-sdk

    The staking rewards for an address.

    Export

    StakingReward

    -
    interface StakingReward {
        address_id: string;
        amount: string;
        date: string;
        format: StakingRewardFormat;
        state: StakingRewardStateEnum;
        usd_value: StakingRewardUSDValue;
    }

    Properties

    interface StakingReward {
        address_id: string;
        amount: string;
        date: string;
        format: StakingRewardFormat;
        state: StakingRewardStateEnum;
        usd_value: StakingRewardUSDValue;
    }

    Properties

    Properties

    address_id: string

    The onchain address for which the staking rewards are being fetched.

    Memberof

    StakingReward

    -
    amount: string

    The reward amount in requested "format". Default is USD.

    +
    amount: string

    The reward amount in requested "format". Default is USD.

    Memberof

    StakingReward

    -
    date: string

    The timestamp of the reward in UTC.

    +
    date: string

    The timestamp of the reward in UTC.

    Memberof

    StakingReward

    -

    Memberof

    StakingReward

    -

    The state of the reward.

    +

    Memberof

    StakingReward

    +

    The state of the reward.

    Memberof

    StakingReward

    -

    Memberof

    StakingReward

    -
    \ No newline at end of file +

    Memberof

    StakingReward

    +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.StakingRewardUSDValue.html b/docs/interfaces/client_api.StakingRewardUSDValue.html index 6bae7775..a274481b 100644 --- a/docs/interfaces/client_api.StakingRewardUSDValue.html +++ b/docs/interfaces/client_api.StakingRewardUSDValue.html @@ -1,12 +1,12 @@ StakingRewardUSDValue | @coinbase/coinbase-sdk

    The USD value of the reward

    Export

    StakingRewardUSDValue

    -
    interface StakingRewardUSDValue {
        amount: string;
        conversion_price: string;
        conversion_time: string;
    }

    Properties

    interface StakingRewardUSDValue {
        amount: string;
        conversion_price: string;
        conversion_time: string;
    }

    Properties

    amount: string

    The value of the reward in USD

    Memberof

    StakingRewardUSDValue

    -
    conversion_price: string

    The conversion price from native currency to USD

    +
    conversion_price: string

    The conversion price from native currency to USD

    Memberof

    StakingRewardUSDValue

    -
    conversion_time: string

    The time of the conversion in UTC.

    +
    conversion_time: string

    The time of the conversion in UTC.

    Memberof

    StakingRewardUSDValue

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.TokenContractOptions.html b/docs/interfaces/client_api.TokenContractOptions.html index 3f5c5426..ab5ce722 100644 --- a/docs/interfaces/client_api.TokenContractOptions.html +++ b/docs/interfaces/client_api.TokenContractOptions.html @@ -1,12 +1,12 @@ TokenContractOptions | @coinbase/coinbase-sdk

    Options for token contract creation

    Export

    TokenContractOptions

    -
    interface TokenContractOptions {
        name: string;
        symbol: string;
        total_supply: string;
    }

    Properties

    interface TokenContractOptions {
        name: string;
        symbol: string;
        total_supply: string;
    }

    Properties

    name: string

    The name of the token

    Memberof

    TokenContractOptions

    -
    symbol: string

    The symbol of the token

    +
    symbol: string

    The symbol of the token

    Memberof

    TokenContractOptions

    -
    total_supply: string

    The total supply of the token denominated in the whole amount of the token.

    +
    total_supply: string

    The total supply of the token denominated in the whole amount of the token.

    Memberof

    TokenContractOptions

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Trade.html b/docs/interfaces/client_api.Trade.html index 3fdf8fe9..9af48db0 100644 --- a/docs/interfaces/client_api.Trade.html +++ b/docs/interfaces/client_api.Trade.html @@ -1,6 +1,6 @@ Trade | @coinbase/coinbase-sdk

    A trade of an asset to another asset

    Export

    Trade

    -
    interface Trade {
        address_id: string;
        approve_transaction?: Transaction;
        from_amount: string;
        from_asset: Asset;
        network_id: string;
        to_amount: string;
        to_asset: Asset;
        trade_id: string;
        transaction: Transaction;
        wallet_id: string;
    }

    Properties

    interface Trade {
        address_id: string;
        approve_transaction?: Transaction;
        from_amount: string;
        from_asset: Asset;
        network_id: string;
        to_amount: string;
        to_asset: Asset;
        trade_id: string;
        transaction: Transaction;
        wallet_id: string;
    }

    Properties

    address_id: string

    The onchain address of the sender

    Memberof

    Trade

    -
    approve_transaction?: Transaction

    Memberof

    Trade

    -
    from_amount: string

    The amount of the from asset to be traded (in atomic units of the from asset)

    +
    approve_transaction?: Transaction

    Memberof

    Trade

    +
    from_amount: string

    The amount of the from asset to be traded (in atomic units of the from asset)

    Memberof

    Trade

    -
    from_asset: Asset

    Memberof

    Trade

    -
    network_id: string

    The ID of the blockchain network

    +
    from_asset: Asset

    Memberof

    Trade

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    Trade

    -
    to_amount: string

    The amount of the to asset that will be received (in atomic units of the to asset)

    +
    to_amount: string

    The amount of the to asset that will be received (in atomic units of the to asset)

    Memberof

    Trade

    -
    to_asset: Asset

    Memberof

    Trade

    -
    trade_id: string

    The ID of the trade

    +
    to_asset: Asset

    Memberof

    Trade

    +
    trade_id: string

    The ID of the trade

    Memberof

    Trade

    -
    transaction: Transaction

    Memberof

    Trade

    -
    wallet_id: string

    The ID of the wallet that owns the from address

    +
    transaction: Transaction

    Memberof

    Trade

    +
    wallet_id: string

    The ID of the wallet that owns the from address

    Memberof

    Trade

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.TradeList.html b/docs/interfaces/client_api.TradeList.html index 92cae43b..325a7f5b 100644 --- a/docs/interfaces/client_api.TradeList.html +++ b/docs/interfaces/client_api.TradeList.html @@ -1,13 +1,13 @@ TradeList | @coinbase/coinbase-sdk

    Export

    TradeList

    -
    interface TradeList {
        data: Trade[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface TradeList {
        data: Trade[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    data: Trade[]

    Memberof

    TradeList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    TradeList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    TradeList

    -
    total_count: number

    The total number of trades for the address in the wallet.

    +
    total_count: number

    The total number of trades for the address in the wallet.

    Memberof

    TradeList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.TradesApiInterface.html b/docs/interfaces/client_api.TradesApiInterface.html index d26e95bc..77bf49ec 100644 --- a/docs/interfaces/client_api.TradesApiInterface.html +++ b/docs/interfaces/client_api.TradesApiInterface.html @@ -1,6 +1,6 @@ TradesApiInterface | @coinbase/coinbase-sdk

    TradesApi - interface

    Export

    TradesApi

    -
    interface TradesApiInterface {
        broadcastTrade(walletId, addressId, tradeId, broadcastTradeRequest, options?): AxiosPromise<Trade>;
        createTrade(walletId, addressId, createTradeRequest, options?): AxiosPromise<Trade>;
        getTrade(walletId, addressId, tradeId, options?): AxiosPromise<Trade>;
        listTrades(walletId, addressId, limit?, page?, options?): AxiosPromise<TradeList>;
    }

    Implemented by

    Methods

    interface TradesApiInterface {
        broadcastTrade(walletId, addressId, tradeId, broadcastTradeRequest, options?): AxiosPromise<Trade>;
        createTrade(walletId, addressId, createTradeRequest, options?): AxiosPromise<Trade>;
        getTrade(walletId, addressId, tradeId, options?): AxiosPromise<Trade>;
        listTrades(walletId, addressId, limit?, page?, options?): AxiosPromise<TradeList>;
    }

    Implemented by

    Methods

  • broadcastTradeRequest: BroadcastTradeRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Trade>

    Summary

    Broadcast a trade

    Throws

    Memberof

    TradesApiInterface

    -
    • Create a new trade

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to

      • addressId: string

        The ID of the address to conduct the trade from

      • createTradeRequest: CreateTradeRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Trade>

      Summary

      Create a new trade for an address

      Throws

      Memberof

      TradesApiInterface

      -
    • Get a trade by ID

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address the trade belongs to

      • tradeId: string

        The ID of the trade to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Trade>

      Summary

      Get a trade by ID

      Throws

      Memberof

      TradesApiInterface

      -
    • List trades for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to list trades for

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        @@ -32,4 +32,4 @@

        Throws

        Memberof

        TradesApiInterface

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<TradeList>

      Summary

      List trades for an address.

      Throws

      Memberof

      TradesApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Transaction.html b/docs/interfaces/client_api.Transaction.html index 0ea6eb99..433a7960 100644 --- a/docs/interfaces/client_api.Transaction.html +++ b/docs/interfaces/client_api.Transaction.html @@ -1,6 +1,6 @@ Transaction | @coinbase/coinbase-sdk

    An onchain transaction.

    Export

    Transaction

    -
    interface Transaction {
        block_hash?: string;
        block_height?: string;
        content?: EthereumTransaction;
        from_address_id: string;
        network_id: string;
        signed_payload?: string;
        status: TransactionStatusEnum;
        to_address_id?: string;
        transaction_hash?: string;
        transaction_link?: string;
        unsigned_payload: string;
    }

    Properties

    interface Transaction {
        block_hash?: string;
        block_height?: string;
        content?: EthereumTransaction;
        from_address_id: string;
        network_id: string;
        signed_payload?: string;
        status: TransactionStatusEnum;
        to_address_id?: string;
        transaction_hash?: string;
        transaction_link?: string;
        unsigned_payload: string;
    }

    Properties

    block_hash?: string

    The hash of the block at which the transaction was recorded.

    Memberof

    Transaction

    -
    block_height?: string

    The block height at which the transaction was recorded.

    +
    block_height?: string

    The block height at which the transaction was recorded.

    Memberof

    Transaction

    -

    Memberof

    Transaction

    -
    from_address_id: string

    The onchain address of the sender.

    +

    Memberof

    Transaction

    +
    from_address_id: string

    The onchain address of the sender.

    Memberof

    Transaction

    -
    network_id: string

    The ID of the blockchain network.

    +
    network_id: string

    The ID of the blockchain network.

    Memberof

    Transaction

    -
    signed_payload?: string

    The signed payload of the transaction. This is the payload that has been signed by the sender.

    +
    signed_payload?: string

    The signed payload of the transaction. This is the payload that has been signed by the sender.

    Memberof

    Transaction

    -

    The status of the transaction.

    +

    The status of the transaction.

    Memberof

    Transaction

    -
    to_address_id?: string

    The onchain address of the recipient.

    +
    to_address_id?: string

    The onchain address of the recipient.

    Memberof

    Transaction

    -
    transaction_hash?: string

    The hash of the transaction.

    +
    transaction_hash?: string

    The hash of the transaction.

    Memberof

    Transaction

    -
    transaction_link?: string

    The link to view the transaction on a block explorer. This is optional and may not be present for all transactions.

    +
    transaction_link?: string

    The link to view the transaction on a block explorer. This is optional and may not be present for all transactions.

    Memberof

    Transaction

    -
    unsigned_payload: string

    The unsigned payload of the transaction. This is the payload that needs to be signed by the sender.

    +
    unsigned_payload: string

    The unsigned payload of the transaction. This is the payload that needs to be signed by the sender.

    Memberof

    Transaction

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.TransactionHistoryApiInterface.html b/docs/interfaces/client_api.TransactionHistoryApiInterface.html index 9f786117..4ba2cd3f 100644 --- a/docs/interfaces/client_api.TransactionHistoryApiInterface.html +++ b/docs/interfaces/client_api.TransactionHistoryApiInterface.html @@ -1,6 +1,6 @@ TransactionHistoryApiInterface | @coinbase/coinbase-sdk

    TransactionHistoryApi - interface

    Export

    TransactionHistoryApi

    -
    interface TransactionHistoryApiInterface {
        listAddressTransactions(networkId, addressId, limit?, page?, options?): AxiosPromise<AddressTransactionList>;
    }

    Implemented by

    Methods

    interface TransactionHistoryApiInterface {
        listAddressTransactions(networkId, addressId, limit?, page?, options?): AxiosPromise<AddressTransactionList>;
    }

    Implemented by

    Methods

    • List all transactions that interact with the address.

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the transactions for.

        @@ -9,4 +9,4 @@
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressTransactionList>

      Summary

      List transactions for an address.

      Throws

      Memberof

      TransactionHistoryApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Transfer.html b/docs/interfaces/client_api.Transfer.html index 81b67081..087da59e 100644 --- a/docs/interfaces/client_api.Transfer.html +++ b/docs/interfaces/client_api.Transfer.html @@ -1,6 +1,6 @@ Transfer | @coinbase/coinbase-sdk

    A transfer of an asset from one address to another

    Export

    Transfer

    -
    interface Transfer {
        address_id: string;
        amount: string;
        asset: Asset;
        asset_id: string;
        destination: string;
        gasless: boolean;
        network_id: string;
        signed_payload?: string;
        sponsored_send?: SponsoredSend;
        status?: string;
        transaction?: Transaction;
        transaction_hash?: string;
        transfer_id: string;
        unsigned_payload?: string;
        wallet_id: string;
    }

    Properties

    interface Transfer {
        address_id: string;
        amount: string;
        asset: Asset;
        asset_id: string;
        destination: string;
        gasless: boolean;
        network_id: string;
        signed_payload?: string;
        sponsored_send?: SponsoredSend;
        status?: string;
        transaction?: Transaction;
        transaction_hash?: string;
        transfer_id: string;
        unsigned_payload?: string;
        wallet_id: string;
    }

    Properties

    Properties

    address_id: string

    The onchain address of the sender

    Memberof

    Transfer

    -
    amount: string

    The amount in the atomic units of the asset

    +
    amount: string

    The amount in the atomic units of the asset

    Memberof

    Transfer

    -
    asset: Asset

    Memberof

    Transfer

    -
    asset_id: string

    The ID of the asset being transferred. Use asset.asset_id instead.

    +
    asset: Asset

    Memberof

    Transfer

    +
    asset_id: string

    The ID of the asset being transferred. Use asset.asset_id instead.

    Memberof

    Transfer

    -

    Deprecated

    destination: string

    The onchain address of the recipient

    +

    Deprecated

    destination: string

    The onchain address of the recipient

    Memberof

    Transfer

    -
    gasless: boolean

    Whether the transfer uses sponsored gas

    +
    gasless: boolean

    Whether the transfer uses sponsored gas

    Memberof

    Transfer

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    Transfer

    -
    signed_payload?: string

    The signed payload of the transfer. This is the payload that has been signed by the sender.

    +
    signed_payload?: string

    The signed payload of the transfer. This is the payload that has been signed by the sender.

    Memberof

    Transfer

    -

    Deprecated

    sponsored_send?: SponsoredSend

    Memberof

    Transfer

    -
    status?: string

    Memberof

    Transfer

    -

    Deprecated

    transaction?: Transaction

    Memberof

    Transfer

    -
    transaction_hash?: string

    The hash of the transfer transaction

    +

    Deprecated

    sponsored_send?: SponsoredSend

    Memberof

    Transfer

    +
    status?: string

    Memberof

    Transfer

    +

    Deprecated

    transaction?: Transaction

    Memberof

    Transfer

    +
    transaction_hash?: string

    The hash of the transfer transaction

    Memberof

    Transfer

    -

    Deprecated

    transfer_id: string

    The ID of the transfer

    +

    Deprecated

    transfer_id: string

    The ID of the transfer

    Memberof

    Transfer

    -
    unsigned_payload?: string

    The unsigned payload of the transfer. This is the payload that needs to be signed by the sender.

    +
    unsigned_payload?: string

    The unsigned payload of the transfer. This is the payload that needs to be signed by the sender.

    Memberof

    Transfer

    -

    Deprecated

    wallet_id: string

    The ID of the wallet that owns the from address

    +

    Deprecated

    wallet_id: string

    The ID of the wallet that owns the from address

    Memberof

    Transfer

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.TransferList.html b/docs/interfaces/client_api.TransferList.html index 4ad8f8f3..03531770 100644 --- a/docs/interfaces/client_api.TransferList.html +++ b/docs/interfaces/client_api.TransferList.html @@ -1,13 +1,13 @@ TransferList | @coinbase/coinbase-sdk

    Export

    TransferList

    -
    interface TransferList {
        data: Transfer[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface TransferList {
        data: Transfer[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    data: Transfer[]

    Memberof

    TransferList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    TransferList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    TransferList

    -
    total_count: number

    The total number of transfers for the address in the wallet.

    +
    total_count: number

    The total number of transfers for the address in the wallet.

    Memberof

    TransferList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.TransfersApiInterface.html b/docs/interfaces/client_api.TransfersApiInterface.html index 56f8b213..bcfa23bb 100644 --- a/docs/interfaces/client_api.TransfersApiInterface.html +++ b/docs/interfaces/client_api.TransfersApiInterface.html @@ -1,6 +1,6 @@ TransfersApiInterface | @coinbase/coinbase-sdk

    TransfersApi - interface

    Export

    TransfersApi

    -
    interface TransfersApiInterface {
        broadcastTransfer(walletId, addressId, transferId, broadcastTransferRequest, options?): AxiosPromise<Transfer>;
        createTransfer(walletId, addressId, createTransferRequest, options?): AxiosPromise<Transfer>;
        getTransfer(walletId, addressId, transferId, options?): AxiosPromise<Transfer>;
        listTransfers(walletId, addressId, limit?, page?, options?): AxiosPromise<TransferList>;
    }

    Implemented by

    Methods

    interface TransfersApiInterface {
        broadcastTransfer(walletId, addressId, transferId, broadcastTransferRequest, options?): AxiosPromise<Transfer>;
        createTransfer(walletId, addressId, createTransferRequest, options?): AxiosPromise<Transfer>;
        getTransfer(walletId, addressId, transferId, options?): AxiosPromise<Transfer>;
        listTransfers(walletId, addressId, limit?, page?, options?): AxiosPromise<TransferList>;
    }

    Implemented by

    Methods

  • broadcastTransferRequest: BroadcastTransferRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Transfer>

    Summary

    Broadcast a transfer

    Throws

    Memberof

    TransfersApiInterface

    -
    • Create a new transfer

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to

      • addressId: string

        The ID of the address to transfer from

      • createTransferRequest: CreateTransferRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Transfer>

      Summary

      Create a new transfer for an address

      Throws

      Memberof

      TransfersApiInterface

      -
    • Get a transfer by ID

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address the transfer belongs to

      • transferId: string

        The ID of the transfer to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Transfer>

      Summary

      Get a transfer by ID

      Throws

      Memberof

      TransfersApiInterface

      -
    • List transfers for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to

      • addressId: string

        The ID of the address to list transfers for

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

        @@ -32,4 +32,4 @@

        Throws

        Memberof

        TransfersApiInterface

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<TransferList>

      Summary

      List transfers for an address.

      Throws

      Memberof

      TransfersApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.UpdateSmartContractRequest.html b/docs/interfaces/client_api.UpdateSmartContractRequest.html index 77d92c6e..8124a5eb 100644 --- a/docs/interfaces/client_api.UpdateSmartContractRequest.html +++ b/docs/interfaces/client_api.UpdateSmartContractRequest.html @@ -1,9 +1,9 @@ UpdateSmartContractRequest | @coinbase/coinbase-sdk

    Smart Contract data to be updated

    Export

    UpdateSmartContractRequest

    -
    interface UpdateSmartContractRequest {
        abi?: string;
        contract_name?: string;
    }

    Properties

    interface UpdateSmartContractRequest {
        abi?: string;
        contract_name?: string;
    }

    Properties

    Properties

    abi?: string

    ABI of the smart contract

    Memberof

    UpdateSmartContractRequest

    -
    contract_name?: string

    Name of the smart contract

    +
    contract_name?: string

    Name of the smart contract

    Memberof

    UpdateSmartContractRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.UpdateWebhookRequest.html b/docs/interfaces/client_api.UpdateWebhookRequest.html index 753eb49e..ec3ba463 100644 --- a/docs/interfaces/client_api.UpdateWebhookRequest.html +++ b/docs/interfaces/client_api.UpdateWebhookRequest.html @@ -1,10 +1,10 @@ UpdateWebhookRequest | @coinbase/coinbase-sdk

    Export

    UpdateWebhookRequest

    -
    interface UpdateWebhookRequest {
        event_filters?: WebhookEventFilter[];
        event_type_filter?: WebhookEventTypeFilter;
        notification_uri?: string;
    }

    Properties

    interface UpdateWebhookRequest {
        event_filters?: WebhookEventFilter[];
        event_type_filter?: WebhookEventTypeFilter;
        notification_uri?: string;
    }

    Properties

    event_filters?: WebhookEventFilter[]

    Webhook will monitor all events that matches any one of the event filters.

    Memberof

    UpdateWebhookRequest

    -
    event_type_filter?: WebhookEventTypeFilter

    Memberof

    UpdateWebhookRequest

    -
    notification_uri?: string

    The Webhook uri that updates to

    +
    event_type_filter?: WebhookEventTypeFilter

    Memberof

    UpdateWebhookRequest

    +
    notification_uri?: string

    The Webhook uri that updates to

    Memberof

    UpdateWebhookRequest

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.User.html b/docs/interfaces/client_api.User.html index b18dbc3b..962dd954 100644 --- a/docs/interfaces/client_api.User.html +++ b/docs/interfaces/client_api.User.html @@ -1,7 +1,7 @@ User | @coinbase/coinbase-sdk

    Export

    User

    -
    interface User {
        display_name?: string;
        id: string;
    }

    Properties

    interface User {
        display_name?: string;
        id: string;
    }

    Properties

    Properties

    display_name?: string

    Memberof

    User

    -
    id: string

    The ID of the user

    +
    id: string

    The ID of the user

    Memberof

    User

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.UsersApiInterface.html b/docs/interfaces/client_api.UsersApiInterface.html index 42d7d950..89094e63 100644 --- a/docs/interfaces/client_api.UsersApiInterface.html +++ b/docs/interfaces/client_api.UsersApiInterface.html @@ -1,8 +1,8 @@ UsersApiInterface | @coinbase/coinbase-sdk

    UsersApi - interface

    Export

    UsersApi

    -
    interface UsersApiInterface {
        getCurrentUser(options?): AxiosPromise<User>;
    }

    Implemented by

    Methods

    interface UsersApiInterface {
        getCurrentUser(options?): AxiosPromise<User>;
    }

    Implemented by

    Methods

    • Get current user

      Parameters

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<User>

      Summary

      Get current user

      Throws

      Memberof

      UsersApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Validator.html b/docs/interfaces/client_api.Validator.html index 8f7dfa35..36c36bed 100644 --- a/docs/interfaces/client_api.Validator.html +++ b/docs/interfaces/client_api.Validator.html @@ -1,16 +1,16 @@ Validator | @coinbase/coinbase-sdk

    A validator onchain.

    Export

    Validator

    -
    interface Validator {
        asset_id: string;
        details?: EthereumValidatorMetadata;
        network_id: string;
        status: ValidatorStatus;
        validator_id: string;
    }

    Properties

    interface Validator {
        asset_id: string;
        details?: EthereumValidatorMetadata;
        network_id: string;
        status: ValidatorStatus;
        validator_id: string;
    }

    Properties

    asset_id: string

    The ID of the asset that the validator helps stake.

    Memberof

    Validator

    -

    Memberof

    Validator

    -
    network_id: string

    The ID of the blockchain network to which the Validator belongs.

    +

    Memberof

    Validator

    +
    network_id: string

    The ID of the blockchain network to which the Validator belongs.

    Memberof

    Validator

    -

    Memberof

    Validator

    -
    validator_id: string

    The publicly identifiable unique id of the validator. This can be the public key for Ethereum validators and maybe an address for some other network.

    +

    Memberof

    Validator

    +
    validator_id: string

    The publicly identifiable unique id of the validator. This can be the public key for Ethereum validators and maybe an address for some other network.

    Memberof

    Validator

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.ValidatorList.html b/docs/interfaces/client_api.ValidatorList.html index 809e9f52..9343ccdb 100644 --- a/docs/interfaces/client_api.ValidatorList.html +++ b/docs/interfaces/client_api.ValidatorList.html @@ -1,10 +1,10 @@ ValidatorList | @coinbase/coinbase-sdk

    Export

    ValidatorList

    -
    interface ValidatorList {
        data: Validator[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    interface ValidatorList {
        data: Validator[];
        has_more: boolean;
        next_page: string;
    }

    Properties

    data: Validator[]

    Memberof

    ValidatorList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    ValidatorList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    ValidatorList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Wallet.html b/docs/interfaces/client_api.Wallet.html index b0322f31..d70b2e80 100644 --- a/docs/interfaces/client_api.Wallet.html +++ b/docs/interfaces/client_api.Wallet.html @@ -1,15 +1,15 @@ Wallet | @coinbase/coinbase-sdk

    Export

    Wallet

    -
    interface Wallet {
        default_address?: Address;
        feature_set: FeatureSet;
        id: string;
        network_id: string;
        server_signer_status?: WalletServerSignerStatusEnum;
    }

    Properties

    interface Wallet {
        default_address?: Address;
        feature_set: FeatureSet;
        id: string;
        network_id: string;
        server_signer_status?: WalletServerSignerStatusEnum;
    }

    Properties

    default_address?: Address

    Memberof

    Wallet

    -
    feature_set: FeatureSet

    Memberof

    Wallet

    -
    id: string

    The server-assigned ID for the wallet.

    +
    feature_set: FeatureSet

    Memberof

    Wallet

    +
    id: string

    The server-assigned ID for the wallet.

    Memberof

    Wallet

    -
    network_id: string

    The ID of the blockchain network

    +
    network_id: string

    The ID of the blockchain network

    Memberof

    Wallet

    -
    server_signer_status?: WalletServerSignerStatusEnum

    The status of the Server-Signer for the wallet if present.

    +
    server_signer_status?: WalletServerSignerStatusEnum

    The status of the Server-Signer for the wallet if present.

    Memberof

    Wallet

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.WalletList.html b/docs/interfaces/client_api.WalletList.html index 41a3ff68..1ec4e04b 100644 --- a/docs/interfaces/client_api.WalletList.html +++ b/docs/interfaces/client_api.WalletList.html @@ -1,14 +1,14 @@ WalletList | @coinbase/coinbase-sdk

    Paginated list of wallets

    Export

    WalletList

    -
    interface WalletList {
        data: Wallet[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    interface WalletList {
        data: Wallet[];
        has_more: boolean;
        next_page: string;
        total_count: number;
    }

    Properties

    data: Wallet[]

    Memberof

    WalletList

    -
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    WalletList

    -
    next_page: string

    The page token to be used to fetch the next page.

    +
    next_page: string

    The page token to be used to fetch the next page.

    Memberof

    WalletList

    -
    total_count: number

    The total number of wallets

    +
    total_count: number

    The total number of wallets

    Memberof

    WalletList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.WalletsApiInterface.html b/docs/interfaces/client_api.WalletsApiInterface.html index a4435515..7ca19065 100644 --- a/docs/interfaces/client_api.WalletsApiInterface.html +++ b/docs/interfaces/client_api.WalletsApiInterface.html @@ -1,6 +1,6 @@ WalletsApiInterface | @coinbase/coinbase-sdk

    WalletsApi - interface

    Export

    WalletsApi

    -
    interface WalletsApiInterface {
        createWallet(createWalletRequest?, options?): AxiosPromise<Wallet>;
        getWallet(walletId, options?): AxiosPromise<Wallet>;
        getWalletBalance(walletId, assetId, options?): AxiosPromise<Balance>;
        listWalletBalances(walletId, options?): AxiosPromise<AddressBalanceList>;
        listWallets(limit?, page?, options?): AxiosPromise<WalletList>;
    }

    Implemented by

    Methods

    interface WalletsApiInterface {
        createWallet(createWalletRequest?, options?): AxiosPromise<Wallet>;
        getWallet(walletId, options?): AxiosPromise<Wallet>;
        getWalletBalance(walletId, assetId, options?): AxiosPromise<Balance>;
        listWalletBalances(walletId, options?): AxiosPromise<AddressBalanceList>;
        listWallets(limit?, page?, options?): AxiosPromise<WalletList>;
    }

    Implemented by

    Methods

    Parameters

    • Optional createWalletRequest: CreateWalletRequest
    • Optional options: RawAxiosRequestConfig

      Override http request option.

    Returns AxiosPromise<Wallet>

    Summary

    Create a new wallet

    Throws

    Memberof

    WalletsApiInterface

    -
    • Get wallet

      Parameters

      • walletId: string

        The ID of the wallet to fetch

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Wallet>

      Summary

      Get wallet by ID

      Throws

      Memberof

      WalletsApiInterface

      -
    • Get the aggregated balance of an asset across all of the addresses in the wallet.

      +
    • Get the aggregated balance of an asset across all of the addresses in the wallet.

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balance for

      • assetId: string

        The symbol of the asset to fetch the balance for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Balance>

      Summary

      Get the balance of an asset in the wallet

      Throws

      Memberof

      WalletsApiInterface

      -
    • List the balances of all of the addresses in the wallet aggregated by asset.

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balances for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressBalanceList>

      Summary

      List wallet balances

      Throws

      Memberof

      WalletsApiInterface

      -
    • List wallets belonging to the user.

      Parameters

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<WalletList>

      Summary

      List wallets

      Throws

      Memberof

      WalletsApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.Webhook.html b/docs/interfaces/client_api.Webhook.html index 13ece529..eeb04784 100644 --- a/docs/interfaces/client_api.Webhook.html +++ b/docs/interfaces/client_api.Webhook.html @@ -1,6 +1,6 @@ Webhook | @coinbase/coinbase-sdk

    Webhook that is used for getting notifications when monitored events occur.

    Export

    Webhook

    -
    interface Webhook {
        created_at?: string;
        event_filters?: WebhookEventFilter[];
        event_type?: WebhookEventType;
        event_type_filter?: WebhookEventTypeFilter;
        id?: string;
        network_id?: string;
        notification_uri?: string;
        signature_header?: string;
        updated_at?: string;
    }

    Properties

    interface Webhook {
        created_at?: string;
        event_filters?: WebhookEventFilter[];
        event_type?: WebhookEventType;
        event_type_filter?: WebhookEventTypeFilter;
        id?: string;
        network_id?: string;
        notification_uri?: string;
        signature_header?: string;
        updated_at?: string;
    }

    Properties

    created_at?: string

    The date and time the webhook was created.

    Memberof

    Webhook

    -
    event_filters?: WebhookEventFilter[]

    Webhook will monitor all events that matches any one of the event filters.

    +
    event_filters?: WebhookEventFilter[]

    Webhook will monitor all events that matches any one of the event filters.

    Memberof

    Webhook

    -
    event_type?: WebhookEventType

    Memberof

    Webhook

    -
    event_type_filter?: WebhookEventTypeFilter

    Memberof

    Webhook

    -
    id?: string

    Identifier of the webhook.

    +
    event_type?: WebhookEventType

    Memberof

    Webhook

    +
    event_type_filter?: WebhookEventTypeFilter

    Memberof

    Webhook

    +
    id?: string

    Identifier of the webhook.

    Memberof

    Webhook

    -
    network_id?: string

    The ID of the blockchain network

    +
    network_id?: string

    The ID of the blockchain network

    Memberof

    Webhook

    -
    notification_uri?: string

    The URL to which the notifications will be sent.

    +
    notification_uri?: string

    The URL to which the notifications will be sent.

    Memberof

    Webhook

    -
    signature_header?: string

    The header that will contain the signature of the webhook payload.

    +
    signature_header?: string

    The header that will contain the signature of the webhook payload.

    Memberof

    Webhook

    -
    updated_at?: string

    The date and time the webhook was last updated.

    +
    updated_at?: string

    The date and time the webhook was last updated.

    Memberof

    Webhook

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.WebhookEventFilter.html b/docs/interfaces/client_api.WebhookEventFilter.html index 8aed8e0a..a1179814 100644 --- a/docs/interfaces/client_api.WebhookEventFilter.html +++ b/docs/interfaces/client_api.WebhookEventFilter.html @@ -1,12 +1,12 @@ WebhookEventFilter | @coinbase/coinbase-sdk

    The event_filter parameter specifies the criteria to filter events from the blockchain. It allows filtering events by contract address, sender address and receiver address. For a single event filter, not all of the properties need to be presented.

    Export

    WebhookEventFilter

    -
    interface WebhookEventFilter {
        contract_address?: string;
        from_address?: string;
        to_address?: string;
    }

    Properties

    interface WebhookEventFilter {
        contract_address?: string;
        from_address?: string;
        to_address?: string;
    }

    Properties

    contract_address?: string

    The onchain contract address of the token for which the events should be tracked.

    Memberof

    WebhookEventFilter

    -
    from_address?: string

    The onchain address of the sender. Set this filter to track all transfer events originating from your address.

    +
    from_address?: string

    The onchain address of the sender. Set this filter to track all transfer events originating from your address.

    Memberof

    WebhookEventFilter

    -
    to_address?: string

    The onchain address of the receiver. Set this filter to track all transfer events sent to your address.

    +
    to_address?: string

    The onchain address of the receiver. Set this filter to track all transfer events sent to your address.

    Memberof

    WebhookEventFilter

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.WebhookList.html b/docs/interfaces/client_api.WebhookList.html index a6b207cc..fbaab749 100644 --- a/docs/interfaces/client_api.WebhookList.html +++ b/docs/interfaces/client_api.WebhookList.html @@ -1,10 +1,10 @@ WebhookList | @coinbase/coinbase-sdk

    Export

    WebhookList

    -
    interface WebhookList {
        data: Webhook[];
        has_more?: boolean;
        next_page?: string;
    }

    Properties

    interface WebhookList {
        data: Webhook[];
        has_more?: boolean;
        next_page?: string;
    }

    Properties

    data: Webhook[]

    Memberof

    WebhookList

    -
    has_more?: boolean

    True if this list has another page of items after this one that can be fetched.

    +
    has_more?: boolean

    True if this list has another page of items after this one that can be fetched.

    Memberof

    WebhookList

    -
    next_page?: string

    The page token to be used to fetch the next page.

    +
    next_page?: string

    The page token to be used to fetch the next page.

    Memberof

    WebhookList

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.WebhookSmartContractEventFilter.html b/docs/interfaces/client_api.WebhookSmartContractEventFilter.html index a12c9d68..fad62194 100644 --- a/docs/interfaces/client_api.WebhookSmartContractEventFilter.html +++ b/docs/interfaces/client_api.WebhookSmartContractEventFilter.html @@ -1,6 +1,6 @@ WebhookSmartContractEventFilter | @coinbase/coinbase-sdk

    Filter for smart contract events. This filter allows the client to specify smart contract addresses to monitor for activities such as contract function calls.

    Export

    WebhookSmartContractEventFilter

    -
    interface WebhookSmartContractEventFilter {
        contract_addresses: string[];
    }

    Properties

    interface WebhookSmartContractEventFilter {
        contract_addresses: string[];
    }

    Properties

    contract_addresses: string[]

    A list of smart contract addresses to filter on.

    Memberof

    WebhookSmartContractEventFilter

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.WebhookWalletActivityFilter.html b/docs/interfaces/client_api.WebhookWalletActivityFilter.html index 4fef84fa..861b6aa1 100644 --- a/docs/interfaces/client_api.WebhookWalletActivityFilter.html +++ b/docs/interfaces/client_api.WebhookWalletActivityFilter.html @@ -1,9 +1,9 @@ WebhookWalletActivityFilter | @coinbase/coinbase-sdk

    Filter for wallet activity events. This filter allows the client to specify one or more wallet addresses to monitor for activities such as transactions, transfers, or other types of events that are associated with the specified addresses.

    Export

    WebhookWalletActivityFilter

    -
    interface WebhookWalletActivityFilter {
        addresses?: string[];
        wallet_id: string;
    }

    Properties

    interface WebhookWalletActivityFilter {
        addresses?: string[];
        wallet_id: string;
    }

    Properties

    addresses?: string[]

    A list of wallet addresses to filter on.

    Memberof

    WebhookWalletActivityFilter

    -
    wallet_id: string

    The ID of the wallet that owns the webhook.

    +
    wallet_id: string

    The ID of the wallet that owns the webhook.

    Memberof

    WebhookWalletActivityFilter

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_api.WebhooksApiInterface.html b/docs/interfaces/client_api.WebhooksApiInterface.html index 7af44e9a..cb8dbc8e 100644 --- a/docs/interfaces/client_api.WebhooksApiInterface.html +++ b/docs/interfaces/client_api.WebhooksApiInterface.html @@ -1,6 +1,6 @@ WebhooksApiInterface | @coinbase/coinbase-sdk

    WebhooksApi - interface

    Export

    WebhooksApi

    -
    interface WebhooksApiInterface {
        createWalletWebhook(walletId, createWalletWebhookRequest?, options?): AxiosPromise<Webhook>;
        createWebhook(createWebhookRequest?, options?): AxiosPromise<Webhook>;
        deleteWebhook(webhookId, options?): AxiosPromise<void>;
        listWebhooks(limit?, page?, options?): AxiosPromise<WebhookList>;
        updateWebhook(webhookId, updateWebhookRequest?, options?): AxiosPromise<Webhook>;
    }

    Implemented by

    Methods

    interface WebhooksApiInterface {
        createWalletWebhook(walletId, createWalletWebhookRequest?, options?): AxiosPromise<Webhook>;
        createWebhook(createWebhookRequest?, options?): AxiosPromise<Webhook>;
        deleteWebhook(webhookId, options?): AxiosPromise<void>;
        listWebhooks(limit?, page?, options?): AxiosPromise<WebhookList>;
        updateWebhook(webhookId, updateWebhookRequest?, options?): AxiosPromise<Webhook>;
    }

    Implemented by

    Methods

  • Optional createWalletWebhookRequest: CreateWalletWebhookRequest
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Webhook>

    Summary

    Create a new webhook scoped to a wallet

    Throws

    Memberof

    WebhooksApiInterface

    -
    • Create a new webhook

      Parameters

      • Optional createWebhookRequest: CreateWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Webhook>

      Summary

      Create a new webhook

      Throws

      Memberof

      WebhooksApiInterface

      -
    • Delete a webhook

      Parameters

      • webhookId: string

        The Webhook uuid that needs to be deleted

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<void>

      Summary

      Delete a webhook

      Throws

      Memberof

      WebhooksApiInterface

      -
    • List webhooks, optionally filtered by event type.

      Parameters

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<WebhookList>

      Summary

      List webhooks

      Throws

      Memberof

      WebhooksApiInterface

      -
    • Update a webhook

      Parameters

      • webhookId: string

        The Webhook id that needs to be updated

      • Optional updateWebhookRequest: UpdateWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Webhook>

      Summary

      Update a webhook

      Throws

      Memberof

      WebhooksApiInterface

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/client_base.RequestArgs.html b/docs/interfaces/client_base.RequestArgs.html index 3d1fc2c0..1b0816fb 100644 --- a/docs/interfaces/client_base.RequestArgs.html +++ b/docs/interfaces/client_base.RequestArgs.html @@ -1,4 +1,4 @@ RequestArgs | @coinbase/coinbase-sdk

    Export

    RequestArgs

    -
    interface RequestArgs {
        options: RawAxiosRequestConfig;
        url: string;
    }

    Properties

    interface RequestArgs {
        options: RawAxiosRequestConfig;
        url: string;
    }

    Properties

    Properties

    options: RawAxiosRequestConfig
    url: string
    \ No newline at end of file +

    Properties

    options: RawAxiosRequestConfig
    url: string
    \ No newline at end of file diff --git a/docs/interfaces/client_configuration.ConfigurationParameters.html b/docs/interfaces/client_configuration.ConfigurationParameters.html index 1f6ba9a6..850fa422 100644 --- a/docs/interfaces/client_configuration.ConfigurationParameters.html +++ b/docs/interfaces/client_configuration.ConfigurationParameters.html @@ -4,7 +4,7 @@

    NOTE: This class is auto generated by OpenAPI Generator (https://openapi-generator.tech). https://openapi-generator.tech Do not edit the class manually.

    -
    interface ConfigurationParameters {
        accessToken?: string | Promise<string> | ((name?, scopes?) => string) | ((name?, scopes?) => Promise<string>);
        apiKey?: string | Promise<string> | ((name) => string) | ((name) => Promise<string>);
        baseOptions?: any;
        basePath?: string;
        formDataCtor?: (new () => any);
        password?: string;
        serverIndex?: number;
        username?: string;
    }

    Properties

    interface ConfigurationParameters {
        accessToken?: string | Promise<string> | ((name?, scopes?) => string) | ((name?, scopes?) => Promise<string>);
        apiKey?: string | Promise<string> | ((name) => string) | ((name) => Promise<string>);
        baseOptions?: any;
        basePath?: string;
        formDataCtor?: (new () => any);
        password?: string;
        serverIndex?: number;
        username?: string;
    }

    Properties

    accessToken?: string | Promise<string> | ((name?, scopes?) => string) | ((name?, scopes?) => Promise<string>)

    Type declaration

      • (name?, scopes?): string
      • Parameters

        • Optional name: string
        • Optional scopes: string[]

        Returns string

    Type declaration

      • (name?, scopes?): Promise<string>
      • Parameters

        • Optional name: string
        • Optional scopes: string[]

        Returns Promise<string>

    apiKey?: string | Promise<string> | ((name) => string) | ((name) => Promise<string>)

    Type declaration

      • (name): string
      • Parameters

        • name: string

        Returns string

    Type declaration

      • (name): Promise<string>
      • Parameters

        • name: string

        Returns Promise<string>

    baseOptions?: any
    basePath?: string
    formDataCtor?: (new () => any)

    Type declaration

      • new (): any
      • Returns any

    password?: string
    serverIndex?: number
    username?: string
    \ No newline at end of file +

    Properties

    accessToken?: string | Promise<string> | ((name?, scopes?) => string) | ((name?, scopes?) => Promise<string>)

    Type declaration

      • (name?, scopes?): string
      • Parameters

        • Optional name: string
        • Optional scopes: string[]

        Returns string

    Type declaration

      • (name?, scopes?): Promise<string>
      • Parameters

        • Optional name: string
        • Optional scopes: string[]

        Returns Promise<string>

    apiKey?: string | Promise<string> | ((name) => string) | ((name) => Promise<string>)

    Type declaration

      • (name): string
      • Parameters

        • name: string

        Returns string

    Type declaration

      • (name): Promise<string>
      • Parameters

        • name: string

        Returns Promise<string>

    baseOptions?: any
    basePath?: string
    formDataCtor?: (new () => any)

    Type declaration

      • new (): any
      • Returns any

    password?: string
    serverIndex?: number
    username?: string
    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.AddressReputationApiClient.html b/docs/interfaces/coinbase_types.AddressReputationApiClient.html index 110505c5..f8adb121 100644 --- a/docs/interfaces/coinbase_types.AddressReputationApiClient.html +++ b/docs/interfaces/coinbase_types.AddressReputationApiClient.html @@ -1,7 +1,7 @@ -AddressReputationApiClient | @coinbase/coinbase-sdk
    interface AddressReputationApiClient {
        getAddressReputation(networkId, addressId, options?): AxiosPromise<AddressReputation>;
    }

    Methods

    getAddressReputation +AddressReputationApiClient | @coinbase/coinbase-sdk
    interface AddressReputationApiClient {
        getAddressReputation(networkId, addressId, options?): AxiosPromise<AddressReputation>;
    }

    Methods

    • Get the reputation of an address

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the reputation for

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressReputation>

      Throws

      If the request fails.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.BalanceHistoryApiClient.html b/docs/interfaces/coinbase_types.BalanceHistoryApiClient.html index 96e53559..f7b62183 100644 --- a/docs/interfaces/coinbase_types.BalanceHistoryApiClient.html +++ b/docs/interfaces/coinbase_types.BalanceHistoryApiClient.html @@ -1,4 +1,4 @@ -BalanceHistoryApiClient | @coinbase/coinbase-sdk
    interface BalanceHistoryApiClient {
        listAddressHistoricalBalance(networkId, addressId, assetId, limit?, page?, options?): AxiosPromise<AddressHistoricalBalanceList>;
    }

    Methods

    listAddressHistoricalBalance +BalanceHistoryApiClient | @coinbase/coinbase-sdk
    interface BalanceHistoryApiClient {
        listAddressHistoricalBalance(networkId, addressId, assetId, limit?, page?, options?): AxiosPromise<AddressHistoricalBalanceList>;
    }

    Methods

    • List the historical balance of an asset in a specific address.

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the historical balance for.

        @@ -7,4 +7,4 @@
      • Optional page: string

        A cursor for pagination across multiple pages of results. Don't include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressHistoricalBalanceList>

      Summary

      Get address balance history for asset

      -

      Throws

    \ No newline at end of file +

    Throws

    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.FundOperationApiClient.html b/docs/interfaces/coinbase_types.FundOperationApiClient.html index ecdce608..80311c22 100644 --- a/docs/interfaces/coinbase_types.FundOperationApiClient.html +++ b/docs/interfaces/coinbase_types.FundOperationApiClient.html @@ -1,4 +1,4 @@ -FundOperationApiClient | @coinbase/coinbase-sdk
    interface FundOperationApiClient {
        createFundOperation(walletId, addressId, createFundOperationRequest, options?): AxiosPromise<FundOperation>;
        createFundQuote(walletId, addressId, createFundQuoteRequest, options?): AxiosPromise<FundQuote>;
        getFundOperation(walletId, addressId, fundOperationId, options?): AxiosPromise<FundOperation>;
        listFundOperations(walletId, addressId, limit?, page?, options?): AxiosPromise<FundOperationList>;
    }

    Methods

    createFundOperation +FundOperationApiClient | @coinbase/coinbase-sdk
    interface FundOperationApiClient {
        createFundOperation(walletId, addressId, createFundOperationRequest, options?): AxiosPromise<FundOperation>;
        createFundQuote(walletId, addressId, createFundQuoteRequest, options?): AxiosPromise<FundQuote>;
        getFundOperation(walletId, addressId, fundOperationId, options?): AxiosPromise<FundOperation>;
        listFundOperations(walletId, addressId, limit?, page?, options?): AxiosPromise<FundOperationList>;
    }

    Methods

  • createFundOperationRequest: CreateFundOperationRequest

    The request body containing the fund operation details

  • Optional options: RawAxiosRequestConfig

    Axios request options

  • Returns AxiosPromise<FundOperation>

    Throws

    If the request fails

    -
    • Create a fund operation quote

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to create the fund operation quote for.

      • createFundQuoteRequest: CreateFundQuoteRequest

        The request body containing the fund operation quote details.

      • Optional options: RawAxiosRequestConfig

        Axios request options.

      Returns AxiosPromise<FundQuote>

      Throws

      If the request fails.

      -
    • Get a fund operation

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the fund operation belongs to.

      • fundOperationId: string

        The ID of the fund operation to retrieve

      • Optional options: RawAxiosRequestConfig

        Axios request options

      Returns AxiosPromise<FundOperation>

      Throws

      If the request fails

      -
    • List fund operations

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to list fund operations for.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don't include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Axios request options

      Returns AxiosPromise<FundOperationList>

      Throws

      If the request fails

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.MnemonicSeedPhrase.html b/docs/interfaces/coinbase_types.MnemonicSeedPhrase.html index e540bf24..973e7102 100644 --- a/docs/interfaces/coinbase_types.MnemonicSeedPhrase.html +++ b/docs/interfaces/coinbase_types.MnemonicSeedPhrase.html @@ -1,4 +1,4 @@ MnemonicSeedPhrase | @coinbase/coinbase-sdk

    Interface representing a BIP-39 mnemonic seed phrase.

    -
    interface MnemonicSeedPhrase {
        mnemonicPhrase: string;
    }

    Properties

    interface MnemonicSeedPhrase {
        mnemonicPhrase: string;
    }

    Properties

    Properties

    mnemonicPhrase: string

    The BIP-39 mnemonic seed phrase (12, 15, 18, 21, or 24 words)

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.PaginationResponse.html b/docs/interfaces/coinbase_types.PaginationResponse.html index 1f19dbc8..72a9f77d 100644 --- a/docs/interfaces/coinbase_types.PaginationResponse.html +++ b/docs/interfaces/coinbase_types.PaginationResponse.html @@ -1,5 +1,5 @@ PaginationResponse | @coinbase/coinbase-sdk

    Paginated list response.

    -
    interface PaginationResponse<T> {
        data: T[];
        hasMore: boolean;
        nextPage: undefined | string;
    }

    Type Parameters

    • T

    Properties

    interface PaginationResponse<T> {
        data: T[];
        hasMore: boolean;
        nextPage: undefined | string;
    }

    Type Parameters

    • T

    Properties

    Properties

    data: T[]
    hasMore: boolean
    nextPage: undefined | string
    \ No newline at end of file +

    Properties

    data: T[]
    hasMore: boolean
    nextPage: undefined | string
    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.SmartContractAPIClient.html b/docs/interfaces/coinbase_types.SmartContractAPIClient.html index 734fa529..d668cf0a 100644 --- a/docs/interfaces/coinbase_types.SmartContractAPIClient.html +++ b/docs/interfaces/coinbase_types.SmartContractAPIClient.html @@ -1,35 +1,43 @@ -SmartContractAPIClient | @coinbase/coinbase-sdk
    interface SmartContractAPIClient {
        createSmartContract(walletId, addressId, createSmartContractRequest, options?): AxiosPromise<SmartContract>;
        deploySmartContract(walletId, addressId, smartContractId, deploySmartContractRequest, options?): AxiosPromise<SmartContract>;
        getSmartContract(walletId, addressId, smartContractId, options?): AxiosPromise<SmartContract>;
        listSmartContracts(page?, options?): AxiosPromise<SmartContractList>;
        readContract(networkId, contractAddress, readContractRequest): AxiosPromise<SolidityValue>;
        registerSmartContract(networkId?, contractAddress?, registerSmartContractRequest?, options?): AxiosPromise<SmartContract>;
        updateSmartContract(networkId?, contractAddress?, updateSmartContractRequest?, options?): AxiosPromise<SmartContract>;
    }

    Methods

    createSmartContract +SmartContractAPIClient | @coinbase/coinbase-sdk
    interface SmartContractAPIClient {
        compileSmartContract(compileSmartContractRequest, options?): AxiosPromise<CompiledSmartContract>;
        createSmartContract(walletId, addressId, createSmartContractRequest, options?): AxiosPromise<SmartContract>;
        deploySmartContract(walletId, addressId, smartContractId, deploySmartContractRequest, options?): AxiosPromise<SmartContract>;
        getSmartContract(walletId, addressId, smartContractId, options?): AxiosPromise<SmartContract>;
        listSmartContracts(page?, options?): AxiosPromise<SmartContractList>;
        readContract(networkId, contractAddress, readContractRequest): AxiosPromise<SolidityValue>;
        registerSmartContract(networkId?, contractAddress?, registerSmartContractRequest?, options?): AxiosPromise<SmartContract>;
        updateSmartContract(networkId?, contractAddress?, updateSmartContractRequest?, options?): AxiosPromise<SmartContract>;
    }

    Methods

    • Creates a new Smart Contract.

      +

    Methods

    • Compiles a custom contract.

      +

      Parameters

      • compileSmartContractRequest: CompileSmartContractRequest

        The request body containing the compile smart contract details.

        +
      • Optional options: RawAxiosRequestConfig

        Axios request options.

        +

      Returns AxiosPromise<CompiledSmartContract>

        +
      • A promise resolving to the compiled smart contract.
      • +
      +

      Throws

      If the request fails.

      +
    • Creates a new Smart Contract.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to create the smart contract for.

      • createSmartContractRequest: CreateSmartContractRequest

        The request body containing the smart contract details.

      • Optional options: RawAxiosRequestConfig

        Axios request options.

      Returns AxiosPromise<SmartContract>

      Throws

      If the request fails.

      -
    • Deploys a Smart Contract.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the smart contract belongs to.

      • smartContractId: string

        The ID of the smart contract to deploy.

      • deploySmartContractRequest: DeploySmartContractRequest

        The request body containing deployment details.

      • Optional options: RawAxiosRequestConfig

        Axios request options.

      Returns AxiosPromise<SmartContract>

      Throws

      If the request fails.

      -
    • Gets a specific Smart Contract.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the smart contract belongs to.

      • smartContractId: string

        The ID of the smart contract to retrieve.

      • Optional options: RawAxiosRequestConfig

        Axios request options.

      Returns AxiosPromise<SmartContract>

      Throws

      If the request fails.

      -
    • List smart contracts belonging to the CDP project.

      Parameters

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don&#39;t include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Axios request options.

      Returns AxiosPromise<SmartContractList>

      Summary

      List smart contracts belonging to the CDP project

      Throws

      If the request fails.

      -
    • Read a contract

      Parameters

      • networkId: string

        Unique identifier for the blockchain network

      • contractAddress: string

        EVM address of the smart contract (42 characters, including '0x', in lowercase)

      • readContractRequest: ReadContractRequest

        The request body containing the method, args, and optionally the ABI

        @@ -37,7 +45,7 @@

        Throws

        If the request fails.

      • A promise resolving to the contract read result

      Throws

      If the request fails

      -
    • Register a smart contract.

      Parameters

      • Optional networkId: string

        The network ID.

      • Optional contractAddress: string

        The contract address.

      • Optional registerSmartContractRequest: RegisterSmartContractRequest

        The request body containing the register smart contract details.

        @@ -47,7 +55,7 @@

        Throws

        If the request fails.

      Summary

      Register a smart contract.

      Throws

      If the request fails

      -
    • Update a smart contract.

      Parameters

      • Optional networkId: string

        The network ID.

      • Optional contractAddress: string

        The contract address.

      • Optional updateSmartContractRequest: UpdateSmartContractRequest

        The request body containing the update smart contract details.

        @@ -57,4 +65,4 @@

        Throws

        If the request fails

      Summary

      Update a smart contract.

      Throws

      If the request fails

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.TransactionHistoryApiClient.html b/docs/interfaces/coinbase_types.TransactionHistoryApiClient.html index 3b78c9ef..e8b28722 100644 --- a/docs/interfaces/coinbase_types.TransactionHistoryApiClient.html +++ b/docs/interfaces/coinbase_types.TransactionHistoryApiClient.html @@ -1,4 +1,4 @@ -TransactionHistoryApiClient | @coinbase/coinbase-sdk
    interface TransactionHistoryApiClient {
        listAddressTransactions(networkId, addressId, limit?, page?, options?): AxiosPromise<AddressTransactionList>;
    }

    Methods

    listAddressTransactions +TransactionHistoryApiClient | @coinbase/coinbase-sdk
    interface TransactionHistoryApiClient {
        listAddressTransactions(networkId, addressId, limit?, page?, options?): AxiosPromise<AddressTransactionList>;
    }

    Methods

    • List the transactions of a specific address.

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch transactions for.

        @@ -6,4 +6,4 @@
      • Optional page: string

        A cursor for pagination across multiple pages of results. Don't include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressTransactionList>

      Summary

      Get address transactions

      -

      Throws

    \ No newline at end of file +

    Throws

    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.WalletData.html b/docs/interfaces/coinbase_types.WalletData.html index 3b59d35b..97787052 100644 --- a/docs/interfaces/coinbase_types.WalletData.html +++ b/docs/interfaces/coinbase_types.WalletData.html @@ -1,11 +1,11 @@ WalletData | @coinbase/coinbase-sdk

    Interface representing wallet data, with support for both camelCase and snake_case property names for compatibility with older versions of the Python SDK.

    -
    interface WalletData {
        networkId?: string;
        network_id?: string;
        seed: string;
        walletId?: string;
        wallet_id?: string;
    }

    Properties

    interface WalletData {
        networkId?: string;
        network_id?: string;
        seed: string;
        walletId?: string;
        wallet_id?: string;
    }

    Properties

    networkId?: string

    The network ID in either camelCase or snake_case format, but not both.

    -
    network_id?: string
    seed: string

    The wallet seed

    -
    walletId?: string

    The CDP wallet ID in either camelCase or snake_case format, but not both.

    -
    wallet_id?: string
    \ No newline at end of file +
    network_id?: string
    seed: string

    The wallet seed

    +
    walletId?: string

    The CDP wallet ID in either camelCase or snake_case format, but not both.

    +
    wallet_id?: string
    \ No newline at end of file diff --git a/docs/interfaces/coinbase_types.WebhookApiClient.html b/docs/interfaces/coinbase_types.WebhookApiClient.html index d4b0a284..c3c3ac27 100644 --- a/docs/interfaces/coinbase_types.WebhookApiClient.html +++ b/docs/interfaces/coinbase_types.WebhookApiClient.html @@ -1,4 +1,4 @@ -WebhookApiClient | @coinbase/coinbase-sdk
    interface WebhookApiClient {
        createWalletWebhook(walletId?, createWalletWebhookRequest?, options?): AxiosPromise<Webhook>;
        createWebhook(createWebhookRequest?, options?): AxiosPromise<Webhook>;
        deleteWebhook(webhookId, options?): AxiosPromise<void>;
        listWebhooks(limit?, page?, options?): AxiosPromise<WebhookList>;
        updateWebhook(webhookId, updateWebhookRequest?, options?): AxiosPromise<Webhook>;
    }

    Methods

    createWalletWebhook +WebhookApiClient | @coinbase/coinbase-sdk
    interface WebhookApiClient {
        createWalletWebhook(walletId?, createWalletWebhookRequest?, options?): AxiosPromise<Webhook>;
        createWebhook(createWebhookRequest?, options?): AxiosPromise<Webhook>;
        deleteWebhook(webhookId, options?): AxiosPromise<void>;
        listWebhooks(limit?, page?, options?): AxiosPromise<WebhookList>;
        updateWebhook(webhookId, updateWebhookRequest?, options?): AxiosPromise<Webhook>;
    }

    Methods

    • Create a new webhook for a wallet

      Parameters

      • Optional walletId: string
      • Optional createWalletWebhookRequest: CreateWalletWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Webhook>

      Summary

      Create a new webhook for a wallet

      -

      Throws

    • Create a new webhook

      Parameters

      • Optional createWebhookRequest: CreateWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Webhook>

      Summary

      Create a new webhook

      -

      Throws

    • Delete a webhook

      Parameters

      • webhookId: string

        The Webhook uuid that needs to be deleted

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<void>

      Summary

      Delete a webhook

      -

      Throws

    • List webhooks, optionally filtered by event type.

      Parameters

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don't include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<WebhookList>

      Summary

      List webhooks

      -

      Throws

    • Update a webhook

      Parameters

      • webhookId: string

        The Webhook id that needs to be updated

      • Optional updateWebhookRequest: UpdateWebhookRequest
      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Webhook>

      Summary

      Update a webhook

      -

      Throws

    \ No newline at end of file +

    Throws

    \ No newline at end of file diff --git a/docs/modules/client.html b/docs/modules/client.html index 60a8940d..cef61819 100644 --- a/docs/modules/client.html +++ b/docs/modules/client.html @@ -1,4 +1,4 @@ -client | @coinbase/coinbase-sdk

    References

    Address +client | @coinbase/coinbase-sdk

    References

    Re-exports Address
    Re-exports AddressBalanceList
    Re-exports AddressHistoricalBalanceList
    Re-exports AddressList
    Re-exports AddressReputation
    Re-exports AddressReputationMetadata
    Re-exports AddressTransactionList
    Re-exports AddressesApi
    Re-exports AddressesApiAxiosParamCreator
    Re-exports AddressesApiFactory
    Re-exports AddressesApiFp
    Re-exports AddressesApiInterface
    Re-exports Asset
    Re-exports AssetsApi
    Re-exports AssetsApiAxiosParamCreator
    Re-exports AssetsApiFactory
    Re-exports AssetsApiFp
    Re-exports AssetsApiInterface
    Re-exports Balance
    Re-exports BalanceHistoryApi
    Re-exports BalanceHistoryApiAxiosParamCreator
    Re-exports BalanceHistoryApiFactory
    Re-exports BalanceHistoryApiFp
    Re-exports BalanceHistoryApiInterface
    Re-exports BroadcastContractInvocationRequest
    Re-exports BroadcastExternalTransferRequest
    Re-exports BroadcastStakingOperationRequest
    Re-exports BroadcastTradeRequest
    Re-exports BroadcastTransferRequest
    Re-exports BuildStakingOperationRequest
    Re-exports Configuration
    Re-exports ConfigurationParameters
    Re-exports ContractEvent
    Re-exports ContractEventList
    Re-exports ContractEventsApi
    Re-exports ContractEventsApiAxiosParamCreator
    Re-exports ContractEventsApiFactory
    Re-exports ContractEventsApiFp
    Re-exports ContractEventsApiInterface
    Re-exports ContractInvocation
    Re-exports ContractInvocationList
    Re-exports ContractInvocationsApi
    Re-exports ContractInvocationsApiAxiosParamCreator
    Re-exports ContractInvocationsApiFactory
    Re-exports ContractInvocationsApiFp
    Re-exports ContractInvocationsApiInterface
    Re-exports CreateAddressRequest
    Re-exports CreateContractInvocationRequest
    Re-exports CreateExternalTransferRequest
    Re-exports CreateFundOperationRequest
    Re-exports CreateFundQuoteRequest
    Re-exports CreatePayloadSignatureRequest
    Re-exports CreateServerSignerRequest
    Re-exports CreateSmartContractRequest
    Re-exports CreateStakingOperationRequest
    Re-exports CreateTradeRequest
    Re-exports CreateTransferRequest
    Re-exports CreateWalletRequest
    Re-exports CreateWalletRequestWallet
    Re-exports CreateWalletWebhookRequest
    Re-exports CreateWebhookRequest
    Re-exports CryptoAmount
    Re-exports DeploySmartContractRequest
    Re-exports ERC20TransferEvent
    Re-exports ERC721TransferEvent
    Re-exports EthereumTokenTransfer
    Re-exports EthereumTransaction
    Re-exports EthereumTransactionAccess
    Re-exports EthereumTransactionAccessList
    Re-exports EthereumTransactionFlattenedTrace
    Re-exports EthereumValidatorMetadata
    Re-exports ExternalAddressesApi
    Re-exports ExternalAddressesApiAxiosParamCreator
    Re-exports ExternalAddressesApiFactory
    Re-exports ExternalAddressesApiFp
    Re-exports ExternalAddressesApiInterface
    Re-exports FaucetTransaction
    Re-exports FeatureSet
    Re-exports FetchHistoricalStakingBalances200Response
    Re-exports FetchStakingRewards200Response
    Re-exports FetchStakingRewardsRequest
    Re-exports FiatAmount
    Re-exports FundApi
    Re-exports FundApiAxiosParamCreator
    Re-exports FundApiFactory
    Re-exports FundApiFp
    Re-exports FundApiInterface
    Re-exports FundOperation
    Re-exports FundOperationFees
    Re-exports FundOperationList
    Re-exports FundOperationStatusEnum
    Re-exports FundQuote
    Re-exports GetStakingContextRequest
    Re-exports HistoricalBalance
    Re-exports MPCWalletStakeApi
    Re-exports MPCWalletStakeApiAxiosParamCreator
    Re-exports MPCWalletStakeApiFactory
    Re-exports MPCWalletStakeApiFp
    Re-exports MPCWalletStakeApiInterface
    Re-exports ModelError
    Re-exports MultiTokenContractOptions
    Re-exports NFTContractOptions
    Re-exports Network
    Re-exports NetworkIdentifier
    Re-exports NetworkProtocolFamilyEnum
    Re-exports NetworksApi
    Re-exports NetworksApiAxiosParamCreator
    Re-exports NetworksApiFactory
    Re-exports NetworksApiFp
    Re-exports NetworksApiInterface
    Re-exports OnchainIdentityApi
    Re-exports OnchainIdentityApiAxiosParamCreator
    Re-exports OnchainIdentityApiFactory
    Re-exports OnchainIdentityApiFp
    Re-exports OnchainIdentityApiInterface
    Re-exports OnchainName
    Re-exports OnchainNameList
    Re-exports PayloadSignature
    Re-exports PayloadSignatureList
    Re-exports PayloadSignatureStatusEnum
    Re-exports ReadContractRequest
    Re-exports RegisterSmartContractRequest
    Re-exports ReputationApi
    Re-exports ReputationApiAxiosParamCreator
    Re-exports ReputationApiFactory
    Re-exports ReputationApiFp
    Re-exports ReputationApiInterface
    Re-exports ResolveIdentityByAddressRolesEnum
    Re-exports SeedCreationEvent
    Re-exports SeedCreationEventResult
    Re-exports ServerSigner
    Re-exports ServerSignerEvent
    Re-exports ServerSignerEventEvent
    Re-exports ServerSignerEventList
    Re-exports ServerSignerList
    Re-exports ServerSignersApi
    Re-exports ServerSignersApiAxiosParamCreator
    Re-exports ServerSignersApiFactory
    Re-exports ServerSignersApiFp
    Re-exports ServerSignersApiInterface
    Re-exports SignatureCreationEvent
    Re-exports SignatureCreationEventResult
    Re-exports SignedVoluntaryExitMessageMetadata
    Re-exports SmartContract
    Re-exports SmartContractActivityEvent
    Re-exports SmartContractList
    Re-exports SmartContractOptions
    Re-exports SmartContractType
    Re-exports SmartContractsApi
    Re-exports SmartContractsApiAxiosParamCreator
    Re-exports SmartContractsApiFactory
    Re-exports SmartContractsApiFp
    Re-exports SmartContractsApiInterface
    Re-exports SolidityValue
    Re-exports SolidityValueTypeEnum
    Re-exports SponsoredSend
    Re-exports SponsoredSendStatusEnum
    Re-exports StakeApi
    Re-exports StakeApiAxiosParamCreator
    Re-exports StakeApiFactory
    Re-exports StakeApiFp
    Re-exports StakeApiInterface
    Re-exports StakingBalance
    Re-exports StakingContext
    Re-exports StakingContextContext
    Re-exports StakingOperation
    Re-exports StakingOperationMetadata
    Re-exports StakingOperationStatusEnum
    Re-exports StakingReward
    Re-exports StakingRewardFormat
    Re-exports StakingRewardStateEnum
    Re-exports StakingRewardUSDValue
    Re-exports TokenContractOptions
    Re-exports TokenTransferType
    Re-exports Trade
    Re-exports TradeList
    Re-exports TradesApi
    Re-exports TradesApiAxiosParamCreator
    Re-exports TradesApiFactory
    Re-exports TradesApiFp
    Re-exports TradesApiInterface
    Re-exports Transaction
    Re-exports TransactionContent
    Re-exports TransactionHistoryApi
    Re-exports TransactionHistoryApiAxiosParamCreator
    Re-exports TransactionHistoryApiFactory
    Re-exports TransactionHistoryApiFp
    Re-exports TransactionHistoryApiInterface
    Re-exports TransactionStatusEnum
    Re-exports TransactionType
    Re-exports Transfer
    Re-exports TransferList
    Re-exports TransfersApi
    Re-exports TransfersApiAxiosParamCreator
    Re-exports TransfersApiFactory
    Re-exports TransfersApiFp
    Re-exports TransfersApiInterface
    Re-exports UpdateSmartContractRequest
    Re-exports UpdateWebhookRequest
    Re-exports User
    Re-exports UsersApi
    Re-exports UsersApiAxiosParamCreator
    Re-exports UsersApiFactory
    Re-exports UsersApiFp
    Re-exports UsersApiInterface
    Re-exports Validator
    Re-exports ValidatorDetails
    Re-exports ValidatorList
    Re-exports ValidatorStatus
    Re-exports Wallet
    Re-exports WalletList
    Re-exports WalletServerSignerStatusEnum
    Re-exports WalletsApi
    Re-exports WalletsApiAxiosParamCreator
    Re-exports WalletsApiFactory
    Re-exports WalletsApiFp
    Re-exports WalletsApiInterface
    Re-exports Webhook
    Re-exports WebhookEventFilter
    Re-exports WebhookEventType
    Re-exports WebhookEventTypeFilter
    Re-exports WebhookList
    Re-exports WebhookSmartContractEventFilter
    Re-exports WebhookWalletActivityFilter
    Re-exports WebhooksApi
    Re-exports WebhooksApiAxiosParamCreator
    Re-exports WebhooksApiFactory
    Re-exports WebhooksApiFp
    Re-exports WebhooksApiInterface
    \ No newline at end of file +

    References

    Re-exports Address
    Re-exports AddressBalanceList
    Re-exports AddressHistoricalBalanceList
    Re-exports AddressList
    Re-exports AddressReputation
    Re-exports AddressReputationMetadata
    Re-exports AddressTransactionList
    Re-exports AddressesApi
    Re-exports AddressesApiAxiosParamCreator
    Re-exports AddressesApiFactory
    Re-exports AddressesApiFp
    Re-exports AddressesApiInterface
    Re-exports Asset
    Re-exports AssetsApi
    Re-exports AssetsApiAxiosParamCreator
    Re-exports AssetsApiFactory
    Re-exports AssetsApiFp
    Re-exports AssetsApiInterface
    Re-exports Balance
    Re-exports BalanceHistoryApi
    Re-exports BalanceHistoryApiAxiosParamCreator
    Re-exports BalanceHistoryApiFactory
    Re-exports BalanceHistoryApiFp
    Re-exports BalanceHistoryApiInterface
    Re-exports BroadcastContractInvocationRequest
    Re-exports BroadcastExternalTransferRequest
    Re-exports BroadcastStakingOperationRequest
    Re-exports BroadcastTradeRequest
    Re-exports BroadcastTransferRequest
    Re-exports BuildStakingOperationRequest
    Re-exports CompileSmartContractRequest
    Re-exports CompiledSmartContract
    Re-exports Configuration
    Re-exports ConfigurationParameters
    Re-exports ContractEvent
    Re-exports ContractEventList
    Re-exports ContractEventsApi
    Re-exports ContractEventsApiAxiosParamCreator
    Re-exports ContractEventsApiFactory
    Re-exports ContractEventsApiFp
    Re-exports ContractEventsApiInterface
    Re-exports ContractInvocation
    Re-exports ContractInvocationList
    Re-exports ContractInvocationsApi
    Re-exports ContractInvocationsApiAxiosParamCreator
    Re-exports ContractInvocationsApiFactory
    Re-exports ContractInvocationsApiFp
    Re-exports ContractInvocationsApiInterface
    Re-exports CreateAddressRequest
    Re-exports CreateContractInvocationRequest
    Re-exports CreateExternalTransferRequest
    Re-exports CreateFundOperationRequest
    Re-exports CreateFundQuoteRequest
    Re-exports CreatePayloadSignatureRequest
    Re-exports CreateServerSignerRequest
    Re-exports CreateSmartContractRequest
    Re-exports CreateStakingOperationRequest
    Re-exports CreateTradeRequest
    Re-exports CreateTransferRequest
    Re-exports CreateWalletRequest
    Re-exports CreateWalletRequestWallet
    Re-exports CreateWalletWebhookRequest
    Re-exports CreateWebhookRequest
    Re-exports CryptoAmount
    Re-exports DeploySmartContractRequest
    Re-exports ERC20TransferEvent
    Re-exports ERC721TransferEvent
    Re-exports EthereumTokenTransfer
    Re-exports EthereumTransaction
    Re-exports EthereumTransactionAccess
    Re-exports EthereumTransactionAccessList
    Re-exports EthereumTransactionFlattenedTrace
    Re-exports EthereumValidatorMetadata
    Re-exports ExternalAddressesApi
    Re-exports ExternalAddressesApiAxiosParamCreator
    Re-exports ExternalAddressesApiFactory
    Re-exports ExternalAddressesApiFp
    Re-exports ExternalAddressesApiInterface
    Re-exports FaucetTransaction
    Re-exports FeatureSet
    Re-exports FetchHistoricalStakingBalances200Response
    Re-exports FetchStakingRewards200Response
    Re-exports FetchStakingRewardsRequest
    Re-exports FiatAmount
    Re-exports FundApi
    Re-exports FundApiAxiosParamCreator
    Re-exports FundApiFactory
    Re-exports FundApiFp
    Re-exports FundApiInterface
    Re-exports FundOperation
    Re-exports FundOperationFees
    Re-exports FundOperationList
    Re-exports FundOperationStatusEnum
    Re-exports FundQuote
    Re-exports GetStakingContextRequest
    Re-exports HistoricalBalance
    Re-exports MPCWalletStakeApi
    Re-exports MPCWalletStakeApiAxiosParamCreator
    Re-exports MPCWalletStakeApiFactory
    Re-exports MPCWalletStakeApiFp
    Re-exports MPCWalletStakeApiInterface
    Re-exports ModelError
    Re-exports MultiTokenContractOptions
    Re-exports NFTContractOptions
    Re-exports Network
    Re-exports NetworkIdentifier
    Re-exports NetworkProtocolFamilyEnum
    Re-exports NetworksApi
    Re-exports NetworksApiAxiosParamCreator
    Re-exports NetworksApiFactory
    Re-exports NetworksApiFp
    Re-exports NetworksApiInterface
    Re-exports OnchainIdentityApi
    Re-exports OnchainIdentityApiAxiosParamCreator
    Re-exports OnchainIdentityApiFactory
    Re-exports OnchainIdentityApiFp
    Re-exports OnchainIdentityApiInterface
    Re-exports OnchainName
    Re-exports OnchainNameList
    Re-exports PayloadSignature
    Re-exports PayloadSignatureList
    Re-exports PayloadSignatureStatusEnum
    Re-exports ReadContractRequest
    Re-exports RegisterSmartContractRequest
    Re-exports ReputationApi
    Re-exports ReputationApiAxiosParamCreator
    Re-exports ReputationApiFactory
    Re-exports ReputationApiFp
    Re-exports ReputationApiInterface
    Re-exports ResolveIdentityByAddressRolesEnum
    Re-exports SeedCreationEvent
    Re-exports SeedCreationEventResult
    Re-exports ServerSigner
    Re-exports ServerSignerEvent
    Re-exports ServerSignerEventEvent
    Re-exports ServerSignerEventList
    Re-exports ServerSignerList
    Re-exports ServerSignersApi
    Re-exports ServerSignersApiAxiosParamCreator
    Re-exports ServerSignersApiFactory
    Re-exports ServerSignersApiFp
    Re-exports ServerSignersApiInterface
    Re-exports SignatureCreationEvent
    Re-exports SignatureCreationEventResult
    Re-exports SignedVoluntaryExitMessageMetadata
    Re-exports SmartContract
    Re-exports SmartContractActivityEvent
    Re-exports SmartContractList
    Re-exports SmartContractOptions
    Re-exports SmartContractType
    Re-exports SmartContractsApi
    Re-exports SmartContractsApiAxiosParamCreator
    Re-exports SmartContractsApiFactory
    Re-exports SmartContractsApiFp
    Re-exports SmartContractsApiInterface
    Re-exports SolidityValue
    Re-exports SolidityValueTypeEnum
    Re-exports SponsoredSend
    Re-exports SponsoredSendStatusEnum
    Re-exports StakeApi
    Re-exports StakeApiAxiosParamCreator
    Re-exports StakeApiFactory
    Re-exports StakeApiFp
    Re-exports StakeApiInterface
    Re-exports StakingBalance
    Re-exports StakingContext
    Re-exports StakingContextContext
    Re-exports StakingOperation
    Re-exports StakingOperationMetadata
    Re-exports StakingOperationStatusEnum
    Re-exports StakingReward
    Re-exports StakingRewardFormat
    Re-exports StakingRewardStateEnum
    Re-exports StakingRewardUSDValue
    Re-exports TokenContractOptions
    Re-exports TokenTransferType
    Re-exports Trade
    Re-exports TradeList
    Re-exports TradesApi
    Re-exports TradesApiAxiosParamCreator
    Re-exports TradesApiFactory
    Re-exports TradesApiFp
    Re-exports TradesApiInterface
    Re-exports Transaction
    Re-exports TransactionContent
    Re-exports TransactionHistoryApi
    Re-exports TransactionHistoryApiAxiosParamCreator
    Re-exports TransactionHistoryApiFactory
    Re-exports TransactionHistoryApiFp
    Re-exports TransactionHistoryApiInterface
    Re-exports TransactionStatusEnum
    Re-exports TransactionType
    Re-exports Transfer
    Re-exports TransferList
    Re-exports TransfersApi
    Re-exports TransfersApiAxiosParamCreator
    Re-exports TransfersApiFactory
    Re-exports TransfersApiFp
    Re-exports TransfersApiInterface
    Re-exports UpdateSmartContractRequest
    Re-exports UpdateWebhookRequest
    Re-exports User
    Re-exports UsersApi
    Re-exports UsersApiAxiosParamCreator
    Re-exports UsersApiFactory
    Re-exports UsersApiFp
    Re-exports UsersApiInterface
    Re-exports Validator
    Re-exports ValidatorDetails
    Re-exports ValidatorList
    Re-exports ValidatorStatus
    Re-exports Wallet
    Re-exports WalletList
    Re-exports WalletServerSignerStatusEnum
    Re-exports WalletsApi
    Re-exports WalletsApiAxiosParamCreator
    Re-exports WalletsApiFactory
    Re-exports WalletsApiFp
    Re-exports WalletsApiInterface
    Re-exports Webhook
    Re-exports WebhookEventFilter
    Re-exports WebhookEventType
    Re-exports WebhookEventTypeFilter
    Re-exports WebhookList
    Re-exports WebhookSmartContractEventFilter
    Re-exports WebhookWalletActivityFilter
    Re-exports WebhooksApi
    Re-exports WebhooksApiAxiosParamCreator
    Re-exports WebhooksApiFactory
    Re-exports WebhooksApiFp
    Re-exports WebhooksApiInterface
    \ No newline at end of file diff --git a/docs/modules/client_api.html b/docs/modules/client_api.html index c1434aeb..951fd7e6 100644 --- a/docs/modules/client_api.html +++ b/docs/modules/client_api.html @@ -1,4 +1,4 @@ -client/api | @coinbase/coinbase-sdk

    Index

    Enumerations

    NetworkIdentifier +client/api | @coinbase/coinbase-sdk

    Index

    Enumerations

    NetworkIdentifier SmartContractType StakingRewardFormat TokenTransferType @@ -43,6 +43,8 @@ BroadcastTradeRequest BroadcastTransferRequest BuildStakingOperationRequest +CompileSmartContractRequest +CompiledSmartContract ContractEvent ContractEventList ContractEventsApiInterface diff --git a/docs/modules/client_base.html b/docs/modules/client_base.html index 5aca40c6..4c98ef8e 100644 --- a/docs/modules/client_base.html +++ b/docs/modules/client_base.html @@ -1,4 +1,4 @@ -client/base | @coinbase/coinbase-sdk

    Index

    Classes

    BaseAPI +client/base | @coinbase/coinbase-sdk

    Index

    Classes

    Interfaces

    Variables

    BASE_PATH diff --git a/docs/modules/client_common.html b/docs/modules/client_common.html index af6213d3..6e498ea6 100644 --- a/docs/modules/client_common.html +++ b/docs/modules/client_common.html @@ -1,4 +1,4 @@ -client/common | @coinbase/coinbase-sdk

    Index

    Variables

    DUMMY_BASE_URL +client/common | @coinbase/coinbase-sdk

    Index

    Variables

    Functions

    assertParamExists createRequestFunction serializeDataIfNeeded diff --git a/docs/modules/client_configuration.html b/docs/modules/client_configuration.html index 29082c67..4714d1d0 100644 --- a/docs/modules/client_configuration.html +++ b/docs/modules/client_configuration.html @@ -1,3 +1,3 @@ -client/configuration | @coinbase/coinbase-sdk

    Index

    Classes

    Configuration +client/configuration | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_address.html b/docs/modules/coinbase_address.html index 23dc5601..98eb01b2 100644 --- a/docs/modules/coinbase_address.html +++ b/docs/modules/coinbase_address.html @@ -1,2 +1,2 @@ -coinbase/address | @coinbase/coinbase-sdk

    Index

    Classes

    Address +coinbase/address | @coinbase/coinbase-sdk

    Index

    Classes

    \ No newline at end of file diff --git a/docs/modules/coinbase_address_external_address.html b/docs/modules/coinbase_address_external_address.html index 8b8f613e..20a600f8 100644 --- a/docs/modules/coinbase_address_external_address.html +++ b/docs/modules/coinbase_address_external_address.html @@ -1,2 +1,2 @@ -coinbase/address/external_address | @coinbase/coinbase-sdk

    Module coinbase/address/external_address

    Index

    Classes

    ExternalAddress +coinbase/address/external_address | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_address_reputation.html b/docs/modules/coinbase_address_reputation.html index 5362f0e8..420106ff 100644 --- a/docs/modules/coinbase_address_reputation.html +++ b/docs/modules/coinbase_address_reputation.html @@ -1,2 +1,2 @@ -coinbase/address_reputation | @coinbase/coinbase-sdk

    Module coinbase/address_reputation

    Index

    Classes

    AddressReputation +coinbase/address_reputation | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_address_wallet_address.html b/docs/modules/coinbase_address_wallet_address.html index 3908b69a..d9c3b083 100644 --- a/docs/modules/coinbase_address_wallet_address.html +++ b/docs/modules/coinbase_address_wallet_address.html @@ -1,2 +1,2 @@ -coinbase/address/wallet_address | @coinbase/coinbase-sdk

    Module coinbase/address/wallet_address

    Index

    Classes

    WalletAddress +coinbase/address/wallet_address | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_api_error.html b/docs/modules/coinbase_api_error.html index a0203464..6114ffb8 100644 --- a/docs/modules/coinbase_api_error.html +++ b/docs/modules/coinbase_api_error.html @@ -1,4 +1,4 @@ -coinbase/api_error | @coinbase/coinbase-sdk

    Index

    Classes

    APIError +coinbase/api_error | @coinbase/coinbase-sdk

    Index

    Classes

    APIError AlreadyExistsError FaucetLimitReachedError InternalError diff --git a/docs/modules/coinbase_asset.html b/docs/modules/coinbase_asset.html index 319f9025..13922105 100644 --- a/docs/modules/coinbase_asset.html +++ b/docs/modules/coinbase_asset.html @@ -1,2 +1,2 @@ -coinbase/asset | @coinbase/coinbase-sdk

    Index

    Classes

    Asset +coinbase/asset | @coinbase/coinbase-sdk

    Index

    Classes

    \ No newline at end of file diff --git a/docs/modules/coinbase_authenticator.html b/docs/modules/coinbase_authenticator.html index f2952e49..6a3d1ea6 100644 --- a/docs/modules/coinbase_authenticator.html +++ b/docs/modules/coinbase_authenticator.html @@ -1,2 +1,2 @@ -coinbase/authenticator | @coinbase/coinbase-sdk

    Index

    Classes

    CoinbaseAuthenticator +coinbase/authenticator | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_balance.html b/docs/modules/coinbase_balance.html index aafac769..a040a94c 100644 --- a/docs/modules/coinbase_balance.html +++ b/docs/modules/coinbase_balance.html @@ -1,2 +1,2 @@ -coinbase/balance | @coinbase/coinbase-sdk

    Index

    Classes

    Balance +coinbase/balance | @coinbase/coinbase-sdk

    Index

    Classes

    \ No newline at end of file diff --git a/docs/modules/coinbase_balance_map.html b/docs/modules/coinbase_balance_map.html index 2bc8ebb9..7f353d00 100644 --- a/docs/modules/coinbase_balance_map.html +++ b/docs/modules/coinbase_balance_map.html @@ -1,2 +1,2 @@ -coinbase/balance_map | @coinbase/coinbase-sdk

    Index

    Classes

    BalanceMap +coinbase/balance_map | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_coinbase.html b/docs/modules/coinbase_coinbase.html index e0a5e5cd..f2b07508 100644 --- a/docs/modules/coinbase_coinbase.html +++ b/docs/modules/coinbase_coinbase.html @@ -1,2 +1,2 @@ -coinbase/coinbase | @coinbase/coinbase-sdk

    Index

    Classes

    Coinbase +coinbase/coinbase | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_constants.html b/docs/modules/coinbase_constants.html index 4db53a16..e4236a46 100644 --- a/docs/modules/coinbase_constants.html +++ b/docs/modules/coinbase_constants.html @@ -1,2 +1,2 @@ -coinbase/constants | @coinbase/coinbase-sdk

    Index

    Variables

    GWEI_DECIMALS +coinbase/constants | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_contract_event.html b/docs/modules/coinbase_contract_event.html index df799e56..86e2bdcc 100644 --- a/docs/modules/coinbase_contract_event.html +++ b/docs/modules/coinbase_contract_event.html @@ -1,2 +1,2 @@ -coinbase/contract_event | @coinbase/coinbase-sdk

    Module coinbase/contract_event

    Index

    Classes

    ContractEvent +coinbase/contract_event | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_contract_invocation.html b/docs/modules/coinbase_contract_invocation.html index ddbc51df..76767b48 100644 --- a/docs/modules/coinbase_contract_invocation.html +++ b/docs/modules/coinbase_contract_invocation.html @@ -1,2 +1,2 @@ -coinbase/contract_invocation | @coinbase/coinbase-sdk

    Module coinbase/contract_invocation

    Index

    Classes

    ContractInvocation +coinbase/contract_invocation | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_crypto_amount.html b/docs/modules/coinbase_crypto_amount.html index 345de074..105fa54e 100644 --- a/docs/modules/coinbase_crypto_amount.html +++ b/docs/modules/coinbase_crypto_amount.html @@ -1,2 +1,2 @@ -coinbase/crypto_amount | @coinbase/coinbase-sdk

    Index

    Classes

    CryptoAmount +coinbase/crypto_amount | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_errors.html b/docs/modules/coinbase_errors.html index 81ae4343..6a6ee79c 100644 --- a/docs/modules/coinbase_errors.html +++ b/docs/modules/coinbase_errors.html @@ -1,4 +1,4 @@ -coinbase/errors | @coinbase/coinbase-sdk

    Index

    Classes

    AlreadySignedError +coinbase/errors | @coinbase/coinbase-sdk

    Index

    Classes

    AlreadySignedError ArgumentError InvalidAPIKeyFormatError InvalidConfigurationError diff --git a/docs/modules/coinbase_faucet_transaction.html b/docs/modules/coinbase_faucet_transaction.html index 336cca85..dbc203fd 100644 --- a/docs/modules/coinbase_faucet_transaction.html +++ b/docs/modules/coinbase_faucet_transaction.html @@ -1,2 +1,2 @@ -coinbase/faucet_transaction | @coinbase/coinbase-sdk

    Module coinbase/faucet_transaction

    Index

    Classes

    FaucetTransaction +coinbase/faucet_transaction | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_fiat_amount.html b/docs/modules/coinbase_fiat_amount.html index 0d6e2b32..f1457c58 100644 --- a/docs/modules/coinbase_fiat_amount.html +++ b/docs/modules/coinbase_fiat_amount.html @@ -1,2 +1,2 @@ -coinbase/fiat_amount | @coinbase/coinbase-sdk

    Index

    Classes

    FiatAmount +coinbase/fiat_amount | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_fund_operation.html b/docs/modules/coinbase_fund_operation.html index a66f3a58..617ba034 100644 --- a/docs/modules/coinbase_fund_operation.html +++ b/docs/modules/coinbase_fund_operation.html @@ -1,2 +1,2 @@ -coinbase/fund_operation | @coinbase/coinbase-sdk

    Module coinbase/fund_operation

    Index

    Classes

    FundOperation +coinbase/fund_operation | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_fund_quote.html b/docs/modules/coinbase_fund_quote.html index 093b917e..15bb3c89 100644 --- a/docs/modules/coinbase_fund_quote.html +++ b/docs/modules/coinbase_fund_quote.html @@ -1,2 +1,2 @@ -coinbase/fund_quote | @coinbase/coinbase-sdk

    Index

    Classes

    FundQuote +coinbase/fund_quote | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_hash.html b/docs/modules/coinbase_hash.html index aed2f2fd..cb185e60 100644 --- a/docs/modules/coinbase_hash.html +++ b/docs/modules/coinbase_hash.html @@ -1,3 +1,3 @@ -coinbase/hash | @coinbase/coinbase-sdk

    Index

    Functions

    hashMessage +coinbase/hash | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_historical_balance.html b/docs/modules/coinbase_historical_balance.html index a152580e..7ea12520 100644 --- a/docs/modules/coinbase_historical_balance.html +++ b/docs/modules/coinbase_historical_balance.html @@ -1,2 +1,2 @@ -coinbase/historical_balance | @coinbase/coinbase-sdk

    Module coinbase/historical_balance

    Index

    Classes

    HistoricalBalance +coinbase/historical_balance | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_payload_signature.html b/docs/modules/coinbase_payload_signature.html index b52bf7f6..1256ed8d 100644 --- a/docs/modules/coinbase_payload_signature.html +++ b/docs/modules/coinbase_payload_signature.html @@ -1,2 +1,2 @@ -coinbase/payload_signature | @coinbase/coinbase-sdk

    Module coinbase/payload_signature

    Index

    Classes

    PayloadSignature +coinbase/payload_signature | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_read_contract.html b/docs/modules/coinbase_read_contract.html index dd224520..e8e95041 100644 --- a/docs/modules/coinbase_read_contract.html +++ b/docs/modules/coinbase_read_contract.html @@ -1,2 +1,2 @@ -coinbase/read_contract | @coinbase/coinbase-sdk

    Index

    Functions

    readContract +coinbase/read_contract | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_server_signer.html b/docs/modules/coinbase_server_signer.html index d4007634..c73eb525 100644 --- a/docs/modules/coinbase_server_signer.html +++ b/docs/modules/coinbase_server_signer.html @@ -1,2 +1,2 @@ -coinbase/server_signer | @coinbase/coinbase-sdk

    Index

    Classes

    ServerSigner +coinbase/server_signer | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_smart_contract.html b/docs/modules/coinbase_smart_contract.html index ee60d756..7c4a18a7 100644 --- a/docs/modules/coinbase_smart_contract.html +++ b/docs/modules/coinbase_smart_contract.html @@ -1,2 +1,2 @@ -coinbase/smart_contract | @coinbase/coinbase-sdk

    Module coinbase/smart_contract

    Index

    Classes

    SmartContract +coinbase/smart_contract | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_sponsored_send.html b/docs/modules/coinbase_sponsored_send.html index 21a8280a..f80f12dc 100644 --- a/docs/modules/coinbase_sponsored_send.html +++ b/docs/modules/coinbase_sponsored_send.html @@ -1,2 +1,2 @@ -coinbase/sponsored_send | @coinbase/coinbase-sdk

    Module coinbase/sponsored_send

    Index

    Classes

    SponsoredSend +coinbase/sponsored_send | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_staking_balance.html b/docs/modules/coinbase_staking_balance.html index 7cf2726e..49962d92 100644 --- a/docs/modules/coinbase_staking_balance.html +++ b/docs/modules/coinbase_staking_balance.html @@ -1,2 +1,2 @@ -coinbase/staking_balance | @coinbase/coinbase-sdk

    Module coinbase/staking_balance

    Index

    Classes

    StakingBalance +coinbase/staking_balance | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_staking_operation.html b/docs/modules/coinbase_staking_operation.html index c07cdcd7..40f78f6f 100644 --- a/docs/modules/coinbase_staking_operation.html +++ b/docs/modules/coinbase_staking_operation.html @@ -1,2 +1,2 @@ -coinbase/staking_operation | @coinbase/coinbase-sdk

    Module coinbase/staking_operation

    Index

    Classes

    StakingOperation +coinbase/staking_operation | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_staking_reward.html b/docs/modules/coinbase_staking_reward.html index 67f90bed..c954b17c 100644 --- a/docs/modules/coinbase_staking_reward.html +++ b/docs/modules/coinbase_staking_reward.html @@ -1,2 +1,2 @@ -coinbase/staking_reward | @coinbase/coinbase-sdk

    Module coinbase/staking_reward

    Index

    Classes

    StakingReward +coinbase/staking_reward | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_trade.html b/docs/modules/coinbase_trade.html index d14dde73..eef9bf26 100644 --- a/docs/modules/coinbase_trade.html +++ b/docs/modules/coinbase_trade.html @@ -1,2 +1,2 @@ -coinbase/trade | @coinbase/coinbase-sdk

    Index

    Classes

    Trade +coinbase/trade | @coinbase/coinbase-sdk

    Index

    Classes

    \ No newline at end of file diff --git a/docs/modules/coinbase_transaction.html b/docs/modules/coinbase_transaction.html index e7dfcb5b..7166a143 100644 --- a/docs/modules/coinbase_transaction.html +++ b/docs/modules/coinbase_transaction.html @@ -1,2 +1,2 @@ -coinbase/transaction | @coinbase/coinbase-sdk

    Index

    Classes

    Transaction +coinbase/transaction | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_transfer.html b/docs/modules/coinbase_transfer.html index ef28b4b6..605c7dff 100644 --- a/docs/modules/coinbase_transfer.html +++ b/docs/modules/coinbase_transfer.html @@ -1,2 +1,2 @@ -coinbase/transfer | @coinbase/coinbase-sdk

    Index

    Classes

    Transfer +coinbase/transfer | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_types.html b/docs/modules/coinbase_types.html index d955ca13..21f46d45 100644 --- a/docs/modules/coinbase_types.html +++ b/docs/modules/coinbase_types.html @@ -1,4 +1,4 @@ -coinbase/types | @coinbase/coinbase-sdk

    Index

    Enumerations

    FundOperationStatus +coinbase/types | @coinbase/coinbase-sdk

    Index

    Enumerations

    FundOperationStatus PayloadSignatureStatus ServerSignerStatus SmartContractType @@ -25,6 +25,7 @@ CoinbaseOptions ContractInvocationAPIClient CreateContractInvocationOptions +CreateCustomContractOptions CreateERC1155Options CreateERC20Options CreateERC721Options diff --git a/docs/modules/coinbase_types_contract.html b/docs/modules/coinbase_types_contract.html index cafa2e47..a9d37303 100644 --- a/docs/modules/coinbase_types_contract.html +++ b/docs/modules/coinbase_types_contract.html @@ -1,2 +1,2 @@ -coinbase/types/contract | @coinbase/coinbase-sdk

    Module coinbase/types/contract

    Index

    Type Aliases

    ContractFunctionReturnType +coinbase/types/contract | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_utils.html b/docs/modules/coinbase_utils.html index 15b6d13c..5f3f7835 100644 --- a/docs/modules/coinbase_utils.html +++ b/docs/modules/coinbase_utils.html @@ -1,4 +1,4 @@ -coinbase/utils | @coinbase/coinbase-sdk

    Index

    Functions

    convertStringToHex +coinbase/utils | @coinbase/coinbase-sdk

    Index

    Functions

    convertStringToHex delay formatDate getWeekBackDate diff --git a/docs/modules/coinbase_validator.html b/docs/modules/coinbase_validator.html index c4a5f84f..861dff00 100644 --- a/docs/modules/coinbase_validator.html +++ b/docs/modules/coinbase_validator.html @@ -1,2 +1,2 @@ -coinbase/validator | @coinbase/coinbase-sdk

    Index

    Classes

    Validator +coinbase/validator | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/modules/coinbase_wallet.html b/docs/modules/coinbase_wallet.html index f7e36198..80072891 100644 --- a/docs/modules/coinbase_wallet.html +++ b/docs/modules/coinbase_wallet.html @@ -1,2 +1,2 @@ -coinbase/wallet | @coinbase/coinbase-sdk

    Index

    Classes

    Wallet +coinbase/wallet | @coinbase/coinbase-sdk

    Index

    Classes

    \ No newline at end of file diff --git a/docs/modules/coinbase_webhook.html b/docs/modules/coinbase_webhook.html index 8ea9257a..825e4326 100644 --- a/docs/modules/coinbase_webhook.html +++ b/docs/modules/coinbase_webhook.html @@ -1,2 +1,2 @@ -coinbase/webhook | @coinbase/coinbase-sdk

    Index

    Classes

    Webhook +coinbase/webhook | @coinbase/coinbase-sdk

    Index

    Classes

    \ No newline at end of file diff --git a/docs/modules/index.html b/docs/modules/index.html index a520b0af..4a2143fd 100644 --- a/docs/modules/index.html +++ b/docs/modules/index.html @@ -1,4 +1,4 @@ -index | @coinbase/coinbase-sdk

    References

    APIError +index | @coinbase/coinbase-sdk

    References

    Re-exports APIError
    Re-exports Address
    Re-exports AddressAPIClient
    Re-exports AddressReputationApiClient
    Re-exports AlreadyExistsError
    Re-exports AlreadySignedError
    Re-exports Amount
    Re-exports ApiClients
    Re-exports ArgumentError
    Re-exports Asset
    Re-exports AssetAPIClient
    Re-exports Balance
    Re-exports BalanceHistoryApiClient
    Re-exports BalanceMap
    Re-exports Coinbase
    Re-exports CoinbaseAuthenticator
    Re-exports CoinbaseConfigureFromJsonOptions
    Re-exports CoinbaseOptions
    Re-exports ContractEvent
    Re-exports ContractInvocation
    Re-exports ContractInvocationAPIClient
    Re-exports CreateContractInvocationOptions
    Re-exports CreateERC1155Options
    Re-exports CreateERC20Options
    Re-exports CreateERC721Options
    Re-exports CreateFundOptions
    Re-exports CreateQuoteOptions
    Re-exports CreateTradeOptions
    Re-exports CreateTransferOptions
    Re-exports CreateWebhookOptions
    Re-exports CryptoAmount
    Re-exports Destination
    Re-exports ExternalAddress
    Re-exports ExternalAddressAPIClient
    Re-exports ExternalSmartContractAPIClient
    Re-exports FaucetLimitReachedError
    Re-exports FaucetTransaction
    Re-exports FiatAmount
    Re-exports FundOperation
    Re-exports FundOperationApiClient
    Re-exports FundOperationStatus
    Re-exports FundQuote
    Re-exports GWEI_DECIMALS
    Re-exports HistoricalBalance
    Re-exports InternalError
    Re-exports InvalidAPIKeyFormatError
    Re-exports InvalidAddressError
    Re-exports InvalidAddressIDError
    Re-exports InvalidAmountError
    Re-exports InvalidAssetIDError
    Re-exports InvalidConfigurationError
    Re-exports InvalidDestinationError
    Re-exports InvalidLimitError
    Re-exports InvalidNetworkIDError
    Re-exports InvalidPageError
    Re-exports InvalidSignedPayloadError
    Re-exports InvalidTransferIDError
    Re-exports InvalidTransferStatusError
    Re-exports InvalidUnsignedPayloadError
    Re-exports InvalidWalletError
    Re-exports InvalidWalletIDError
    Re-exports ListHistoricalBalancesOptions
    Re-exports ListHistoricalBalancesResult
    Re-exports ListTransactionsOptions
    Re-exports ListTransactionsResult
    Re-exports MalformedRequestError
    Re-exports MnemonicSeedPhrase
    Re-exports MultiTokenContractOptions
    Re-exports NFTContractOptions
    Re-exports NetworkFeatureUnsupportedError
    Re-exports NotFoundError
    Re-exports NotSignedError
    Re-exports PaginationOptions
    Re-exports PaginationResponse
    Re-exports PayloadSignature
    Re-exports PayloadSignatureStatus
    Re-exports RegisterContractOptions
    Re-exports ResourceExhaustedError
    Re-exports SeedData
    Re-exports ServerSigner
    Re-exports ServerSignerAPIClient
    Re-exports ServerSignerStatus
    Re-exports SmartContract
    Re-exports SmartContractAPIClient
    Re-exports SmartContractOptions
    Re-exports SmartContractType
    Re-exports SponsoredSendStatus
    Re-exports StakeAPIClient
    Re-exports StakeOptionsMode
    Re-exports StakingBalance
    Re-exports StakingOperation
    Re-exports StakingReward
    Re-exports StakingRewardFormat
    Re-exports TimeoutError
    Re-exports TokenContractOptions
    Re-exports Trade
    Re-exports TradeApiClients
    Re-exports Transaction
    Re-exports TransactionHistoryApiClient
    Re-exports TransactionStatus
    Re-exports Transfer
    Re-exports TransferAPIClient
    Re-exports TransferStatus
    Re-exports TypedDataDomain
    Re-exports TypedDataField
    Re-exports UnauthorizedError
    Re-exports UnimplementedError
    Re-exports UnsupportedAssetError
    Re-exports UpdateContractOptions
    Re-exports UpdateWebhookOptions
    Re-exports Validator
    Re-exports ValidatorStatus
    Re-exports Wallet
    Re-exports WalletAPIClient
    Re-exports WalletAddress
    Re-exports WalletCreateOptions
    Re-exports WalletData
    Re-exports WalletStakeAPIClient
    Re-exports Webhook
    Re-exports WebhookApiClient
    Re-exports hashMessage
    Re-exports hashTypedDataMessage
    Re-exports isMnemonicSeedPhrase
    Re-exports isWalletData
    Re-exports readContract
    \ No newline at end of file +

    References

    Re-exports APIError
    Re-exports Address
    Re-exports AddressAPIClient
    Re-exports AddressReputationApiClient
    Re-exports AlreadyExistsError
    Re-exports AlreadySignedError
    Re-exports Amount
    Re-exports ApiClients
    Re-exports ArgumentError
    Re-exports Asset
    Re-exports AssetAPIClient
    Re-exports Balance
    Re-exports BalanceHistoryApiClient
    Re-exports BalanceMap
    Re-exports Coinbase
    Re-exports CoinbaseAuthenticator
    Re-exports CoinbaseConfigureFromJsonOptions
    Re-exports CoinbaseOptions
    Re-exports ContractEvent
    Re-exports ContractInvocation
    Re-exports ContractInvocationAPIClient
    Re-exports CreateContractInvocationOptions
    Re-exports CreateCustomContractOptions
    Re-exports CreateERC1155Options
    Re-exports CreateERC20Options
    Re-exports CreateERC721Options
    Re-exports CreateFundOptions
    Re-exports CreateQuoteOptions
    Re-exports CreateTradeOptions
    Re-exports CreateTransferOptions
    Re-exports CreateWebhookOptions
    Re-exports CryptoAmount
    Re-exports Destination
    Re-exports ExternalAddress
    Re-exports ExternalAddressAPIClient
    Re-exports ExternalSmartContractAPIClient
    Re-exports FaucetLimitReachedError
    Re-exports FaucetTransaction
    Re-exports FiatAmount
    Re-exports FundOperation
    Re-exports FundOperationApiClient
    Re-exports FundOperationStatus
    Re-exports FundQuote
    Re-exports GWEI_DECIMALS
    Re-exports HistoricalBalance
    Re-exports InternalError
    Re-exports InvalidAPIKeyFormatError
    Re-exports InvalidAddressError
    Re-exports InvalidAddressIDError
    Re-exports InvalidAmountError
    Re-exports InvalidAssetIDError
    Re-exports InvalidConfigurationError
    Re-exports InvalidDestinationError
    Re-exports InvalidLimitError
    Re-exports InvalidNetworkIDError
    Re-exports InvalidPageError
    Re-exports InvalidSignedPayloadError
    Re-exports InvalidTransferIDError
    Re-exports InvalidTransferStatusError
    Re-exports InvalidUnsignedPayloadError
    Re-exports InvalidWalletError
    Re-exports InvalidWalletIDError
    Re-exports ListHistoricalBalancesOptions
    Re-exports ListHistoricalBalancesResult
    Re-exports ListTransactionsOptions
    Re-exports ListTransactionsResult
    Re-exports MalformedRequestError
    Re-exports MnemonicSeedPhrase
    Re-exports MultiTokenContractOptions
    Re-exports NFTContractOptions
    Re-exports NetworkFeatureUnsupportedError
    Re-exports NotFoundError
    Re-exports NotSignedError
    Re-exports PaginationOptions
    Re-exports PaginationResponse
    Re-exports PayloadSignature
    Re-exports PayloadSignatureStatus
    Re-exports RegisterContractOptions
    Re-exports ResourceExhaustedError
    Re-exports SeedData
    Re-exports ServerSigner
    Re-exports ServerSignerAPIClient
    Re-exports ServerSignerStatus
    Re-exports SmartContract
    Re-exports SmartContractAPIClient
    Re-exports SmartContractOptions
    Re-exports SmartContractType
    Re-exports SponsoredSendStatus
    Re-exports StakeAPIClient
    Re-exports StakeOptionsMode
    Re-exports StakingBalance
    Re-exports StakingOperation
    Re-exports StakingReward
    Re-exports StakingRewardFormat
    Re-exports TimeoutError
    Re-exports TokenContractOptions
    Re-exports Trade
    Re-exports TradeApiClients
    Re-exports Transaction
    Re-exports TransactionHistoryApiClient
    Re-exports TransactionStatus
    Re-exports Transfer
    Re-exports TransferAPIClient
    Re-exports TransferStatus
    Re-exports TypedDataDomain
    Re-exports TypedDataField
    Re-exports UnauthorizedError
    Re-exports UnimplementedError
    Re-exports UnsupportedAssetError
    Re-exports UpdateContractOptions
    Re-exports UpdateWebhookOptions
    Re-exports Validator
    Re-exports ValidatorStatus
    Re-exports Wallet
    Re-exports WalletAPIClient
    Re-exports WalletAddress
    Re-exports WalletCreateOptions
    Re-exports WalletData
    Re-exports WalletStakeAPIClient
    Re-exports Webhook
    Re-exports WebhookApiClient
    Re-exports hashMessage
    Re-exports hashTypedDataMessage
    Re-exports isMnemonicSeedPhrase
    Re-exports isWalletData
    Re-exports readContract
    \ No newline at end of file diff --git a/docs/modules/run_wallet.html b/docs/modules/run_wallet.html deleted file mode 100644 index 6e7d8384..00000000 --- a/docs/modules/run_wallet.html +++ /dev/null @@ -1 +0,0 @@ -run_wallet | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/types/client_api.FundOperationStatusEnum.html b/docs/types/client_api.FundOperationStatusEnum.html index 5412b6d6..0e22911c 100644 --- a/docs/types/client_api.FundOperationStatusEnum.html +++ b/docs/types/client_api.FundOperationStatusEnum.html @@ -1 +1 @@ -FundOperationStatusEnum | @coinbase/coinbase-sdk
    FundOperationStatusEnum: typeof FundOperationStatusEnum[keyof typeof FundOperationStatusEnum]
    \ No newline at end of file +FundOperationStatusEnum | @coinbase/coinbase-sdk
    FundOperationStatusEnum: typeof FundOperationStatusEnum[keyof typeof FundOperationStatusEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.NetworkProtocolFamilyEnum.html b/docs/types/client_api.NetworkProtocolFamilyEnum.html index 79afd15a..190ea22d 100644 --- a/docs/types/client_api.NetworkProtocolFamilyEnum.html +++ b/docs/types/client_api.NetworkProtocolFamilyEnum.html @@ -1 +1 @@ -NetworkProtocolFamilyEnum | @coinbase/coinbase-sdk
    NetworkProtocolFamilyEnum: typeof NetworkProtocolFamilyEnum[keyof typeof NetworkProtocolFamilyEnum]
    \ No newline at end of file +NetworkProtocolFamilyEnum | @coinbase/coinbase-sdk
    NetworkProtocolFamilyEnum: typeof NetworkProtocolFamilyEnum[keyof typeof NetworkProtocolFamilyEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.PayloadSignatureStatusEnum.html b/docs/types/client_api.PayloadSignatureStatusEnum.html index 3cff52d1..00e56894 100644 --- a/docs/types/client_api.PayloadSignatureStatusEnum.html +++ b/docs/types/client_api.PayloadSignatureStatusEnum.html @@ -1 +1 @@ -PayloadSignatureStatusEnum | @coinbase/coinbase-sdk
    PayloadSignatureStatusEnum: typeof PayloadSignatureStatusEnum[keyof typeof PayloadSignatureStatusEnum]
    \ No newline at end of file +PayloadSignatureStatusEnum | @coinbase/coinbase-sdk
    PayloadSignatureStatusEnum: typeof PayloadSignatureStatusEnum[keyof typeof PayloadSignatureStatusEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.ResolveIdentityByAddressRolesEnum.html b/docs/types/client_api.ResolveIdentityByAddressRolesEnum.html index 5f6dcd9a..4f885ea9 100644 --- a/docs/types/client_api.ResolveIdentityByAddressRolesEnum.html +++ b/docs/types/client_api.ResolveIdentityByAddressRolesEnum.html @@ -1 +1 @@ -ResolveIdentityByAddressRolesEnum | @coinbase/coinbase-sdk

    Type alias ResolveIdentityByAddressRolesEnum

    ResolveIdentityByAddressRolesEnum: typeof ResolveIdentityByAddressRolesEnum[keyof typeof ResolveIdentityByAddressRolesEnum]
    \ No newline at end of file +ResolveIdentityByAddressRolesEnum | @coinbase/coinbase-sdk

    Type alias ResolveIdentityByAddressRolesEnum

    ResolveIdentityByAddressRolesEnum: typeof ResolveIdentityByAddressRolesEnum[keyof typeof ResolveIdentityByAddressRolesEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.ServerSignerEventEvent.html b/docs/types/client_api.ServerSignerEventEvent.html index d6a00c46..ea10ea3b 100644 --- a/docs/types/client_api.ServerSignerEventEvent.html +++ b/docs/types/client_api.ServerSignerEventEvent.html @@ -1 +1 @@ -ServerSignerEventEvent | @coinbase/coinbase-sdk
    ServerSignerEventEvent: SeedCreationEvent | SignatureCreationEvent

    Export

    \ No newline at end of file +ServerSignerEventEvent | @coinbase/coinbase-sdk
    ServerSignerEventEvent: SeedCreationEvent | SignatureCreationEvent

    Export

    \ No newline at end of file diff --git a/docs/types/client_api.SmartContractOptions.html b/docs/types/client_api.SmartContractOptions.html index bbb4bac1..e8cb41e1 100644 --- a/docs/types/client_api.SmartContractOptions.html +++ b/docs/types/client_api.SmartContractOptions.html @@ -1 +1 @@ -SmartContractOptions | @coinbase/coinbase-sdk
    \ No newline at end of file +SmartContractOptions | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/types/client_api.SolidityValueTypeEnum.html b/docs/types/client_api.SolidityValueTypeEnum.html index 897b94d6..4d19de88 100644 --- a/docs/types/client_api.SolidityValueTypeEnum.html +++ b/docs/types/client_api.SolidityValueTypeEnum.html @@ -1 +1 @@ -SolidityValueTypeEnum | @coinbase/coinbase-sdk
    SolidityValueTypeEnum: typeof SolidityValueTypeEnum[keyof typeof SolidityValueTypeEnum]
    \ No newline at end of file +SolidityValueTypeEnum | @coinbase/coinbase-sdk
    SolidityValueTypeEnum: typeof SolidityValueTypeEnum[keyof typeof SolidityValueTypeEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.SponsoredSendStatusEnum.html b/docs/types/client_api.SponsoredSendStatusEnum.html index bd574063..bc47fb73 100644 --- a/docs/types/client_api.SponsoredSendStatusEnum.html +++ b/docs/types/client_api.SponsoredSendStatusEnum.html @@ -1 +1 @@ -SponsoredSendStatusEnum | @coinbase/coinbase-sdk
    SponsoredSendStatusEnum: typeof SponsoredSendStatusEnum[keyof typeof SponsoredSendStatusEnum]
    \ No newline at end of file +SponsoredSendStatusEnum | @coinbase/coinbase-sdk
    SponsoredSendStatusEnum: typeof SponsoredSendStatusEnum[keyof typeof SponsoredSendStatusEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.StakingOperationMetadata.html b/docs/types/client_api.StakingOperationMetadata.html index fc550f7e..567ade42 100644 --- a/docs/types/client_api.StakingOperationMetadata.html +++ b/docs/types/client_api.StakingOperationMetadata.html @@ -1 +1 @@ -StakingOperationMetadata | @coinbase/coinbase-sdk
    StakingOperationMetadata: SignedVoluntaryExitMessageMetadata[]

    Export

    \ No newline at end of file +StakingOperationMetadata | @coinbase/coinbase-sdk
    StakingOperationMetadata: SignedVoluntaryExitMessageMetadata[]

    Export

    \ No newline at end of file diff --git a/docs/types/client_api.StakingOperationStatusEnum.html b/docs/types/client_api.StakingOperationStatusEnum.html index d822f30a..34834e9e 100644 --- a/docs/types/client_api.StakingOperationStatusEnum.html +++ b/docs/types/client_api.StakingOperationStatusEnum.html @@ -1 +1 @@ -StakingOperationStatusEnum | @coinbase/coinbase-sdk
    StakingOperationStatusEnum: typeof StakingOperationStatusEnum[keyof typeof StakingOperationStatusEnum]
    \ No newline at end of file +StakingOperationStatusEnum | @coinbase/coinbase-sdk
    StakingOperationStatusEnum: typeof StakingOperationStatusEnum[keyof typeof StakingOperationStatusEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.StakingRewardStateEnum.html b/docs/types/client_api.StakingRewardStateEnum.html index f803a218..c696445d 100644 --- a/docs/types/client_api.StakingRewardStateEnum.html +++ b/docs/types/client_api.StakingRewardStateEnum.html @@ -1 +1 @@ -StakingRewardStateEnum | @coinbase/coinbase-sdk
    StakingRewardStateEnum: typeof StakingRewardStateEnum[keyof typeof StakingRewardStateEnum]
    \ No newline at end of file +StakingRewardStateEnum | @coinbase/coinbase-sdk
    StakingRewardStateEnum: typeof StakingRewardStateEnum[keyof typeof StakingRewardStateEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.TransactionContent.html b/docs/types/client_api.TransactionContent.html index 5a12e908..b5bd6a12 100644 --- a/docs/types/client_api.TransactionContent.html +++ b/docs/types/client_api.TransactionContent.html @@ -1 +1 @@ -TransactionContent | @coinbase/coinbase-sdk
    TransactionContent: EthereumTransaction

    Export

    \ No newline at end of file +TransactionContent | @coinbase/coinbase-sdk
    TransactionContent: EthereumTransaction

    Export

    \ No newline at end of file diff --git a/docs/types/client_api.TransactionStatusEnum.html b/docs/types/client_api.TransactionStatusEnum.html index 4744adc9..8f9bfe00 100644 --- a/docs/types/client_api.TransactionStatusEnum.html +++ b/docs/types/client_api.TransactionStatusEnum.html @@ -1 +1 @@ -TransactionStatusEnum | @coinbase/coinbase-sdk
    TransactionStatusEnum: typeof TransactionStatusEnum[keyof typeof TransactionStatusEnum]
    \ No newline at end of file +TransactionStatusEnum | @coinbase/coinbase-sdk
    TransactionStatusEnum: typeof TransactionStatusEnum[keyof typeof TransactionStatusEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.ValidatorDetails.html b/docs/types/client_api.ValidatorDetails.html index de79d964..53dfa5f1 100644 --- a/docs/types/client_api.ValidatorDetails.html +++ b/docs/types/client_api.ValidatorDetails.html @@ -1 +1 @@ -ValidatorDetails | @coinbase/coinbase-sdk
    \ No newline at end of file +ValidatorDetails | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/types/client_api.WalletServerSignerStatusEnum.html b/docs/types/client_api.WalletServerSignerStatusEnum.html index c770acaf..2f8f86ef 100644 --- a/docs/types/client_api.WalletServerSignerStatusEnum.html +++ b/docs/types/client_api.WalletServerSignerStatusEnum.html @@ -1 +1 @@ -WalletServerSignerStatusEnum | @coinbase/coinbase-sdk
    WalletServerSignerStatusEnum: typeof WalletServerSignerStatusEnum[keyof typeof WalletServerSignerStatusEnum]
    \ No newline at end of file +WalletServerSignerStatusEnum | @coinbase/coinbase-sdk
    WalletServerSignerStatusEnum: typeof WalletServerSignerStatusEnum[keyof typeof WalletServerSignerStatusEnum]
    \ No newline at end of file diff --git a/docs/types/client_api.WebhookEventTypeFilter.html b/docs/types/client_api.WebhookEventTypeFilter.html index 4a19f79a..28c85d15 100644 --- a/docs/types/client_api.WebhookEventTypeFilter.html +++ b/docs/types/client_api.WebhookEventTypeFilter.html @@ -1 +1 @@ -WebhookEventTypeFilter | @coinbase/coinbase-sdk
    \ No newline at end of file +WebhookEventTypeFilter | @coinbase/coinbase-sdk
    \ No newline at end of file diff --git a/docs/types/coinbase_types.AddressAPIClient.html b/docs/types/coinbase_types.AddressAPIClient.html index 358e10c5..2ed36467 100644 --- a/docs/types/coinbase_types.AddressAPIClient.html +++ b/docs/types/coinbase_types.AddressAPIClient.html @@ -4,42 +4,42 @@
  • Optional createAddressRequest: CreateAddressRequest

    The address creation request.

  • Optional options: AxiosRequestConfig<any>

    Axios request options.

  • Returns AxiosPromise<Address>

    Throws

    If the request fails.

    -
  • createPayloadSignature:function
  • createPayloadSignature:function
    • Create a new payload signature with an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressid: string
      • Optional createPayloadSignatureRequest: CreatePayloadSignatureRequest
      • Optional options: AxiosRequestConfig<any>

        Axios request options.

      Returns AxiosPromise<PayloadSignature>

      Throws

      If the request fails.

      -
  • getAddress:function
  • getAddress:function
    • Get address by onchain address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

      Returns AxiosPromise<Address>

      Throws

      If the request fails.

      -
  • getAddressBalance:function
  • getAddressBalance:function
    • Get address balance

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balance for.

      • addressId: string

        The onchain address of the address that is being fetched.

      • assetId: string

        The symbol of the asset to fetch the balance for.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

        -

      Returns AxiosPromise<Balance>

      Throws

  • getPayloadSignature:function
    • Get payload signature by the specified payload signature ID.

      +
  • Returns AxiosPromise<Balance>

    Throws

  • getPayloadSignature:function
    • Get payload signature by the specified payload signature ID.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressid: string
      • payloadSignatureId: string

        The ID of the payload signature to fetch.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

      Returns AxiosPromise<PayloadSignature>

      Throws

      If the request fails.

      -
  • listAddressBalances:function
  • listAddressBalances:function
    • Lists address balances

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balances for.

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Do not include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: AxiosRequestConfig<any>

        Override http request option.

        -

      Returns AxiosPromise<AddressBalanceList>

      Throws

  • listAddresses:function
    • Lists addresses.

      +
  • Returns AxiosPromise<AddressBalanceList>

    Throws

  • listAddresses:function
    • Lists addresses.

      Parameters

      • walletId: string

        The ID of the wallet the addresses belong to.

      • Optional limit: number

        The maximum number of addresses to return.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Do not include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: AxiosRequestConfig<any>

        Override http request option.

      Returns AxiosPromise<AddressList>

      Throws

      If the request fails.

      -
  • listPayloadSignatures:function
  • listPayloadSignatures:function
    • List payload signatures for the specified address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressid: string
      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don't include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

      Returns AxiosPromise<PayloadSignatureList>

      Throws

      If the request fails.

      -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.Amount.html b/docs/types/coinbase_types.Amount.html index 46f5d343..88b5c1c7 100644 --- a/docs/types/coinbase_types.Amount.html +++ b/docs/types/coinbase_types.Amount.html @@ -1,2 +1,2 @@ Amount | @coinbase/coinbase-sdk
    Amount: number | bigint | Decimal

    Amount type definition.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.ApiClients.html b/docs/types/coinbase_types.ApiClients.html index 37b52ef4..90a2ded9 100644 --- a/docs/types/coinbase_types.ApiClients.html +++ b/docs/types/coinbase_types.ApiClients.html @@ -1,3 +1,3 @@ ApiClients | @coinbase/coinbase-sdk
    ApiClients: {
        address?: AddressAPIClient;
        addressReputation?: AddressReputationApiClient;
        asset?: AssetAPIClient;
        balanceHistory?: BalanceHistoryApiClient;
        contractEvent?: ExternalSmartContractAPIClient;
        contractInvocation?: ContractInvocationAPIClient;
        externalAddress?: ExternalAddressAPIClient;
        fund?: FundOperationApiClient;
        serverSigner?: ServerSignerAPIClient;
        smartContract?: SmartContractAPIClient;
        stake?: StakeAPIClient;
        trade?: TradeApiClients;
        transactionHistory?: TransactionHistoryApiClient;
        transfer?: TransferAPIClient;
        wallet?: WalletAPIClient;
        walletStake?: WalletStakeAPIClient;
        webhook?: WebhookApiClient;
    }

    API clients type definition for the Coinbase SDK. Represents the set of API clients available in the SDK.

    -

    Type declaration

    \ No newline at end of file +

    Type declaration

    \ No newline at end of file diff --git a/docs/types/coinbase_types.AssetAPIClient.html b/docs/types/coinbase_types.AssetAPIClient.html index ab52e424..1c080efd 100644 --- a/docs/types/coinbase_types.AssetAPIClient.html +++ b/docs/types/coinbase_types.AssetAPIClient.html @@ -4,4 +4,4 @@
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Asset>

    Summary

    Get the asset for the specified asset ID.

    Throws

    If the required parameter is not provided.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CoinbaseConfigureFromJsonOptions.html b/docs/types/coinbase_types.CoinbaseConfigureFromJsonOptions.html index 8993462a..5fdc649e 100644 --- a/docs/types/coinbase_types.CoinbaseConfigureFromJsonOptions.html +++ b/docs/types/coinbase_types.CoinbaseConfigureFromJsonOptions.html @@ -5,4 +5,4 @@
  • Optional source?: string

    The source for the API request, used for analytics. Defaults to sdk.

  • Optional sourceVersion?: string

    The version of the source for the API request, used for analytics.

  • Optional useServerSigner?: boolean

    Whether to use a Server-Signer or not.

    -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CoinbaseOptions.html b/docs/types/coinbase_types.CoinbaseOptions.html index 0c36fd56..7c114197 100644 --- a/docs/types/coinbase_types.CoinbaseOptions.html +++ b/docs/types/coinbase_types.CoinbaseOptions.html @@ -7,4 +7,4 @@
  • Optional source?: string

    The source for the API request, used for analytics. Defaults to sdk.

  • Optional sourceVersion?: string

    The version of the source for the API request, used for analytics.

  • Optional useServerSigner?: boolean

    Whether to use a Server-Signer or not.

    -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.ContractInvocationAPIClient.html b/docs/types/coinbase_types.ContractInvocationAPIClient.html index 4ef2368d..8efe421a 100644 --- a/docs/types/coinbase_types.ContractInvocationAPIClient.html +++ b/docs/types/coinbase_types.ContractInvocationAPIClient.html @@ -9,7 +9,7 @@
  • A promise resolving to the ContractInvocation model.
  • Throws

    If the request fails.

    -
  • createContractInvocation:function
  • createContractInvocation:function
    • Creates a Contract Invocation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the contract invocation belongs to.

      • createContractInvocationRequest: CreateContractInvocationRequest

        The request body.

        @@ -18,7 +18,7 @@
      • A promise resolving to the ContractInvocation model.

      Throws

      If the request fails.

      -
  • getContractInvocation:function
  • getContractInvocation:function
    • Retrieves a Contract Invocation.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the contract invocation belongs to.

      • contractInvocationId: string

        The ID of the contract invocation to retrieve.

        @@ -27,7 +27,7 @@
      • A promise resolving to the ContractInvocation model.

      Throws

      If the request fails.

      -
  • listContractInvocations:function
  • listContractInvocations:function
    • Lists Contract Invocations.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the contract invocations belong to.

      • Optional limit: number

        The maximum number of contract invocations to return.

        @@ -37,4 +37,4 @@
      • A promise resolving to the ContractInvocation list.

      Throws

      If the request fails.

      -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateContractInvocationOptions.html b/docs/types/coinbase_types.CreateContractInvocationOptions.html index 1ea84243..ff64ebc1 100644 --- a/docs/types/coinbase_types.CreateContractInvocationOptions.html +++ b/docs/types/coinbase_types.CreateContractInvocationOptions.html @@ -1,2 +1,2 @@ CreateContractInvocationOptions | @coinbase/coinbase-sdk
    CreateContractInvocationOptions: {
        abi?: object;
        amount?: Amount;
        args: object;
        assetId?: string;
        contractAddress: string;
        method: string;
    }

    Options for creating a Contract Invocation.

    -

    Type declaration

    • Optional abi?: object
    • Optional amount?: Amount
    • args: object
    • Optional assetId?: string
    • contractAddress: string
    • method: string
    \ No newline at end of file +

    Type declaration

    • Optional abi?: object
    • Optional amount?: Amount
    • args: object
    • Optional assetId?: string
    • contractAddress: string
    • method: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateCustomContractOptions.html b/docs/types/coinbase_types.CreateCustomContractOptions.html new file mode 100644 index 00000000..442dd1c5 --- /dev/null +++ b/docs/types/coinbase_types.CreateCustomContractOptions.html @@ -0,0 +1,6 @@ +CreateCustomContractOptions | @coinbase/coinbase-sdk
    CreateCustomContractOptions: {
        constructorArgs: Record<string, any>;
        contractName: string;
        solidityInputJson: string;
        solidityVersion: string;
    }

    Options for creating an arbitrary contract.

    +

    Type declaration

    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateERC1155Options.html b/docs/types/coinbase_types.CreateERC1155Options.html index 77ff5ea7..c005691f 100644 --- a/docs/types/coinbase_types.CreateERC1155Options.html +++ b/docs/types/coinbase_types.CreateERC1155Options.html @@ -1,2 +1,2 @@ CreateERC1155Options | @coinbase/coinbase-sdk
    CreateERC1155Options: {
        uri: string;
    }

    Options for creating a ERC1155.

    -

    Type declaration

    • uri: string
    \ No newline at end of file +

    Type declaration

    • uri: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateERC20Options.html b/docs/types/coinbase_types.CreateERC20Options.html index e409a787..cfcd5893 100644 --- a/docs/types/coinbase_types.CreateERC20Options.html +++ b/docs/types/coinbase_types.CreateERC20Options.html @@ -1,2 +1,2 @@ CreateERC20Options | @coinbase/coinbase-sdk
    CreateERC20Options: {
        name: string;
        symbol: string;
        totalSupply: Amount;
    }

    Options for creating a ERC20.

    -

    Type declaration

    • name: string
    • symbol: string
    • totalSupply: Amount
    \ No newline at end of file +

    Type declaration

    • name: string
    • symbol: string
    • totalSupply: Amount
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateERC721Options.html b/docs/types/coinbase_types.CreateERC721Options.html index b537f494..9dc94bb2 100644 --- a/docs/types/coinbase_types.CreateERC721Options.html +++ b/docs/types/coinbase_types.CreateERC721Options.html @@ -1,2 +1,2 @@ CreateERC721Options | @coinbase/coinbase-sdk
    CreateERC721Options: {
        baseURI: string;
        name: string;
        symbol: string;
    }

    Options for creating a ERC721.

    -

    Type declaration

    • baseURI: string
    • name: string
    • symbol: string
    \ No newline at end of file +

    Type declaration

    • baseURI: string
    • name: string
    • symbol: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateFundOptions.html b/docs/types/coinbase_types.CreateFundOptions.html index 94a3b363..4fee0f4a 100644 --- a/docs/types/coinbase_types.CreateFundOptions.html +++ b/docs/types/coinbase_types.CreateFundOptions.html @@ -1,2 +1,2 @@ CreateFundOptions | @coinbase/coinbase-sdk
    CreateFundOptions: {
        amount: Amount;
        assetId: string;
    }

    Options for creating a fund operation.

    -

    Type declaration

    \ No newline at end of file +

    Type declaration

    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateQuoteOptions.html b/docs/types/coinbase_types.CreateQuoteOptions.html index 169a6264..fbb8c86f 100644 --- a/docs/types/coinbase_types.CreateQuoteOptions.html +++ b/docs/types/coinbase_types.CreateQuoteOptions.html @@ -1,2 +1,2 @@ CreateQuoteOptions | @coinbase/coinbase-sdk
    CreateQuoteOptions: CreateFundOptions

    Options for creating a quote for a fund operation.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateTradeOptions.html b/docs/types/coinbase_types.CreateTradeOptions.html index 75cb7c64..0bcc9d1e 100644 --- a/docs/types/coinbase_types.CreateTradeOptions.html +++ b/docs/types/coinbase_types.CreateTradeOptions.html @@ -1,2 +1,2 @@ CreateTradeOptions | @coinbase/coinbase-sdk
    CreateTradeOptions: {
        amount: Amount;
        fromAssetId: string;
        toAssetId: string;
    }

    Options for creating a Trade.

    -

    Type declaration

    • amount: Amount
    • fromAssetId: string
    • toAssetId: string
    \ No newline at end of file +

    Type declaration

    • amount: Amount
    • fromAssetId: string
    • toAssetId: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateTransferOptions.html b/docs/types/coinbase_types.CreateTransferOptions.html index b9d77d10..fa2ec884 100644 --- a/docs/types/coinbase_types.CreateTransferOptions.html +++ b/docs/types/coinbase_types.CreateTransferOptions.html @@ -1,2 +1,2 @@ CreateTransferOptions | @coinbase/coinbase-sdk
    CreateTransferOptions: {
        amount: Amount;
        assetId: string;
        destination: Destination;
        gasless?: boolean;
        skipBatching?: boolean;
    }

    Options for creating a Transfer.

    -

    Type declaration

    • amount: Amount
    • assetId: string
    • destination: Destination
    • Optional gasless?: boolean
    • Optional skipBatching?: boolean
    \ No newline at end of file +

    Type declaration

    • amount: Amount
    • assetId: string
    • destination: Destination
    • Optional gasless?: boolean
    • Optional skipBatching?: boolean
    \ No newline at end of file diff --git a/docs/types/coinbase_types.CreateWebhookOptions.html b/docs/types/coinbase_types.CreateWebhookOptions.html index b22f215f..6b6d0b7c 100644 --- a/docs/types/coinbase_types.CreateWebhookOptions.html +++ b/docs/types/coinbase_types.CreateWebhookOptions.html @@ -1,2 +1,2 @@ CreateWebhookOptions | @coinbase/coinbase-sdk
    CreateWebhookOptions: {
        eventFilters?: WebhookEventFilter[];
        eventType: WebhookEventType;
        eventTypeFilter?: WebhookEventTypeFilter;
        networkId: string;
        notificationUri: string;
        signatureHeader?: string;
    }

    Options for creating a Webhook.

    -

    Type declaration

    \ No newline at end of file +

    Type declaration

    \ No newline at end of file diff --git a/docs/types/coinbase_types.Destination.html b/docs/types/coinbase_types.Destination.html index 92298f15..990ee4e5 100644 --- a/docs/types/coinbase_types.Destination.html +++ b/docs/types/coinbase_types.Destination.html @@ -1,2 +1,2 @@ Destination | @coinbase/coinbase-sdk
    Destination: string | Address | Wallet

    Destination type definition.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.ExternalAddressAPIClient.html b/docs/types/coinbase_types.ExternalAddressAPIClient.html index 1b8ca097..a48b3f5b 100644 --- a/docs/types/coinbase_types.ExternalAddressAPIClient.html +++ b/docs/types/coinbase_types.ExternalAddressAPIClient.html @@ -5,24 +5,24 @@
  • assetId: string

    The ID of the asset to fetch the balance for

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Balance>

    Throws

    If the request fails.

    -
  • getFaucetTransaction:function
  • getFaucetTransaction:function
    • Get the faucet transaction for an external address.

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The onchain address of the address that is being fetched.

      • transactionHash: string

        The transaction hash of the faucet transaction.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FaucetTransaction>

      The faucet transaction.

      Throws

      If the request fails.

      -
  • listExternalAddressBalances:function
  • listExternalAddressBalances:function
    • List all of the balances of an external address

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address to fetch the balance for

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don't include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressBalanceList>

      Throws

      If the request fails.

      -
  • requestExternalFaucetFunds:function
  • requestExternalFaucetFunds:function
    • Request faucet funds to be sent to external address.

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The onchain address of the address that is being fetched.

      • Optional assetId: string

        The Optional ID of the asset to request funds for. Defaults to native asset.

      • Optional skipWait: boolean

        The Optional flag to skip waiting for the transaction to be mined. Defaults to false.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<FaucetTransaction>

      Throws

      If the request fails.

      -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.ExternalSmartContractAPIClient.html b/docs/types/coinbase_types.ExternalSmartContractAPIClient.html index e2bd8f8f..86da43e6 100644 --- a/docs/types/coinbase_types.ExternalSmartContractAPIClient.html +++ b/docs/types/coinbase_types.ExternalSmartContractAPIClient.html @@ -9,4 +9,4 @@
  • toBlockHeight: number

    Upper bound of the block range to query (inclusive)

  • Optional nextPage: string

    Pagination token for retrieving the next set of results

  • Returns AxiosPromise<ContractEventList>

    Throws

    If the request fails.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.ListHistoricalBalancesOptions.html b/docs/types/coinbase_types.ListHistoricalBalancesOptions.html index 258c7429..1afd7c5b 100644 --- a/docs/types/coinbase_types.ListHistoricalBalancesOptions.html +++ b/docs/types/coinbase_types.ListHistoricalBalancesOptions.html @@ -1,2 +1,2 @@ ListHistoricalBalancesOptions | @coinbase/coinbase-sdk
    ListHistoricalBalancesOptions: {
        assetId: string;
        limit?: number;
        page?: string;
    }

    Options for listing historical balances of an address.

    -

    Type declaration

    • assetId: string
    • Optional limit?: number
    • Optional page?: string
    \ No newline at end of file +

    Type declaration

    • assetId: string
    • Optional limit?: number
    • Optional page?: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.ListHistoricalBalancesResult.html b/docs/types/coinbase_types.ListHistoricalBalancesResult.html index a0c862f8..e05c9d88 100644 --- a/docs/types/coinbase_types.ListHistoricalBalancesResult.html +++ b/docs/types/coinbase_types.ListHistoricalBalancesResult.html @@ -1,2 +1,2 @@ ListHistoricalBalancesResult | @coinbase/coinbase-sdk
    ListHistoricalBalancesResult: {
        historicalBalances: HistoricalBalance[];
        nextPageToken: string;
    }

    Result of ListHistoricalBalances.

    -

    Type declaration

    \ No newline at end of file +

    Type declaration

    \ No newline at end of file diff --git a/docs/types/coinbase_types.ListTransactionsOptions.html b/docs/types/coinbase_types.ListTransactionsOptions.html index 052a6761..d8edad96 100644 --- a/docs/types/coinbase_types.ListTransactionsOptions.html +++ b/docs/types/coinbase_types.ListTransactionsOptions.html @@ -1,2 +1,2 @@ ListTransactionsOptions | @coinbase/coinbase-sdk
    ListTransactionsOptions: {
        limit?: number;
        page?: string;
    }

    Options for listing transactions of an address.

    -

    Type declaration

    • Optional limit?: number
    • Optional page?: string
    \ No newline at end of file +

    Type declaration

    • Optional limit?: number
    • Optional page?: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.ListTransactionsResult.html b/docs/types/coinbase_types.ListTransactionsResult.html index 889bf1ed..6c649097 100644 --- a/docs/types/coinbase_types.ListTransactionsResult.html +++ b/docs/types/coinbase_types.ListTransactionsResult.html @@ -1,2 +1,2 @@ ListTransactionsResult | @coinbase/coinbase-sdk
    ListTransactionsResult: {
        nextPageToken: string;
        transactions: Transaction[];
    }

    Result of ListTransactions.

    -

    Type declaration

    \ No newline at end of file +

    Type declaration

    \ No newline at end of file diff --git a/docs/types/coinbase_types.MultiTokenContractOptions.html b/docs/types/coinbase_types.MultiTokenContractOptions.html index 0e5c1afc..55d1e75c 100644 --- a/docs/types/coinbase_types.MultiTokenContractOptions.html +++ b/docs/types/coinbase_types.MultiTokenContractOptions.html @@ -1,2 +1,2 @@ MultiTokenContractOptions | @coinbase/coinbase-sdk
    MultiTokenContractOptions: {
        uri: string;
    }

    Multi-Token Contract Options

    -

    Type declaration

    • uri: string
    \ No newline at end of file +

    Type declaration

    • uri: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.NFTContractOptions.html b/docs/types/coinbase_types.NFTContractOptions.html index d553cb78..d8c3f3ce 100644 --- a/docs/types/coinbase_types.NFTContractOptions.html +++ b/docs/types/coinbase_types.NFTContractOptions.html @@ -1,2 +1,2 @@ NFTContractOptions | @coinbase/coinbase-sdk
    NFTContractOptions: {
        baseURI: string;
        name: string;
        symbol: string;
    }

    NFT Contract Options

    -

    Type declaration

    • baseURI: string
    • name: string
    • symbol: string
    \ No newline at end of file +

    Type declaration

    • baseURI: string
    • name: string
    • symbol: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.PaginationOptions.html b/docs/types/coinbase_types.PaginationOptions.html index da71fa46..a988c7c7 100644 --- a/docs/types/coinbase_types.PaginationOptions.html +++ b/docs/types/coinbase_types.PaginationOptions.html @@ -1,2 +1,2 @@ PaginationOptions | @coinbase/coinbase-sdk
    PaginationOptions: {
        limit?: number;
        page?: string;
    }

    Options for pagination on list methods.

    -

    Type declaration

    • Optional limit?: number
    • Optional page?: string
    \ No newline at end of file +

    Type declaration

    • Optional limit?: number
    • Optional page?: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.RegisterContractOptions.html b/docs/types/coinbase_types.RegisterContractOptions.html index c55dc30a..81868ce8 100644 --- a/docs/types/coinbase_types.RegisterContractOptions.html +++ b/docs/types/coinbase_types.RegisterContractOptions.html @@ -1,2 +1,2 @@ RegisterContractOptions | @coinbase/coinbase-sdk
    RegisterContractOptions: {
        abi: object;
        contractAddress: string;
        contractName?: string;
        networkId: string;
    }

    Options for registering a smart contract.

    -

    Type declaration

    • abi: object
    • contractAddress: string
    • Optional contractName?: string
    • networkId: string
    \ No newline at end of file +

    Type declaration

    • abi: object
    • contractAddress: string
    • Optional contractName?: string
    • networkId: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.SeedData.html b/docs/types/coinbase_types.SeedData.html index 9657ecd3..465a84a6 100644 --- a/docs/types/coinbase_types.SeedData.html +++ b/docs/types/coinbase_types.SeedData.html @@ -1,2 +1,2 @@ SeedData | @coinbase/coinbase-sdk
    SeedData: {
        authTag: string;
        encrypted: boolean;
        iv: string;
        networkId: string;
        seed: string;
    }

    The Seed Data type definition.

    -

    Type declaration

    • authTag: string
    • encrypted: boolean
    • iv: string
    • networkId: string
    • seed: string
    \ No newline at end of file +

    Type declaration

    • authTag: string
    • encrypted: boolean
    • iv: string
    • networkId: string
    • seed: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.ServerSignerAPIClient.html b/docs/types/coinbase_types.ServerSignerAPIClient.html index ca2825dd..dc5e9c33 100644 --- a/docs/types/coinbase_types.ServerSignerAPIClient.html +++ b/docs/types/coinbase_types.ServerSignerAPIClient.html @@ -7,4 +7,4 @@
  • A promise resolving to the Server-Signer list.
  • Throws

    If the request fails.

    -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.SmartContractOptions.html b/docs/types/coinbase_types.SmartContractOptions.html index 51aa6cf5..616ccad3 100644 --- a/docs/types/coinbase_types.SmartContractOptions.html +++ b/docs/types/coinbase_types.SmartContractOptions.html @@ -1,2 +1,2 @@ -SmartContractOptions | @coinbase/coinbase-sdk
    \ No newline at end of file +SmartContractOptions | @coinbase/coinbase-sdk

    Smart Contract Options

    +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.StakeAPIClient.html b/docs/types/coinbase_types.StakeAPIClient.html index 1010be93..c2323ef1 100644 --- a/docs/types/coinbase_types.StakeAPIClient.html +++ b/docs/types/coinbase_types.StakeAPIClient.html @@ -2,7 +2,7 @@

    Parameters

    • buildStakingOperationRequest: BuildStakingOperationRequest

      The request to build a staking operation.

    • Optional options: AxiosRequestConfig<any>

      Axios request options.

    Returns AxiosPromise<StakingOperation>

    Throws

    If the request fails.

    -
  • fetchHistoricalStakingBalances:function
  • fetchHistoricalStakingBalances:function
    • Get the staking balances for an address.

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • assetId: string

        The ID of the asset to fetch the staking balances for.

      • addressId: string

        The onchain address to fetch the staking balances for.

        @@ -11,31 +11,31 @@
      • Optional limit: number

        The amount of records to return in a single call.

      • Optional page: string

        The batch of records for a given section in the response.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

        -

      Returns AxiosPromise<FetchHistoricalStakingBalances200Response>

  • fetchStakingRewards:function
    • Get the staking rewards for an address.

      +
  • Returns AxiosPromise<FetchHistoricalStakingBalances200Response>

  • fetchStakingRewards:function
    • Get the staking rewards for an address.

      Parameters

      • fetchStakingRewardsRequest: FetchStakingRewardsRequest

        The request to get the staking rewards for an address.

      • Optional limit: number

        The amount of records to return in a single call.

      • Optional page: string

        The batch of records for a given section in the response.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

        -

      Returns AxiosPromise<FetchStakingRewards200Response>

  • getExternalStakingOperation:function
    • Get a staking operation.

      +
  • Returns AxiosPromise<FetchStakingRewards200Response>

  • getExternalStakingOperation:function
    • Get a staking operation.

      Parameters

      • networkId: string

        The ID of the blockchain network

      • addressId: string

        The ID of the address the staking operation corresponds to.

      • stakingOperationID: string

        The ID of the staking operation to fetch.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

      Returns AxiosPromise<StakingOperation>

      Throws

      If the request fails.

      -
  • getStakingContext:function
  • getStakingContext:function
    • Get staking context for an address.

      Parameters

      • getStakingContextRequest: GetStakingContextRequest

        The request to get the staking context for an address.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

      Returns AxiosPromise<StakingContext>

      Throws

      If the request fails.

      -
  • getValidator:function
  • getValidator:function
    • Get the validator for a given network, asset, and address.

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • assetId: string

        The ID of the asset to fetch the validator for.

      • id: string

        The unique publicly identifiable id of the validator for which to fetch the data.

      • Optional options: RawAxiosRequestConfig

        Axios request options.

        -

      Returns AxiosPromise<Validator>

  • listValidators:function
    • List the validators for a given network and asset.

      +
  • Returns AxiosPromise<Validator>

  • listValidators:function
    • List the validators for a given network and asset.

      Parameters

      • networkId: string

        The ID of the blockchain network.

      • assetId: string

        The ID of the asset to fetch the validator for.

      • Optional status: ValidatorStatus

        The status to filter by.

      • Optional limit: number

        The amount of records to return in a single call.

      • Optional page: string

        The batch of records for a given section in the response.

      • Optional options: AxiosRequestConfig<any>

        Axios request options.

        -

      Returns AxiosPromise<ValidatorList>

  • \ No newline at end of file +

    Returns AxiosPromise<ValidatorList>

    \ No newline at end of file diff --git a/docs/types/coinbase_types.TokenContractOptions.html b/docs/types/coinbase_types.TokenContractOptions.html index 300efe36..bd67758b 100644 --- a/docs/types/coinbase_types.TokenContractOptions.html +++ b/docs/types/coinbase_types.TokenContractOptions.html @@ -1,2 +1,2 @@ TokenContractOptions | @coinbase/coinbase-sdk
    TokenContractOptions: {
        name: string;
        symbol: string;
        totalSupply: string;
    }

    Token Contract Options

    -

    Type declaration

    • name: string
    • symbol: string
    • totalSupply: string
    \ No newline at end of file +

    Type declaration

    • name: string
    • symbol: string
    • totalSupply: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.TradeApiClients.html b/docs/types/coinbase_types.TradeApiClients.html index 696712dd..411c9fd3 100644 --- a/docs/types/coinbase_types.TradeApiClients.html +++ b/docs/types/coinbase_types.TradeApiClients.html @@ -5,23 +5,23 @@
  • broadcastTradeRequest: BroadcastTradeRequest

    The request body.

  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Trade>

    Throws

    If the required parameter is not provided.

    -
  • createTrade:function
  • createTrade:function
    • Create a new trade.

      Parameters

      • walletId: string

        The ID of the wallet the source address belongs to.

      • addressId: string

        The ID of the address to conduct the trade from.

      • createTradeRequest: CreateTradeRequest

        The request body.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Trade>

      Throws

      If the required parameter is not provided.

      -
  • getTrade:function
  • getTrade:function
    • Get a trade by ID.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the trade belongs to.

      • tradeId: string

        The ID of the trade to fetch.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<Trade>

      Throws

      If the required parameter is not provided.

      -
  • listTrades:function
  • listTrades:function
    • List trades for an address.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address to list trades for.

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don't include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<TradeList>

      Throws

      If the required parameter is not provided.

      -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.TransferAPIClient.html b/docs/types/coinbase_types.TransferAPIClient.html index 99b4e9ad..33c3d901 100644 --- a/docs/types/coinbase_types.TransferAPIClient.html +++ b/docs/types/coinbase_types.TransferAPIClient.html @@ -9,7 +9,7 @@
  • A promise resolving to the Transfer model.
  • Throws

    If the request fails.

    -
  • createTransfer:function
  • createTransfer:function
    • Creates a Transfer.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the transfer belongs to.

      • createTransferRequest: CreateTransferRequest

        The request body.

        @@ -18,7 +18,7 @@
      • A promise resolving to the Transfer model.

      Throws

      If the request fails.

      -
  • getTransfer:function
  • getTransfer:function
    • Retrieves a Transfer.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the transfer belongs to.

      • transferId: string

        The ID of the transfer to retrieve.

        @@ -27,7 +27,7 @@
      • A promise resolving to the Transfer model.

      Throws

      If the request fails.

      -
  • listTransfers:function
  • listTransfers:function
    • Lists Transfers.

      Parameters

      • walletId: string

        The ID of the wallet the address belongs to.

      • addressId: string

        The ID of the address the transfers belong to.

      • Optional limit: number

        The maximum number of transfers to return.

        @@ -37,4 +37,4 @@
      • A promise resolving to the Transfer list.

      Throws

      If the request fails.

      -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.TypedDataDomain.html b/docs/types/coinbase_types.TypedDataDomain.html index ea1cde05..ab7bf13d 100644 --- a/docs/types/coinbase_types.TypedDataDomain.html +++ b/docs/types/coinbase_types.TypedDataDomain.html @@ -4,4 +4,4 @@
  • Optional salt?: string

    A salt used for purposes decided by the specific domain as a data hex string.

  • Optional verifyingContract?: string

    The the address of the contract that will verify the signature.

  • Optional version?: string

    The major version of the signing domain.

    -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.TypedDataField.html b/docs/types/coinbase_types.TypedDataField.html index db89cf9a..9eac0293 100644 --- a/docs/types/coinbase_types.TypedDataField.html +++ b/docs/types/coinbase_types.TypedDataField.html @@ -1,4 +1,4 @@ TypedDataField | @coinbase/coinbase-sdk
    TypedDataField: {
        name: string;
        type: string;
    }

    A specific field of a structured EIP-712 type.

    Type declaration

    • name: string

      The field name.

    • type: string

      The type of the field.

      -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.UpdateContractOptions.html b/docs/types/coinbase_types.UpdateContractOptions.html index 4dc78c72..0881ffd7 100644 --- a/docs/types/coinbase_types.UpdateContractOptions.html +++ b/docs/types/coinbase_types.UpdateContractOptions.html @@ -1,2 +1,2 @@ UpdateContractOptions | @coinbase/coinbase-sdk
    UpdateContractOptions: {
        abi?: object;
        contractName?: string;
    }

    Options for updating a smart contract.

    -

    Type declaration

    • Optional abi?: object
    • Optional contractName?: string
    \ No newline at end of file +

    Type declaration

    • Optional abi?: object
    • Optional contractName?: string
    \ No newline at end of file diff --git a/docs/types/coinbase_types.UpdateWebhookOptions.html b/docs/types/coinbase_types.UpdateWebhookOptions.html index 52a331b6..7fa756bd 100644 --- a/docs/types/coinbase_types.UpdateWebhookOptions.html +++ b/docs/types/coinbase_types.UpdateWebhookOptions.html @@ -1,2 +1,2 @@ UpdateWebhookOptions | @coinbase/coinbase-sdk
    UpdateWebhookOptions: {
        eventFilters?: WebhookEventFilter[];
        eventTypeFilter?: WebhookEventTypeFilter;
        notificationUri?: string;
    }

    Options for updating a Webhook.

    -

    Type declaration

    \ No newline at end of file +

    Type declaration

    \ No newline at end of file diff --git a/docs/types/coinbase_types.WalletAPIClient.html b/docs/types/coinbase_types.WalletAPIClient.html index 5b6865eb..61597d59 100644 --- a/docs/types/coinbase_types.WalletAPIClient.html +++ b/docs/types/coinbase_types.WalletAPIClient.html @@ -12,20 +12,20 @@
  • Optional options: RawAxiosRequestConfig

    Override http request option.

  • Returns AxiosPromise<Balance>

    Throws

    If the required parameter is not provided.

    Throws

    If the request fails.

    -
  • listWalletBalances:function
  • listWalletBalances:function
    • List the balances of all of the addresses in the wallet aggregated by asset.

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balances for.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressBalanceList>

      Throws

      If the required parameter is not provided.

      Throws

      If the request fails.

      -
    • List the balances of all of the addresses in the wallet aggregated by asset.

      +
    • List the balances of all of the addresses in the wallet aggregated by asset.

      Parameters

      • walletId: string

        The ID of the wallet to fetch the balances for.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<AddressBalanceList>

      Throws

      If the required parameter is not provided.

      Throws

      If the request fails.

      -
  • listWallets:function
  • listWallets:function
    • List wallets belonging to the user.

      Parameters

      • Optional limit: number

        A limit on the number of objects to be returned. Limit can range between 1 and 100, and the default is 10.

      • Optional page: string

        A cursor for pagination across multiple pages of results. Don't include this parameter on the first call. Use the next_page value returned in a previous response to request subsequent results.

      • Optional options: RawAxiosRequestConfig

        Override http request option.

      Returns AxiosPromise<WalletList>

      Throws

      If the request fails.

      Throws

      If the required parameter is not provided.

      -
  • \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/types/coinbase_types.WalletCreateOptions.html b/docs/types/coinbase_types.WalletCreateOptions.html index 95a43e00..7b268ced 100644 --- a/docs/types/coinbase_types.WalletCreateOptions.html +++ b/docs/types/coinbase_types.WalletCreateOptions.html @@ -1,2 +1,2 @@ WalletCreateOptions | @coinbase/coinbase-sdk
    WalletCreateOptions: {
        intervalSeconds?: number;
        networkId?: string;
        seed?: string;
        timeoutSeconds?: number;
    }

    Options for creating a Wallet.

    -

    Type declaration

    • Optional intervalSeconds?: number
    • Optional networkId?: string
    • Optional seed?: string
    • Optional timeoutSeconds?: number
    \ No newline at end of file +

    Type declaration

    • Optional intervalSeconds?: number
    • Optional networkId?: string
    • Optional seed?: string
    • Optional timeoutSeconds?: number
    \ No newline at end of file diff --git a/docs/types/coinbase_types.WalletStakeAPIClient.html b/docs/types/coinbase_types.WalletStakeAPIClient.html index 7c8a85d2..b6213c70 100644 --- a/docs/types/coinbase_types.WalletStakeAPIClient.html +++ b/docs/types/coinbase_types.WalletStakeAPIClient.html @@ -1 +1 @@ -WalletStakeAPIClient | @coinbase/coinbase-sdk
    WalletStakeAPIClient: {
        broadcastStakingOperation(walletId, addressId, stakingOperationId, broadcastStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        createStakingOperation(walletId, addressId, createStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        getStakingOperation(walletId, addressId, stakingOperationId, options?): AxiosPromise<StakingOperation>;
    }

    Type declaration

    \ No newline at end of file +WalletStakeAPIClient | @coinbase/coinbase-sdk
    WalletStakeAPIClient: {
        broadcastStakingOperation(walletId, addressId, stakingOperationId, broadcastStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        createStakingOperation(walletId, addressId, createStakingOperationRequest, options?): AxiosPromise<StakingOperation>;
        getStakingOperation(walletId, addressId, stakingOperationId, options?): AxiosPromise<StakingOperation>;
    }

    Type declaration

    \ No newline at end of file diff --git a/docs/types/coinbase_types_contract.ContractFunctionReturnType.html b/docs/types/coinbase_types_contract.ContractFunctionReturnType.html index 0d058dfc..62fad9f7 100644 --- a/docs/types/coinbase_types_contract.ContractFunctionReturnType.html +++ b/docs/types/coinbase_types_contract.ContractFunctionReturnType.html @@ -9,4 +9,4 @@
  • A tuple of output types if there are multiple outputs
  • unknown if the function or its return type cannot be determined
  • -
    \ No newline at end of file +
    \ No newline at end of file diff --git a/docs/variables/client_api.FundOperationStatusEnum-1.html b/docs/variables/client_api.FundOperationStatusEnum-1.html index 4d11f4db..888dfdfa 100644 --- a/docs/variables/client_api.FundOperationStatusEnum-1.html +++ b/docs/variables/client_api.FundOperationStatusEnum-1.html @@ -1 +1 @@ -FundOperationStatusEnum | @coinbase/coinbase-sdk

    Variable FundOperationStatusEnumConst

    FundOperationStatusEnum: {
        Complete: "complete";
        Failed: "failed";
        Pending: "pending";
    } = ...

    Type declaration

    • Readonly Complete: "complete"
    • Readonly Failed: "failed"
    • Readonly Pending: "pending"
    \ No newline at end of file +FundOperationStatusEnum | @coinbase/coinbase-sdk

    Variable FundOperationStatusEnumConst

    FundOperationStatusEnum: {
        Complete: "complete";
        Failed: "failed";
        Pending: "pending";
    } = ...

    Type declaration

    • Readonly Complete: "complete"
    • Readonly Failed: "failed"
    • Readonly Pending: "pending"
    \ No newline at end of file diff --git a/docs/variables/client_api.NetworkProtocolFamilyEnum-1.html b/docs/variables/client_api.NetworkProtocolFamilyEnum-1.html index 5dca2264..6b4feb4c 100644 --- a/docs/variables/client_api.NetworkProtocolFamilyEnum-1.html +++ b/docs/variables/client_api.NetworkProtocolFamilyEnum-1.html @@ -1 +1 @@ -NetworkProtocolFamilyEnum | @coinbase/coinbase-sdk

    Variable NetworkProtocolFamilyEnumConst

    NetworkProtocolFamilyEnum: {
        Evm: "evm";
        Solana: "solana";
    } = ...

    Type declaration

    • Readonly Evm: "evm"
    • Readonly Solana: "solana"
    \ No newline at end of file +NetworkProtocolFamilyEnum | @coinbase/coinbase-sdk

    Variable NetworkProtocolFamilyEnumConst

    NetworkProtocolFamilyEnum: {
        Evm: "evm";
        Solana: "solana";
    } = ...

    Type declaration

    • Readonly Evm: "evm"
    • Readonly Solana: "solana"
    \ No newline at end of file diff --git a/docs/variables/client_api.PayloadSignatureStatusEnum-1.html b/docs/variables/client_api.PayloadSignatureStatusEnum-1.html index 71ac7ada..32b136be 100644 --- a/docs/variables/client_api.PayloadSignatureStatusEnum-1.html +++ b/docs/variables/client_api.PayloadSignatureStatusEnum-1.html @@ -1 +1 @@ -PayloadSignatureStatusEnum | @coinbase/coinbase-sdk

    Variable PayloadSignatureStatusEnumConst

    PayloadSignatureStatusEnum: {
        Failed: "failed";
        Pending: "pending";
        Signed: "signed";
    } = ...

    Type declaration

    • Readonly Failed: "failed"
    • Readonly Pending: "pending"
    • Readonly Signed: "signed"
    \ No newline at end of file +PayloadSignatureStatusEnum | @coinbase/coinbase-sdk

    Variable PayloadSignatureStatusEnumConst

    PayloadSignatureStatusEnum: {
        Failed: "failed";
        Pending: "pending";
        Signed: "signed";
    } = ...

    Type declaration

    • Readonly Failed: "failed"
    • Readonly Pending: "pending"
    • Readonly Signed: "signed"
    \ No newline at end of file diff --git a/docs/variables/client_api.ResolveIdentityByAddressRolesEnum-1.html b/docs/variables/client_api.ResolveIdentityByAddressRolesEnum-1.html index 9d9f29d8..d58026e5 100644 --- a/docs/variables/client_api.ResolveIdentityByAddressRolesEnum-1.html +++ b/docs/variables/client_api.ResolveIdentityByAddressRolesEnum-1.html @@ -1 +1 @@ -ResolveIdentityByAddressRolesEnum | @coinbase/coinbase-sdk

    Variable ResolveIdentityByAddressRolesEnumConst

    ResolveIdentityByAddressRolesEnum: {
        Managed: "managed";
        Owned: "owned";
    } = ...

    Type declaration

    • Readonly Managed: "managed"
    • Readonly Owned: "owned"

    Export

    \ No newline at end of file +ResolveIdentityByAddressRolesEnum | @coinbase/coinbase-sdk

    Variable ResolveIdentityByAddressRolesEnumConst

    ResolveIdentityByAddressRolesEnum: {
        Managed: "managed";
        Owned: "owned";
    } = ...

    Type declaration

    • Readonly Managed: "managed"
    • Readonly Owned: "owned"

    Export

    \ No newline at end of file diff --git a/docs/variables/client_api.SolidityValueTypeEnum-1.html b/docs/variables/client_api.SolidityValueTypeEnum-1.html index 8e3f693f..a6f4c23f 100644 --- a/docs/variables/client_api.SolidityValueTypeEnum-1.html +++ b/docs/variables/client_api.SolidityValueTypeEnum-1.html @@ -1 +1 @@ -SolidityValueTypeEnum | @coinbase/coinbase-sdk

    Variable SolidityValueTypeEnumConst

    SolidityValueTypeEnum: {
        Address: "address";
        Array: "array";
        Bool: "bool";
        Bytes: "bytes";
        Bytes1: "bytes1";
        Bytes10: "bytes10";
        Bytes11: "bytes11";
        Bytes12: "bytes12";
        Bytes13: "bytes13";
        Bytes14: "bytes14";
        Bytes15: "bytes15";
        Bytes16: "bytes16";
        Bytes17: "bytes17";
        Bytes18: "bytes18";
        Bytes19: "bytes19";
        Bytes2: "bytes2";
        Bytes20: "bytes20";
        Bytes21: "bytes21";
        Bytes22: "bytes22";
        Bytes23: "bytes23";
        Bytes24: "bytes24";
        Bytes25: "bytes25";
        Bytes26: "bytes26";
        Bytes27: "bytes27";
        Bytes28: "bytes28";
        Bytes29: "bytes29";
        Bytes3: "bytes3";
        Bytes30: "bytes30";
        Bytes31: "bytes31";
        Bytes32: "bytes32";
        Bytes4: "bytes4";
        Bytes5: "bytes5";
        Bytes6: "bytes6";
        Bytes7: "bytes7";
        Bytes8: "bytes8";
        Bytes9: "bytes9";
        Int128: "int128";
        Int16: "int16";
        Int24: "int24";
        Int256: "int256";
        Int32: "int32";
        Int56: "int56";
        Int64: "int64";
        Int8: "int8";
        String: "string";
        Tuple: "tuple";
        Uint128: "uint128";
        Uint16: "uint16";
        Uint160: "uint160";
        Uint256: "uint256";
        Uint32: "uint32";
        Uint64: "uint64";
        Uint8: "uint8";
    } = ...

    Type declaration

    • Readonly Address: "address"
    • Readonly Array: "array"
    • Readonly Bool: "bool"
    • Readonly Bytes: "bytes"
    • Readonly Bytes1: "bytes1"
    • Readonly Bytes10: "bytes10"
    • Readonly Bytes11: "bytes11"
    • Readonly Bytes12: "bytes12"
    • Readonly Bytes13: "bytes13"
    • Readonly Bytes14: "bytes14"
    • Readonly Bytes15: "bytes15"
    • Readonly Bytes16: "bytes16"
    • Readonly Bytes17: "bytes17"
    • Readonly Bytes18: "bytes18"
    • Readonly Bytes19: "bytes19"
    • Readonly Bytes2: "bytes2"
    • Readonly Bytes20: "bytes20"
    • Readonly Bytes21: "bytes21"
    • Readonly Bytes22: "bytes22"
    • Readonly Bytes23: "bytes23"
    • Readonly Bytes24: "bytes24"
    • Readonly Bytes25: "bytes25"
    • Readonly Bytes26: "bytes26"
    • Readonly Bytes27: "bytes27"
    • Readonly Bytes28: "bytes28"
    • Readonly Bytes29: "bytes29"
    • Readonly Bytes3: "bytes3"
    • Readonly Bytes30: "bytes30"
    • Readonly Bytes31: "bytes31"
    • Readonly Bytes32: "bytes32"
    • Readonly Bytes4: "bytes4"
    • Readonly Bytes5: "bytes5"
    • Readonly Bytes6: "bytes6"
    • Readonly Bytes7: "bytes7"
    • Readonly Bytes8: "bytes8"
    • Readonly Bytes9: "bytes9"
    • Readonly Int128: "int128"
    • Readonly Int16: "int16"
    • Readonly Int24: "int24"
    • Readonly Int256: "int256"
    • Readonly Int32: "int32"
    • Readonly Int56: "int56"
    • Readonly Int64: "int64"
    • Readonly Int8: "int8"
    • Readonly String: "string"
    • Readonly Tuple: "tuple"
    • Readonly Uint128: "uint128"
    • Readonly Uint16: "uint16"
    • Readonly Uint160: "uint160"
    • Readonly Uint256: "uint256"
    • Readonly Uint32: "uint32"
    • Readonly Uint64: "uint64"
    • Readonly Uint8: "uint8"
    \ No newline at end of file +SolidityValueTypeEnum | @coinbase/coinbase-sdk

    Variable SolidityValueTypeEnumConst

    SolidityValueTypeEnum: {
        Address: "address";
        Array: "array";
        Bool: "bool";
        Bytes: "bytes";
        Bytes1: "bytes1";
        Bytes10: "bytes10";
        Bytes11: "bytes11";
        Bytes12: "bytes12";
        Bytes13: "bytes13";
        Bytes14: "bytes14";
        Bytes15: "bytes15";
        Bytes16: "bytes16";
        Bytes17: "bytes17";
        Bytes18: "bytes18";
        Bytes19: "bytes19";
        Bytes2: "bytes2";
        Bytes20: "bytes20";
        Bytes21: "bytes21";
        Bytes22: "bytes22";
        Bytes23: "bytes23";
        Bytes24: "bytes24";
        Bytes25: "bytes25";
        Bytes26: "bytes26";
        Bytes27: "bytes27";
        Bytes28: "bytes28";
        Bytes29: "bytes29";
        Bytes3: "bytes3";
        Bytes30: "bytes30";
        Bytes31: "bytes31";
        Bytes32: "bytes32";
        Bytes4: "bytes4";
        Bytes5: "bytes5";
        Bytes6: "bytes6";
        Bytes7: "bytes7";
        Bytes8: "bytes8";
        Bytes9: "bytes9";
        Int128: "int128";
        Int16: "int16";
        Int24: "int24";
        Int256: "int256";
        Int32: "int32";
        Int56: "int56";
        Int64: "int64";
        Int8: "int8";
        String: "string";
        Tuple: "tuple";
        Uint128: "uint128";
        Uint16: "uint16";
        Uint160: "uint160";
        Uint256: "uint256";
        Uint32: "uint32";
        Uint64: "uint64";
        Uint8: "uint8";
    } = ...

    Type declaration

    • Readonly Address: "address"
    • Readonly Array: "array"
    • Readonly Bool: "bool"
    • Readonly Bytes: "bytes"
    • Readonly Bytes1: "bytes1"
    • Readonly Bytes10: "bytes10"
    • Readonly Bytes11: "bytes11"
    • Readonly Bytes12: "bytes12"
    • Readonly Bytes13: "bytes13"
    • Readonly Bytes14: "bytes14"
    • Readonly Bytes15: "bytes15"
    • Readonly Bytes16: "bytes16"
    • Readonly Bytes17: "bytes17"
    • Readonly Bytes18: "bytes18"
    • Readonly Bytes19: "bytes19"
    • Readonly Bytes2: "bytes2"
    • Readonly Bytes20: "bytes20"
    • Readonly Bytes21: "bytes21"
    • Readonly Bytes22: "bytes22"
    • Readonly Bytes23: "bytes23"
    • Readonly Bytes24: "bytes24"
    • Readonly Bytes25: "bytes25"
    • Readonly Bytes26: "bytes26"
    • Readonly Bytes27: "bytes27"
    • Readonly Bytes28: "bytes28"
    • Readonly Bytes29: "bytes29"
    • Readonly Bytes3: "bytes3"
    • Readonly Bytes30: "bytes30"
    • Readonly Bytes31: "bytes31"
    • Readonly Bytes32: "bytes32"
    • Readonly Bytes4: "bytes4"
    • Readonly Bytes5: "bytes5"
    • Readonly Bytes6: "bytes6"
    • Readonly Bytes7: "bytes7"
    • Readonly Bytes8: "bytes8"
    • Readonly Bytes9: "bytes9"
    • Readonly Int128: "int128"
    • Readonly Int16: "int16"
    • Readonly Int24: "int24"
    • Readonly Int256: "int256"
    • Readonly Int32: "int32"
    • Readonly Int56: "int56"
    • Readonly Int64: "int64"
    • Readonly Int8: "int8"
    • Readonly String: "string"
    • Readonly Tuple: "tuple"
    • Readonly Uint128: "uint128"
    • Readonly Uint16: "uint16"
    • Readonly Uint160: "uint160"
    • Readonly Uint256: "uint256"
    • Readonly Uint32: "uint32"
    • Readonly Uint64: "uint64"
    • Readonly Uint8: "uint8"
    \ No newline at end of file diff --git a/docs/variables/client_api.SponsoredSendStatusEnum-1.html b/docs/variables/client_api.SponsoredSendStatusEnum-1.html index 701c2ed2..7c41d59f 100644 --- a/docs/variables/client_api.SponsoredSendStatusEnum-1.html +++ b/docs/variables/client_api.SponsoredSendStatusEnum-1.html @@ -1 +1 @@ -SponsoredSendStatusEnum | @coinbase/coinbase-sdk

    Variable SponsoredSendStatusEnumConst

    SponsoredSendStatusEnum: {
        Complete: "complete";
        Failed: "failed";
        Pending: "pending";
        Signed: "signed";
        Submitted: "submitted";
    } = ...

    Type declaration

    • Readonly Complete: "complete"
    • Readonly Failed: "failed"
    • Readonly Pending: "pending"
    • Readonly Signed: "signed"
    • Readonly Submitted: "submitted"
    \ No newline at end of file +SponsoredSendStatusEnum | @coinbase/coinbase-sdk

    Variable SponsoredSendStatusEnumConst

    SponsoredSendStatusEnum: {
        Complete: "complete";
        Failed: "failed";
        Pending: "pending";
        Signed: "signed";
        Submitted: "submitted";
    } = ...

    Type declaration

    • Readonly Complete: "complete"
    • Readonly Failed: "failed"
    • Readonly Pending: "pending"
    • Readonly Signed: "signed"
    • Readonly Submitted: "submitted"
    \ No newline at end of file diff --git a/docs/variables/client_api.StakingOperationStatusEnum-1.html b/docs/variables/client_api.StakingOperationStatusEnum-1.html index 81f30c4c..a379969a 100644 --- a/docs/variables/client_api.StakingOperationStatusEnum-1.html +++ b/docs/variables/client_api.StakingOperationStatusEnum-1.html @@ -1 +1 @@ -StakingOperationStatusEnum | @coinbase/coinbase-sdk

    Variable StakingOperationStatusEnumConst

    StakingOperationStatusEnum: {
        Complete: "complete";
        Failed: "failed";
        Initialized: "initialized";
        Unspecified: "unspecified";
    } = ...

    Type declaration

    • Readonly Complete: "complete"
    • Readonly Failed: "failed"
    • Readonly Initialized: "initialized"
    • Readonly Unspecified: "unspecified"
    \ No newline at end of file +StakingOperationStatusEnum | @coinbase/coinbase-sdk

    Variable StakingOperationStatusEnumConst

    StakingOperationStatusEnum: {
        Complete: "complete";
        Failed: "failed";
        Initialized: "initialized";
        Unspecified: "unspecified";
    } = ...

    Type declaration

    • Readonly Complete: "complete"
    • Readonly Failed: "failed"
    • Readonly Initialized: "initialized"
    • Readonly Unspecified: "unspecified"
    \ No newline at end of file diff --git a/docs/variables/client_api.StakingRewardStateEnum-1.html b/docs/variables/client_api.StakingRewardStateEnum-1.html index b75de344..8ce132db 100644 --- a/docs/variables/client_api.StakingRewardStateEnum-1.html +++ b/docs/variables/client_api.StakingRewardStateEnum-1.html @@ -1 +1 @@ -StakingRewardStateEnum | @coinbase/coinbase-sdk

    Variable StakingRewardStateEnumConst

    StakingRewardStateEnum: {
        Distributed: "distributed";
        Pending: "pending";
    } = ...

    Type declaration

    • Readonly Distributed: "distributed"
    • Readonly Pending: "pending"
    \ No newline at end of file +StakingRewardStateEnum | @coinbase/coinbase-sdk

    Variable StakingRewardStateEnumConst

    StakingRewardStateEnum: {
        Distributed: "distributed";
        Pending: "pending";
    } = ...

    Type declaration

    • Readonly Distributed: "distributed"
    • Readonly Pending: "pending"
    \ No newline at end of file diff --git a/docs/variables/client_api.TransactionStatusEnum-1.html b/docs/variables/client_api.TransactionStatusEnum-1.html index f27a4df4..cea0dd57 100644 --- a/docs/variables/client_api.TransactionStatusEnum-1.html +++ b/docs/variables/client_api.TransactionStatusEnum-1.html @@ -1 +1 @@ -TransactionStatusEnum | @coinbase/coinbase-sdk

    Variable TransactionStatusEnumConst

    TransactionStatusEnum: {
        Broadcast: "broadcast";
        Complete: "complete";
        Failed: "failed";
        Pending: "pending";
        Signed: "signed";
        Unspecified: "unspecified";
    } = ...

    Type declaration

    • Readonly Broadcast: "broadcast"
    • Readonly Complete: "complete"
    • Readonly Failed: "failed"
    • Readonly Pending: "pending"
    • Readonly Signed: "signed"
    • Readonly Unspecified: "unspecified"
    \ No newline at end of file +TransactionStatusEnum | @coinbase/coinbase-sdk

    Variable TransactionStatusEnumConst

    TransactionStatusEnum: {
        Broadcast: "broadcast";
        Complete: "complete";
        Failed: "failed";
        Pending: "pending";
        Signed: "signed";
        Unspecified: "unspecified";
    } = ...

    Type declaration

    • Readonly Broadcast: "broadcast"
    • Readonly Complete: "complete"
    • Readonly Failed: "failed"
    • Readonly Pending: "pending"
    • Readonly Signed: "signed"
    • Readonly Unspecified: "unspecified"
    \ No newline at end of file diff --git a/docs/variables/client_api.WalletServerSignerStatusEnum-1.html b/docs/variables/client_api.WalletServerSignerStatusEnum-1.html index 24766b02..212f1b5d 100644 --- a/docs/variables/client_api.WalletServerSignerStatusEnum-1.html +++ b/docs/variables/client_api.WalletServerSignerStatusEnum-1.html @@ -1 +1 @@ -WalletServerSignerStatusEnum | @coinbase/coinbase-sdk

    Variable WalletServerSignerStatusEnumConst

    WalletServerSignerStatusEnum: {
        ActiveSeed: "active_seed";
        PendingSeedCreation: "pending_seed_creation";
    } = ...

    Type declaration

    • Readonly ActiveSeed: "active_seed"
    • Readonly PendingSeedCreation: "pending_seed_creation"
    \ No newline at end of file +WalletServerSignerStatusEnum | @coinbase/coinbase-sdk

    Variable WalletServerSignerStatusEnumConst

    WalletServerSignerStatusEnum: {
        ActiveSeed: "active_seed";
        PendingSeedCreation: "pending_seed_creation";
    } = ...

    Type declaration

    • Readonly ActiveSeed: "active_seed"
    • Readonly PendingSeedCreation: "pending_seed_creation"
    \ No newline at end of file diff --git a/docs/variables/client_base.BASE_PATH.html b/docs/variables/client_base.BASE_PATH.html index 3f1bf72d..56962536 100644 --- a/docs/variables/client_base.BASE_PATH.html +++ b/docs/variables/client_base.BASE_PATH.html @@ -1 +1 @@ -BASE_PATH | @coinbase/coinbase-sdk
    BASE_PATH: string = ...
    \ No newline at end of file +BASE_PATH | @coinbase/coinbase-sdk
    BASE_PATH: string = ...
    \ No newline at end of file diff --git a/docs/variables/client_base.COLLECTION_FORMATS.html b/docs/variables/client_base.COLLECTION_FORMATS.html index 2ac5d069..df3dbfe8 100644 --- a/docs/variables/client_base.COLLECTION_FORMATS.html +++ b/docs/variables/client_base.COLLECTION_FORMATS.html @@ -1 +1 @@ -COLLECTION_FORMATS | @coinbase/coinbase-sdk
    COLLECTION_FORMATS: {
        csv: string;
        pipes: string;
        ssv: string;
        tsv: string;
    } = ...

    Type declaration

    • csv: string
    • pipes: string
    • ssv: string
    • tsv: string

    Export

    \ No newline at end of file +COLLECTION_FORMATS | @coinbase/coinbase-sdk
    COLLECTION_FORMATS: {
        csv: string;
        pipes: string;
        ssv: string;
        tsv: string;
    } = ...

    Type declaration

    • csv: string
    • pipes: string
    • ssv: string
    • tsv: string

    Export

    \ No newline at end of file diff --git a/docs/variables/client_base.operationServerMap.html b/docs/variables/client_base.operationServerMap.html index a77247fd..d14f4a6a 100644 --- a/docs/variables/client_base.operationServerMap.html +++ b/docs/variables/client_base.operationServerMap.html @@ -1 +1 @@ -operationServerMap | @coinbase/coinbase-sdk
    operationServerMap: ServerMap = {}

    Export

    \ No newline at end of file +operationServerMap | @coinbase/coinbase-sdk
    operationServerMap: ServerMap = {}

    Export

    \ No newline at end of file diff --git a/docs/variables/client_common.DUMMY_BASE_URL.html b/docs/variables/client_common.DUMMY_BASE_URL.html index cd4a21cd..03c8b654 100644 --- a/docs/variables/client_common.DUMMY_BASE_URL.html +++ b/docs/variables/client_common.DUMMY_BASE_URL.html @@ -1 +1 @@ -DUMMY_BASE_URL | @coinbase/coinbase-sdk
    DUMMY_BASE_URL: "https://example.com" = 'https://example.com'

    Export

    \ No newline at end of file +DUMMY_BASE_URL | @coinbase/coinbase-sdk
    DUMMY_BASE_URL: "https://example.com" = 'https://example.com'

    Export

    \ No newline at end of file diff --git a/docs/variables/coinbase_constants.GWEI_DECIMALS.html b/docs/variables/coinbase_constants.GWEI_DECIMALS.html index 7c82d4de..dedfbfa9 100644 --- a/docs/variables/coinbase_constants.GWEI_DECIMALS.html +++ b/docs/variables/coinbase_constants.GWEI_DECIMALS.html @@ -1 +1 @@ -GWEI_DECIMALS | @coinbase/coinbase-sdk
    GWEI_DECIMALS: 9 = 9
    \ No newline at end of file +GWEI_DECIMALS | @coinbase/coinbase-sdk
    GWEI_DECIMALS: 9 = 9
    \ No newline at end of file diff --git a/package-lock.json b/package-lock.json index a4e099fc..63d65c63 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,12 +1,12 @@ { "name": "@coinbase/coinbase-sdk", - "version": "0.14.1", + "version": "0.15.0", "lockfileVersion": 3, "requires": true, "packages": { "": { "name": "@coinbase/coinbase-sdk", - "version": "0.14.1", + "version": "0.15.0", "license": "ISC", "dependencies": { "@scure/bip32": "^1.4.0", diff --git a/package.json b/package.json index 80d16bf9..8d7d8b0c 100644 --- a/package.json +++ b/package.json @@ -4,7 +4,7 @@ "license": "ISC", "description": "Coinbase Platform SDK", "repository": "https://github.com/coinbase/coinbase-sdk-nodejs", - "version": "0.14.1", + "version": "0.15.0", "main": "dist/index.js", "types": "dist/index.d.ts", "scripts": { diff --git a/quickstart-template/package.json b/quickstart-template/package.json index dab61302..aadcfc70 100644 --- a/quickstart-template/package.json +++ b/quickstart-template/package.json @@ -22,7 +22,7 @@ "dependencies": { "@solana/web3.js": "^2.0.0-rc.1", "bs58": "^6.0.0", - "@coinbase/coinbase-sdk": "^0.14.0", + "@coinbase/coinbase-sdk": "^0.15.0", "csv-parse": "^5.5.6", "csv-writer": "^1.6.0", "viem": "^2.21.6"