# Official Fireblocks Python SDK
[![PyPI version](https://badge.fury.io/py/fireblocks.svg)](https://badge.fury.io/py/fireblocks)
The Fireblocks SDK allows developers to seamlessly integrate with the Fireblocks platform and perform a variety of operations, including managing vault accounts and executing transactions securely.
For detailed API documentation please refer to the [Fireblocks API Reference](https://developers.fireblocks.com/reference/).
## Requirements.
Python 3.8+
## Installation
To use the Fireblocks SDK, follow these steps:
### pip install
If the python package is hosted on a repository, you can install directly using:
```sh
pip install fireblocks
```
Then import the package:
```python
import fireblocks
```
### Setuptools
Install via [Setuptools](http://pypi.python.org/pypi/setuptools).
```sh
python setup.py install --user
```
(or `sudo python setup.py install` to install the package for all users)
Then import the package:
```python
import fireblocks
```
## Usage
Please follow the [installation procedure](#installation) first.
### Initializing the SDK
You can initialize the Fireblocks SDK in two ways, either by setting environment variables or providing the parameters directly:
<p><strong>Using Environment Variables</strong><br>
You can initialize the SDK using environment variables from your .env file or by setting them programmatically:</p>
use bash commands to set environment variables:
```bash
export FIREBLOCKS_BASE_PATH="https://sandbox-api.fireblocks.io/v1"
export FIREBLOCKS_API_KEY="my-api-key"
export FIREBLOCKS_SECRET_KEY="my-secret-key"
```
```python
from fireblocks.client import Fireblocks
# Enter a context with an instance of the API client
with Fireblocks() as fireblocks:
pass
```
<p><strong>Providing Local Variables</strong><br>
```python
from fireblocks.client import Fireblocks
from fireblocks.client_configuration import ClientConfiguration
from fireblocks.base_path import BasePath
# load the secret key content from a file
with open('your_secret_key_file_path', 'r') as file:
secret_key_value = file.read()
# build the configuration
configuration = ClientConfiguration(
api_key="your_api_key",
secret_key=secret_key_value,
base_path=BasePath.Sandbox, # or set it directly to a string "https://sandbox-api.fireblocks.io/v1"
)
# Enter a context with an instance of the API client
with Fireblocks(configuration) as fireblocks:
pass
```
### Basic Api Examples
<p><strong>Creating a Vault Account</strong><br>
To create a new vault account, you can use the following function:</p>
```python
from fireblocks.client import Fireblocks
from fireblocks.client_configuration import ClientConfiguration
from fireblocks.base_path import BasePath
from fireblocks.models.create_vault_account_request import CreateVaultAccountRequest
from pprint import pprint
# load the secret key content from a file
with open('your_secret_key_file_path', 'r') as file:
secret_key_value = file.read()
# build the configuration
configuration = ClientConfiguration(
api_key="your_api_key",
secret_key=secret_key_value,
base_path=BasePath.Sandbox, # or set it directly to a string "https://sandbox-api.fireblocks.io/v1"
)
# Enter a context with an instance of the API client
with Fireblocks(configuration) as fireblocks:
create_vault_account_request: CreateVaultAccountRequest = CreateVaultAccountRequest(
name='My First Vault Account',
hidden_on_ui=False,
auto_fuel=False
)
try:
# Create a new vault account
future = fireblocks.vaults.create_vault_account(create_vault_account_request=create_vault_account_request)
api_response = future.result() # Wait for the response
print("The response of VaultsApi->create_vault_account:\n")
pprint(api_response)
# to print just the data: pprint(api_response.data)
# to print just the data in json format: pprint(api_response.data.to_json())
except Exception as e:
print("Exception when calling VaultsApi->create_vault_account: %s\n" % e)
```
<p><strong>Retrieving Vault Accounts</strong><br>
To get a list of vault accounts, you can use the following function:</p>
```python
from fireblocks.client import Fireblocks
from fireblocks.client_configuration import ClientConfiguration
from fireblocks.base_path import BasePath
from pprint import pprint
# load the secret key content from a file
with open('your_secret_key_file_path', 'r') as file:
secret_key_value = file.read()
# build the configuration
configuration = ClientConfiguration(
api_key="your_api_key",
secret_key=secret_key_value,
base_path=BasePath.Sandbox, # or set it directly to a string "https://sandbox-api.fireblocks.io/v1"
)
# Enter a context with an instance of the API client
with Fireblocks(configuration) as fireblocks:
try:
# List vault accounts (Paginated)
future = fireblocks.vaults.get_paged_vault_accounts()
api_response = future.result() # Wait for the response
print("The response of VaultsApi->get_paged_vault_accounts:\n")
pprint(api_response)
# to print just the data: pprint(api_response.data)
# to print just the data in json format: pprint(api_response.data.to_json())
except Exception as e:
print("Exception when calling VaultsApi->get_paged_vault_accounts: %s\n" % e)
```
<p><strong>Creating a Transaction</strong><br>
To make a transaction between vault accounts, you can use the following function:</p>
```python
from fireblocks.client import Fireblocks
from fireblocks.client_configuration import ClientConfiguration
from fireblocks.base_path import BasePath
from fireblocks.models.transaction_request import TransactionRequest
from fireblocks.models.destination_transfer_peer_path import DestinationTransferPeerPath
from fireblocks.models.source_transfer_peer_path import SourceTransferPeerPath
from fireblocks.models.transfer_peer_path_type import TransferPeerPathType
from fireblocks.models.transaction_request_amount import TransactionRequestAmount
from pprint import pprint
# load the secret key content from a file
with open('your_secret_key_file_path', 'r') as file:
secret_key_value = file.read()
# build the configuration
configuration = ClientConfiguration(
api_key="your_api_key",
secret_key=secret_key_value,
base_path=BasePath.Sandbox, # or set it directly to a string "https://sandbox-api.fireblocks.io/v1"
)
# Enter a context with an instance of the API client
with Fireblocks(configuration) as fireblocks:
transaction_request: TransactionRequest = TransactionRequest(
asset_id="ETH",
amount=TransactionRequestAmount("0.1"),
source=SourceTransferPeerPath(
type=TransferPeerPathType.VAULT_ACCOUNT,
id="0"
),
destination=DestinationTransferPeerPath(
type=TransferPeerPathType.VAULT_ACCOUNT,
id="1"
),
note="Your first transaction!"
)
# or you can use JSON approach:
#
# transaction_request: TransactionRequest = TransactionRequest.from_json(
# '{"note": "Your first transaction!", '
# '"assetId": "ETH", '
# '"source": {"type": "VAULT_ACCOUNT", "id": "0"}, '
# '"destination": {"type": "VAULT_ACCOUNT", "id": "1"}, '
# '"amount": "0.1"}'
# )
try:
# Create a new transaction
future = fireblocks.transactions.create_transaction(transaction_request=transaction_request)
api_response = future.result() # Wait for the response
print("The response of TransactionsApi->create_transaction:\n")
pprint(api_response)
# to print just the data: pprint(api_response.data)
# to print just the data in json format: pprint(api_response.data.to_json())
except Exception as e:
print("Exception when calling TransactionsApi->create_transaction: %s\n" % e)
```
## Documentation for API Endpoints
All URIs are relative to https://developers.fireblocks.com/reference/
Class | Method | HTTP request | Description
------------ | ------------- | ------------- | -------------
*ApiUserApi* | [**create_api_user**](https://github.com/fireblocks/py-sdk/tree/master/docs/ApiUserApi.md#create_api_user) | **POST** /management/api_users | Create Api user
*ApiUserApi* | [**get_api_users**](https://github.com/fireblocks/py-sdk/tree/master/docs/ApiUserApi.md#get_api_users) | **GET** /management/api_users | Get Api users
*AssetsApi* | [**create_assets_bulk**](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetsApi.md#create_assets_bulk) | **POST** /vault/assets/bulk | Bulk creation of wallets
*AuditLogsApi* | [**get_audit_logs**](https://github.com/fireblocks/py-sdk/tree/master/docs/AuditLogsApi.md#get_audit_logs) | **GET** /management/audit_logs | Get audit logs
*BlockchainsAssetsApi* | [**get_supported_assets**](https://github.com/fireblocks/py-sdk/tree/master/docs/BlockchainsAssetsApi.md#get_supported_assets) | **GET** /supported_assets | List all asset types supported by Fireblocks
*BlockchainsAssetsApi* | [**register_new_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/BlockchainsAssetsApi.md#register_new_asset) | **POST** /assets | Register an asset
*BlockchainsAssetsApi* | [**set_asset_price**](https://github.com/fireblocks/py-sdk/tree/master/docs/BlockchainsAssetsApi.md#set_asset_price) | **POST** /assets/prices/{id} | Set asset price
*ComplianceApi* | [**get_aml_post_screening_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#get_aml_post_screening_policy) | **GET** /screening/aml/post_screening_policy | AML - View Post-Screening Policy
*ComplianceApi* | [**get_aml_screening_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#get_aml_screening_policy) | **GET** /screening/aml/screening_policy | AML - View Screening Policy
*ComplianceApi* | [**get_post_screening_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#get_post_screening_policy) | **GET** /screening/travel_rule/post_screening_policy | Travel Rule - View Post-Screening Policy
*ComplianceApi* | [**get_screening_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#get_screening_policy) | **GET** /screening/travel_rule/screening_policy | Travel Rule - View Screening Policy
*ComplianceApi* | [**update_aml_screening_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#update_aml_screening_configuration) | **PUT** /screening/aml/policy_configuration | Update AML Configuration
*ComplianceApi* | [**update_screening_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#update_screening_configuration) | **PUT** /screening/configurations | Tenant - Screening Configuration
*ComplianceApi* | [**update_travel_rule_config**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#update_travel_rule_config) | **PUT** /screening/travel_rule/policy_configuration | Update Travel Rule Configuration
*ComplianceScreeningConfigurationApi* | [**get_aml_screening_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceScreeningConfigurationApi.md#get_aml_screening_configuration) | **GET** /screening/aml/policy_configuration | Get AML Screening Policy Configuration
*ComplianceScreeningConfigurationApi* | [**get_screening_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceScreeningConfigurationApi.md#get_screening_configuration) | **GET** /screening/travel_rule/policy_configuration | Get Travel Rule Screening Policy Configuration
*ConsoleUserApi* | [**create_console_user**](https://github.com/fireblocks/py-sdk/tree/master/docs/ConsoleUserApi.md#create_console_user) | **POST** /management/users | Create console user
*ConsoleUserApi* | [**get_console_users**](https://github.com/fireblocks/py-sdk/tree/master/docs/ConsoleUserApi.md#get_console_users) | **GET** /management/users | Get console users
*ContractInteractionsApi* | [**get_deployed_contract_abi**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractInteractionsApi.md#get_deployed_contract_abi) | **GET** /contract_interactions/base_asset_id/{baseAssetId}/contract_address/{contractAddress}/functions | Return deployed contract's ABI
*ContractInteractionsApi* | [**read_call_function**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractInteractionsApi.md#read_call_function) | **POST** /contract_interactions/base_asset_id/{baseAssetId}/contract_address/{contractAddress}/functions/read | Call a read function on a deployed contract
*ContractInteractionsApi* | [**write_call_function**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractInteractionsApi.md#write_call_function) | **POST** /contract_interactions/base_asset_id/{baseAssetId}/contract_address/{contractAddress}/functions/write | Call a write function on a deployed contract
*ContractTemplatesApi* | [**delete_contract_template_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#delete_contract_template_by_id) | **DELETE** /tokenization/templates/{contractTemplateId} | Delete a contract template by id
*ContractTemplatesApi* | [**deploy_contract**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#deploy_contract) | **POST** /tokenization/templates/{contractTemplateId}/deploy | Deploy contract
*ContractTemplatesApi* | [**get_constructor_by_contract_template_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#get_constructor_by_contract_template_id) | **GET** /tokenization/templates/{contractTemplateId}/constructor | Return contract template's constructor
*ContractTemplatesApi* | [**get_contract_template_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#get_contract_template_by_id) | **GET** /tokenization/templates/{contractTemplateId} | Return contract template by id
*ContractTemplatesApi* | [**get_contract_templates**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#get_contract_templates) | **GET** /tokenization/templates | List all contract templates
*ContractTemplatesApi* | [**get_function_abi_by_contract_template_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#get_function_abi_by_contract_template_id) | **GET** /tokenization/templates/{contractTemplateId}/function | Return contract template's function
*ContractTemplatesApi* | [**upload_contract_template**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#upload_contract_template) | **POST** /tokenization/templates | Upload contract template
*ContractsApi* | [**add_contract_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#add_contract_asset) | **POST** /contracts/{contractId}/{assetId} | Add an asset to a contract
*ContractsApi* | [**create_contract**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#create_contract) | **POST** /contracts | Create a contract
*ContractsApi* | [**delete_contract**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#delete_contract) | **DELETE** /contracts/{contractId} | Delete a contract
*ContractsApi* | [**delete_contract_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#delete_contract_asset) | **DELETE** /contracts/{contractId}/{assetId} | Delete a contract asset
*ContractsApi* | [**get_contract**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#get_contract) | **GET** /contracts/{contractId} | Find a specific contract
*ContractsApi* | [**get_contract_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#get_contract_asset) | **GET** /contracts/{contractId}/{assetId} | Find a contract asset
*ContractsApi* | [**get_contracts**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#get_contracts) | **GET** /contracts | List contracts
*CosignersBetaApi* | [**get_api_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#get_api_key) | **GET** /cosigners/{cosignerId}/api_keys/{apiKeyId} | Get API key
*CosignersBetaApi* | [**get_api_keys**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#get_api_keys) | **GET** /cosigners/{cosignerId}/api_keys | Get all API keys
*CosignersBetaApi* | [**get_cosigner**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#get_cosigner) | **GET** /cosigners/{cosignerId} | Get cosigner
*CosignersBetaApi* | [**get_cosigners**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#get_cosigners) | **GET** /cosigners | Get all cosigners
*CosignersBetaApi* | [**rename_cosigner**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#rename_cosigner) | **PATCH** /cosigners/{cosignerId} | Rename cosigner
*DeployedContractsApi* | [**add_contract_abi**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#add_contract_abi) | **POST** /tokenization/contracts/abi | Save contract ABI
*DeployedContractsApi* | [**fetch_contract_abi**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#fetch_contract_abi) | **POST** /tokenization/contracts/fetch_abi | Fetch the contract ABI
*DeployedContractsApi* | [**get_deployed_contract_by_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#get_deployed_contract_by_address) | **GET** /tokenization/contracts/{assetId}/{contractAddress} | Return deployed contract data
*DeployedContractsApi* | [**get_deployed_contract_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#get_deployed_contract_by_id) | **GET** /tokenization/contracts/{id} | Return deployed contract data by id
*DeployedContractsApi* | [**get_deployed_contracts**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#get_deployed_contracts) | **GET** /tokenization/contracts | List deployed contracts data
*ExchangeAccountsApi* | [**convert_assets**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#convert_assets) | **POST** /exchange_accounts/{exchangeAccountId}/convert | Convert exchange account funds from the source asset to the destination asset.
*ExchangeAccountsApi* | [**get_exchange_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#get_exchange_account) | **GET** /exchange_accounts/{exchangeAccountId} | Find a specific exchange account
*ExchangeAccountsApi* | [**get_exchange_account_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#get_exchange_account_asset) | **GET** /exchange_accounts/{exchangeAccountId}/{assetId} | Find an asset for an exchange account
*ExchangeAccountsApi* | [**get_paged_exchange_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#get_paged_exchange_accounts) | **GET** /exchange_accounts/paged | Pagination list exchange accounts
*ExchangeAccountsApi* | [**internal_transfer**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#internal_transfer) | **POST** /exchange_accounts/{exchangeAccountId}/internal_transfer | Internal transfer for exchange accounts
*ExternalWalletsApi* | [**add_asset_to_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#add_asset_to_external_wallet) | **POST** /external_wallets/{walletId}/{assetId} | Add an asset to an external wallet.
*ExternalWalletsApi* | [**create_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#create_external_wallet) | **POST** /external_wallets | Create an external wallet
*ExternalWalletsApi* | [**delete_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#delete_external_wallet) | **DELETE** /external_wallets/{walletId} | Delete an external wallet
*ExternalWalletsApi* | [**get_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#get_external_wallet) | **GET** /external_wallets/{walletId} | Find an external wallet
*ExternalWalletsApi* | [**get_external_wallet_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#get_external_wallet_asset) | **GET** /external_wallets/{walletId}/{assetId} | Get an asset from an external wallet
*ExternalWalletsApi* | [**get_external_wallets**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#get_external_wallets) | **GET** /external_wallets | List external wallets
*ExternalWalletsApi* | [**remove_asset_from_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#remove_asset_from_external_wallet) | **DELETE** /external_wallets/{walletId}/{assetId} | Delete an asset from an external wallet
*ExternalWalletsApi* | [**set_external_wallet_customer_ref_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#set_external_wallet_customer_ref_id) | **POST** /external_wallets/{walletId}/set_customer_ref_id | Set an AML customer reference ID for an external wallet
*FiatAccountsApi* | [**deposit_funds_from_linked_dda**](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountsApi.md#deposit_funds_from_linked_dda) | **POST** /fiat_accounts/{accountId}/deposit_from_linked_dda | Deposit funds from DDA
*FiatAccountsApi* | [**get_fiat_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountsApi.md#get_fiat_account) | **GET** /fiat_accounts/{accountId} | Find a specific fiat account
*FiatAccountsApi* | [**get_fiat_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountsApi.md#get_fiat_accounts) | **GET** /fiat_accounts | List fiat accounts
*FiatAccountsApi* | [**redeem_funds_to_linked_dda**](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountsApi.md#redeem_funds_to_linked_dda) | **POST** /fiat_accounts/{accountId}/redeem_to_linked_dda | Redeem funds to DDA
*GasStationsApi* | [**get_gas_station_by_asset_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationsApi.md#get_gas_station_by_asset_id) | **GET** /gas_station/{assetId} | Get gas station settings by asset
*GasStationsApi* | [**get_gas_station_info**](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationsApi.md#get_gas_station_info) | **GET** /gas_station | Get gas station settings
*GasStationsApi* | [**update_gas_station_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationsApi.md#update_gas_station_configuration) | **PUT** /gas_station/configuration | Edit gas station settings
*GasStationsApi* | [**update_gas_station_configuration_by_asset_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationsApi.md#update_gas_station_configuration_by_asset_id) | **PUT** /gas_station/configuration/{assetId} | Edit gas station settings for an asset
*InternalWalletsApi* | [**create_internal_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#create_internal_wallet) | **POST** /internal_wallets | Create an internal wallet
*InternalWalletsApi* | [**create_internal_wallet_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#create_internal_wallet_asset) | **POST** /internal_wallets/{walletId}/{assetId} | Add an asset to an internal wallet
*InternalWalletsApi* | [**delete_internal_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#delete_internal_wallet) | **DELETE** /internal_wallets/{walletId} | Delete an internal wallet
*InternalWalletsApi* | [**delete_internal_wallet_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#delete_internal_wallet_asset) | **DELETE** /internal_wallets/{walletId}/{assetId} | Delete a whitelisted address from an internal wallet
*InternalWalletsApi* | [**get_internal_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#get_internal_wallet) | **GET** /internal_wallets/{walletId} | Get assets for internal wallet
*InternalWalletsApi* | [**get_internal_wallet_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#get_internal_wallet_asset) | **GET** /internal_wallets/{walletId}/{assetId} | Get an asset from an internal wallet
*InternalWalletsApi* | [**get_internal_wallets**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#get_internal_wallets) | **GET** /internal_wallets | List internal wallets
*InternalWalletsApi* | [**set_customer_ref_id_for_internal_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#set_customer_ref_id_for_internal_wallet) | **POST** /internal_wallets/{walletId}/set_customer_ref_id | Set an AML/KYT customer reference ID for an internal wallet
*JobManagementApi* | [**cancel_job**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#cancel_job) | **POST** /batch/{jobId}/cancel | Cancel a running job
*JobManagementApi* | [**continue_job**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#continue_job) | **POST** /batch/{jobId}/continue | Continue a paused job
*JobManagementApi* | [**get_job**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#get_job) | **GET** /batch/{jobId} | Get job details
*JobManagementApi* | [**get_job_tasks**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#get_job_tasks) | **GET** /batch/{jobId}/tasks | Return a list of tasks for given job
*JobManagementApi* | [**get_jobs**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#get_jobs) | **GET** /batch/jobs | Return a list of jobs belonging to tenant
*JobManagementApi* | [**pause_job**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#pause_job) | **POST** /batch/{jobId}/pause | Pause a job
*KeyLinkBetaApi* | [**create_signing_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#create_signing_key) | **POST** /key_link/signing_keys | Add a new signing key
*KeyLinkBetaApi* | [**create_validation_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#create_validation_key) | **POST** /key_link/validation_keys | Add a new validation key
*KeyLinkBetaApi* | [**disable_validation_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#disable_validation_key) | **PATCH** /key_link/validation_keys/{keyId} | Disables a validation key
*KeyLinkBetaApi* | [**get_signing_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#get_signing_key) | **GET** /key_link/signing_keys/{keyId} | Get a signing key by `keyId`
*KeyLinkBetaApi* | [**get_signing_keys_list**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#get_signing_keys_list) | **GET** /key_link/signing_keys | Get list of signing keys
*KeyLinkBetaApi* | [**get_validation_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#get_validation_key) | **GET** /key_link/validation_keys/{keyId} | Get a validation key by `keyId`
*KeyLinkBetaApi* | [**get_validation_keys_list**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#get_validation_keys_list) | **GET** /key_link/validation_keys | Get list of registered validation keys
*KeyLinkBetaApi* | [**set_agent_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#set_agent_id) | **PATCH** /key_link/signing_keys/{keyId}/agent_user_id | Set agent user id that can sign with the signing key identified by the Fireblocks provided `keyId`
*KeyLinkBetaApi* | [**update_signing_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#update_signing_key) | **PATCH** /key_link/signing_keys/{keyId} | Modify the signing by Fireblocks provided `keyId`
*NFTsApi* | [**get_nft**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#get_nft) | **GET** /nfts/tokens/{id} | List token data by ID
*NFTsApi* | [**get_nfts**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#get_nfts) | **GET** /nfts/tokens | List tokens by IDs
*NFTsApi* | [**get_ownership_tokens**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#get_ownership_tokens) | **GET** /nfts/ownership/tokens | List all owned tokens (paginated)
*NFTsApi* | [**list_owned_collections**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#list_owned_collections) | **GET** /nfts/ownership/collections | List owned collections (paginated)
*NFTsApi* | [**list_owned_tokens**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#list_owned_tokens) | **GET** /nfts/ownership/assets | List all distinct owned tokens (paginated)
*NFTsApi* | [**refresh_nft_metadata**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#refresh_nft_metadata) | **PUT** /nfts/tokens/{id} | Refresh token metadata
*NFTsApi* | [**update_ownership_tokens**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#update_ownership_tokens) | **PUT** /nfts/ownership/tokens | Refresh vault account tokens
*NFTsApi* | [**update_token_ownership_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#update_token_ownership_status) | **PUT** /nfts/ownership/tokens/{id}/status | Update token ownership status
*NFTsApi* | [**update_tokens_ownership_spam**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#update_tokens_ownership_spam) | **PUT** /nfts/ownership/tokens/spam | Update tokens ownership spam property
*NFTsApi* | [**update_tokens_ownership_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#update_tokens_ownership_status) | **PUT** /nfts/ownership/tokens/status | Update tokens ownership status
*NetworkConnectionsApi* | [**check_third_party_routing**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#check_third_party_routing) | **GET** /network_connections/{connectionId}/is_third_party_routing/{assetType} | Retrieve third-party network routing validation by asset type.
*NetworkConnectionsApi* | [**create_network_connection**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#create_network_connection) | **POST** /network_connections | Creates a new network connection
*NetworkConnectionsApi* | [**create_network_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#create_network_id) | **POST** /network_ids | Creates a new Network ID
*NetworkConnectionsApi* | [**delete_network_connection**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#delete_network_connection) | **DELETE** /network_connections/{connectionId} | Deletes a network connection by ID
*NetworkConnectionsApi* | [**delete_network_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#delete_network_id) | **DELETE** /network_ids/{networkId} | Deletes specific network ID.
*NetworkConnectionsApi* | [**get_network**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_network) | **GET** /network_connections/{connectionId} | Get a network connection
*NetworkConnectionsApi* | [**get_network_connections**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_network_connections) | **GET** /network_connections | List network connections
*NetworkConnectionsApi* | [**get_network_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_network_id) | **GET** /network_ids/{networkId} | Returns specific network ID.
*NetworkConnectionsApi* | [**get_network_ids**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_network_ids) | **GET** /network_ids | Returns all network IDs, both local IDs and discoverable remote IDs
*NetworkConnectionsApi* | [**get_routing_policy_asset_groups**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_routing_policy_asset_groups) | **GET** /network_ids/routing_policy_asset_groups | Returns all enabled routing policy asset groups
*NetworkConnectionsApi* | [**set_network_id_discoverability**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#set_network_id_discoverability) | **PATCH** /network_ids/{networkId}/set_discoverability | Update network ID's discoverability.
*NetworkConnectionsApi* | [**set_network_id_name**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#set_network_id_name) | **PATCH** /network_ids/{networkId}/set_name | Update network ID's name.
*NetworkConnectionsApi* | [**set_network_id_routing_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#set_network_id_routing_policy) | **PATCH** /network_ids/{networkId}/set_routing_policy | Update network id routing policy.
*NetworkConnectionsApi* | [**set_routing_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#set_routing_policy) | **PATCH** /network_connections/{connectionId}/set_routing_policy | Update network connection routing policy.
*OTABetaApi* | [**get_ota_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/OTABetaApi.md#get_ota_status) | **GET** /management/ota | Returns current OTA status
*OTABetaApi* | [**set_ota_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/OTABetaApi.md#set_ota_status) | **PUT** /management/ota | Enable or disable transactions to OTA
*OffExchangesApi* | [**add_off_exchange**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#add_off_exchange) | **POST** /off_exchange/add | add collateral
*OffExchangesApi* | [**get_off_exchange_collateral_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#get_off_exchange_collateral_accounts) | **GET** /off_exchange/collateral_accounts/{mainExchangeAccountId} | Find a specific collateral exchange account
*OffExchangesApi* | [**get_off_exchange_settlement_transactions**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#get_off_exchange_settlement_transactions) | **GET** /off_exchange/settlements/transactions | get settlements transactions from exchange
*OffExchangesApi* | [**remove_off_exchange**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#remove_off_exchange) | **POST** /off_exchange/remove | remove collateral
*OffExchangesApi* | [**settle_off_exchange_trades**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#settle_off_exchange_trades) | **POST** /off_exchange/settlements/trader | create settlement for a trader
*PaymentsPayoutApi* | [**create_payout**](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentsPayoutApi.md#create_payout) | **POST** /payments/payout | Create a payout instruction set
*PaymentsPayoutApi* | [**execute_payout_action**](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentsPayoutApi.md#execute_payout_action) | **POST** /payments/payout/{payoutId}/actions/execute | Execute a payout instruction set
*PaymentsPayoutApi* | [**get_payout**](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentsPayoutApi.md#get_payout) | **GET** /payments/payout/{payoutId} | Get the status of a payout instruction set
*PolicyEditorBetaApi* | [**get_active_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#get_active_policy) | **GET** /tap/active_policy | Get the active policy and its validation
*PolicyEditorBetaApi* | [**get_draft**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#get_draft) | **GET** /tap/draft | Get the active draft
*PolicyEditorBetaApi* | [**publish_draft**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#publish_draft) | **POST** /tap/draft | Send publish request for a certain draft id
*PolicyEditorBetaApi* | [**publish_policy_rules**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#publish_policy_rules) | **POST** /tap/publish | Send publish request for a set of policy rules
*PolicyEditorBetaApi* | [**update_draft**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#update_draft) | **PUT** /tap/draft | Update the draft with a new set of rules
*ResetDeviceApi* | [**reset_device**](https://github.com/fireblocks/py-sdk/tree/master/docs/ResetDeviceApi.md#reset_device) | **POST** /management/users/{id}/reset_device | Resets device
*SmartTransferApi* | [**approve_dv_p_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#approve_dv_p_ticket_term) | **PUT** /smart_transfers/{ticketId}/terms/{termId}/dvp/approve | Define funding source and give approve to contract to transfer asset
*SmartTransferApi* | [**cancel_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#cancel_ticket) | **PUT** /smart-transfers/{ticketId}/cancel | Cancel Ticket
*SmartTransferApi* | [**create_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#create_ticket) | **POST** /smart-transfers | Create Ticket
*SmartTransferApi* | [**create_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#create_ticket_term) | **POST** /smart-transfers/{ticketId}/terms | Create leg (term)
*SmartTransferApi* | [**find_ticket_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#find_ticket_by_id) | **GET** /smart-transfers/{ticketId} | Search Tickets by ID
*SmartTransferApi* | [**find_ticket_term_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#find_ticket_term_by_id) | **GET** /smart-transfers/{ticketId}/terms/{termId} | Search ticket by leg (term) ID
*SmartTransferApi* | [**fulfill_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#fulfill_ticket) | **PUT** /smart-transfers/{ticketId}/fulfill | Fund ticket manually
*SmartTransferApi* | [**fund_dvp_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#fund_dvp_ticket) | **PUT** /smart_transfers/{ticketId}/dvp/fund | Fund dvp ticket
*SmartTransferApi* | [**fund_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#fund_ticket_term) | **PUT** /smart-transfers/{ticketId}/terms/{termId}/fund | Define funding source
*SmartTransferApi* | [**get_smart_transfer_statistic**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#get_smart_transfer_statistic) | **GET** /smart_transfers/statistic | Get smart transfers statistic
*SmartTransferApi* | [**get_smart_transfer_user_groups**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#get_smart_transfer_user_groups) | **GET** /smart-transfers/settings/user-groups | Get user group
*SmartTransferApi* | [**manually_fund_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#manually_fund_ticket_term) | **PUT** /smart-transfers/{ticketId}/terms/{termId}/manually-fund | Manually add term transaction
*SmartTransferApi* | [**remove_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#remove_ticket_term) | **DELETE** /smart-transfers/{ticketId}/terms/{termId} | Delete ticket leg (term)
*SmartTransferApi* | [**search_tickets**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#search_tickets) | **GET** /smart-transfers | Find Ticket
*SmartTransferApi* | [**set_external_ref_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#set_external_ref_id) | **PUT** /smart-transfers/{ticketId}/external-id | Add external ref. ID
*SmartTransferApi* | [**set_ticket_expiration**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#set_ticket_expiration) | **PUT** /smart-transfers/{ticketId}/expires-in | Set expiration
*SmartTransferApi* | [**set_user_groups**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#set_user_groups) | **POST** /smart-transfers/settings/user-groups | Set user group
*SmartTransferApi* | [**submit_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#submit_ticket) | **PUT** /smart-transfers/{ticketId}/submit | Submit ticket
*SmartTransferApi* | [**update_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#update_ticket_term) | **PUT** /smart-transfers/{ticketId}/terms/{termId} | Update ticket leg (term)
*StakingBetaApi* | [**approve_terms_of_service_by_provider_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#approve_terms_of_service_by_provider_id) | **POST** /staking/providers/{providerId}/approveTermsOfService |
*StakingBetaApi* | [**execute_action**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#execute_action) | **POST** /staking/chains/{chainDescriptor}/{actionId} |
*StakingBetaApi* | [**get_all_delegations**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_all_delegations) | **GET** /staking/positions |
*StakingBetaApi* | [**get_chain_info**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_chain_info) | **GET** /staking/chains/{chainDescriptor}/chainInfo |
*StakingBetaApi* | [**get_chains**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_chains) | **GET** /staking/chains |
*StakingBetaApi* | [**get_delegation_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_delegation_by_id) | **GET** /staking/positions/{id} |
*StakingBetaApi* | [**get_providers**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_providers) | **GET** /staking/providers |
*StakingBetaApi* | [**get_summary**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_summary) | **GET** /staking/positions/summary |
*StakingBetaApi* | [**get_summary_by_vault**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_summary_by_vault) | **GET** /staking/positions/summary/vaults |
*TokenizationApi* | [**burn_collection_token**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#burn_collection_token) | **POST** /tokenization/collections/{id}/tokens/burn | Burn tokens
*TokenizationApi* | [**create_new_collection**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#create_new_collection) | **POST** /tokenization/collections | Create a new collection
*TokenizationApi* | [**fetch_collection_token_details**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#fetch_collection_token_details) | **GET** /tokenization/collections/{id}/tokens/{tokenId} | Get collection token details
*TokenizationApi* | [**get_collection_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#get_collection_by_id) | **GET** /tokenization/collections/{id} | Get a collection by id
*TokenizationApi* | [**get_linked_collections**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#get_linked_collections) | **GET** /tokenization/collections | Get collections
*TokenizationApi* | [**get_linked_token**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#get_linked_token) | **GET** /tokenization/tokens/{id} | Return a linked token
*TokenizationApi* | [**get_linked_tokens**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#get_linked_tokens) | **GET** /tokenization/tokens | List all linked tokens
*TokenizationApi* | [**issue_new_token**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#issue_new_token) | **POST** /tokenization/tokens | Issue a new token
*TokenizationApi* | [**link**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#link) | **POST** /tokenization/tokens/link | Link a contract
*TokenizationApi* | [**mint_collection_token**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#mint_collection_token) | **POST** /tokenization/collections/{id}/tokens/mint | Mint tokens
*TokenizationApi* | [**unlink**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#unlink) | **DELETE** /tokenization/tokens/{id} | Unlink a token
*TokenizationApi* | [**unlink_collection**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#unlink_collection) | **DELETE** /tokenization/collections/{id} | Delete a collection link
*TransactionsApi* | [**cancel_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#cancel_transaction) | **POST** /transactions/{txId}/cancel | Cancel a transaction
*TransactionsApi* | [**create_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#create_transaction) | **POST** /transactions | Create a new transaction
*TransactionsApi* | [**drop_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#drop_transaction) | **POST** /transactions/{txId}/drop | Drop ETH transaction by ID
*TransactionsApi* | [**estimate_network_fee**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#estimate_network_fee) | **GET** /estimate_network_fee | Estimate the required fee for an asset
*TransactionsApi* | [**estimate_transaction_fee**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#estimate_transaction_fee) | **POST** /transactions/estimate_fee | Estimate transaction fee
*TransactionsApi* | [**freeze_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#freeze_transaction) | **POST** /transactions/{txId}/freeze | Freeze a transaction
*TransactionsApi* | [**get_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#get_transaction) | **GET** /transactions/{txId} | Find a specific transaction by Fireblocks transaction ID
*TransactionsApi* | [**get_transaction_by_external_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#get_transaction_by_external_id) | **GET** /transactions/external_tx_id/{externalTxId} | Find a specific transaction by external transaction ID
*TransactionsApi* | [**get_transactions**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#get_transactions) | **GET** /transactions | List transaction history
*TransactionsApi* | [**rescan_transactions_beta**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#rescan_transactions_beta) | **POST** /transactions/rescan | rescan array of transactions
*TransactionsApi* | [**set_confirmation_threshold_by_transaction_hash**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#set_confirmation_threshold_by_transaction_hash) | **POST** /txHash/{txHash}/set_confirmation_threshold | Set confirmation threshold by transaction hash
*TransactionsApi* | [**set_transaction_confirmation_threshold**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#set_transaction_confirmation_threshold) | **POST** /transactions/{txId}/set_confirmation_threshold | Set confirmation threshold by transaction ID
*TransactionsApi* | [**unfreeze_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#unfreeze_transaction) | **POST** /transactions/{txId}/unfreeze | Unfreeze a transaction
*TransactionsApi* | [**validate_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#validate_address) | **GET** /transactions/validate_address/{assetId}/{address} | Validate destination address
*TravelRuleBetaApi* | [**get_vasp_for_vault**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#get_vasp_for_vault) | **GET** /screening/travel_rule/vault/{vaultAccountId}/vasp | Get assigned VASP to vault
*TravelRuleBetaApi* | [**get_vaspby_did**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#get_vaspby_did) | **GET** /screening/travel_rule/vasp/{did} | Get VASP details
*TravelRuleBetaApi* | [**get_vasps**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#get_vasps) | **GET** /screening/travel_rule/vasp | Get All VASPs
*TravelRuleBetaApi* | [**set_vasp_for_vault**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#set_vasp_for_vault) | **POST** /screening/travel_rule/vault/{vaultAccountId}/vasp | Assign VASP to vault
*TravelRuleBetaApi* | [**update_vasp**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#update_vasp) | **PUT** /screening/travel_rule/vasp/update | Add jsonDidKey to VASP details
*TravelRuleBetaApi* | [**validate_full_travel_rule_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#validate_full_travel_rule_transaction) | **POST** /screening/travel_rule/transaction/validate/full | Validate Full Travel Rule Transaction
*TravelRuleBetaApi* | [**validate_travel_rule_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#validate_travel_rule_transaction) | **POST** /screening/travel_rule/transaction/validate | Validate Travel Rule Transaction
*UserGroupsBetaApi* | [**create_user_group**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#create_user_group) | **POST** /management/user_groups | Create user group
*UserGroupsBetaApi* | [**delete_user_group**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#delete_user_group) | **DELETE** /management/user_groups/{groupId} | Delete user group
*UserGroupsBetaApi* | [**get_user_group**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#get_user_group) | **GET** /management/user_groups/{groupId} | Get user group
*UserGroupsBetaApi* | [**get_user_groups**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#get_user_groups) | **GET** /management/user_groups | List user groups
*UserGroupsBetaApi* | [**update_user_group**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#update_user_group) | **PUT** /management/user_groups/{groupId} | Update user group
*UsersApi* | [**get_users**](https://github.com/fireblocks/py-sdk/tree/master/docs/UsersApi.md#get_users) | **GET** /users | List users
*VaultsApi* | [**activate_asset_for_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#activate_asset_for_vault_account) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/activate | Activate a wallet in a vault account
*VaultsApi* | [**create_legacy_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_legacy_address) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/addresses/{addressId}/create_legacy | Convert a segwit address to legacy format
*VaultsApi* | [**create_multiple_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_multiple_accounts) | **POST** /vault/accounts/bulk | Bulk creation of new vault accounts
*VaultsApi* | [**create_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_vault_account) | **POST** /vault/accounts | Create a new vault account
*VaultsApi* | [**create_vault_account_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_vault_account_asset) | **POST** /vault/accounts/{vaultAccountId}/{assetId} | Create a new wallet
*VaultsApi* | [**create_vault_account_asset_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_vault_account_asset_address) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/addresses | Create new asset deposit address
*VaultsApi* | [**get_asset_wallets**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_asset_wallets) | **GET** /vault/asset_wallets | List asset wallets (Paginated)
*VaultsApi* | [**get_max_spendable_amount**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_max_spendable_amount) | **GET** /vault/accounts/{vaultAccountId}/{assetId}/max_spendable_amount | Get the maximum spendable amount in a single transaction.
*VaultsApi* | [**get_paged_vault_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_paged_vault_accounts) | **GET** /vault/accounts_paged | List vault accounts (Paginated)
*VaultsApi* | [**get_public_key_info**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_public_key_info) | **GET** /vault/public_key_info | Get the public key information
*VaultsApi* | [**get_public_key_info_for_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_public_key_info_for_address) | **GET** /vault/accounts/{vaultAccountId}/{assetId}/{change}/{addressIndex}/public_key_info | Get the public key for a vault account
*VaultsApi* | [**get_unspent_inputs**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_unspent_inputs) | **GET** /vault/accounts/{vaultAccountId}/{assetId}/unspent_inputs | Get UTXO unspent inputs information
*VaultsApi* | [**get_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_account) | **GET** /vault/accounts/{vaultAccountId} | Find a vault account by ID
*VaultsApi* | [**get_vault_account_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_account_asset) | **GET** /vault/accounts/{vaultAccountId}/{assetId} | Get the asset balance for a vault account
*VaultsApi* | [**get_vault_account_asset_addresses_paginated**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_account_asset_addresses_paginated) | **GET** /vault/accounts/{vaultAccountId}/{assetId}/addresses_paginated | List addresses (Paginated)
*VaultsApi* | [**get_vault_assets**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_assets) | **GET** /vault/assets | Get asset balance for chosen assets
*VaultsApi* | [**get_vault_balance_by_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_balance_by_asset) | **GET** /vault/assets/{assetId} | Get vault balance by asset
*VaultsApi* | [**hide_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#hide_vault_account) | **POST** /vault/accounts/{vaultAccountId}/hide | Hide a vault account in the console
*VaultsApi* | [**set_customer_ref_id_for_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#set_customer_ref_id_for_address) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/addresses/{addressId}/set_customer_ref_id | Assign AML customer reference ID
*VaultsApi* | [**set_vault_account_auto_fuel**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#set_vault_account_auto_fuel) | **POST** /vault/accounts/{vaultAccountId}/set_auto_fuel | Turn autofueling on or off
*VaultsApi* | [**set_vault_account_customer_ref_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#set_vault_account_customer_ref_id) | **POST** /vault/accounts/{vaultAccountId}/set_customer_ref_id | Set an AML/KYT customer reference ID for a vault account
*VaultsApi* | [**unhide_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#unhide_vault_account) | **POST** /vault/accounts/{vaultAccountId}/unhide | Unhide a vault account in the console
*VaultsApi* | [**update_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#update_vault_account) | **PUT** /vault/accounts/{vaultAccountId} | Rename a vault account
*VaultsApi* | [**update_vault_account_asset_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#update_vault_account_asset_address) | **PUT** /vault/accounts/{vaultAccountId}/{assetId}/addresses/{addressId} | Update address description
*VaultsApi* | [**update_vault_account_asset_balance**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#update_vault_account_asset_balance) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/balance | Refresh asset balance data
*Web3ConnectionsApi* | [**create**](https://github.com/fireblocks/py-sdk/tree/master/docs/Web3ConnectionsApi.md#create) | **POST** /connections/wc | Create a new Web3 connection.
*Web3ConnectionsApi* | [**get**](https://github.com/fireblocks/py-sdk/tree/master/docs/Web3ConnectionsApi.md#get) | **GET** /connections | List all open Web3 connections.
*Web3ConnectionsApi* | [**remove**](https://github.com/fireblocks/py-sdk/tree/master/docs/Web3ConnectionsApi.md#remove) | **DELETE** /connections/wc/{id} | Remove an existing Web3 connection.
*Web3ConnectionsApi* | [**submit**](https://github.com/fireblocks/py-sdk/tree/master/docs/Web3ConnectionsApi.md#submit) | **PUT** /connections/wc/{id} | Respond to a pending Web3 connection request.
*WebhooksApi* | [**resend_transaction_webhooks**](https://github.com/fireblocks/py-sdk/tree/master/docs/WebhooksApi.md#resend_transaction_webhooks) | **POST** /webhooks/resend/{txId} | Resend failed webhooks for a transaction by ID
*WebhooksApi* | [**resend_webhooks**](https://github.com/fireblocks/py-sdk/tree/master/docs/WebhooksApi.md#resend_webhooks) | **POST** /webhooks/resend | Resend failed webhooks
*WorkspaceStatusBetaApi* | [**get_workspace_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/WorkspaceStatusBetaApi.md#get_workspace_status) | **GET** /management/workspace_status | Returns current workspace status
*WhitelistIpAddressesApi* | [**get_whitelist_ip_addresses**](https://github.com/fireblocks/py-sdk/tree/master/docs/WhitelistIpAddressesApi.md#get_whitelist_ip_addresses) | **GET** /management/api_users/{userId}/whitelist_ip_addresses | Gets whitelisted ip addresses
## Documentation For Models
- [APIUser](https://github.com/fireblocks/py-sdk/tree/master/docs/APIUser.md)
- [AbiFunction](https://github.com/fireblocks/py-sdk/tree/master/docs/AbiFunction.md)
- [Account](https://github.com/fireblocks/py-sdk/tree/master/docs/Account.md)
- [AccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/AccountType.md)
- [AddAbiRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAbiRequestDto.md)
- [AddAssetToExternalWalletRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequest.md)
- [AddAssetToExternalWalletRequestOneOf](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf.md)
- [AddAssetToExternalWalletRequestOneOf1](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1.md)
- [AddAssetToExternalWalletRequestOneOf1AdditionalInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1AdditionalInfo.md)
- [AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf.md)
- [AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf1](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf1.md)
- [AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf2](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf2.md)
- [AddCollateralRequestBody](https://github.com/fireblocks/py-sdk/tree/master/docs/AddCollateralRequestBody.md)
- [AddContractAssetRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/AddContractAssetRequest.md)
- [AdditionalInfoDto](https://github.com/fireblocks/py-sdk/tree/master/docs/AdditionalInfoDto.md)
- [AmlRegistrationResult](https://github.com/fireblocks/py-sdk/tree/master/docs/AmlRegistrationResult.md)
- [AmlScreeningResult](https://github.com/fireblocks/py-sdk/tree/master/docs/AmlScreeningResult.md)
- [AmountAggregationTimePeriodMethod](https://github.com/fireblocks/py-sdk/tree/master/docs/AmountAggregationTimePeriodMethod.md)
- [AmountAndChainDescriptor](https://github.com/fireblocks/py-sdk/tree/master/docs/AmountAndChainDescriptor.md)
- [AmountInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/AmountInfo.md)
- [ApiKey](https://github.com/fireblocks/py-sdk/tree/master/docs/ApiKey.md)
- [ApiKeysPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ApiKeysPaginatedResponse.md)
- [AssetAlreadyExistHttpError](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetAlreadyExistHttpError.md)
- [AssetAmount](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetAmount.md)
- [AssetBadRequestErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetBadRequestErrorResponse.md)
- [AssetConflictErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetConflictErrorResponse.md)
- [AssetForbiddenErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetForbiddenErrorResponse.md)
- [AssetInternalServerErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetInternalServerErrorResponse.md)
- [AssetMetadataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetMetadataDto.md)
- [AssetNotFoundErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetNotFoundErrorResponse.md)
- [AssetPriceForbiddenErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetPriceForbiddenErrorResponse.md)
- [AssetPriceNotFoundErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetPriceNotFoundErrorResponse.md)
- [AssetPriceResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetPriceResponse.md)
- [AssetResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetResponse.md)
- [AssetResponseMetadata](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetResponseMetadata.md)
- [AssetResponseOnchain](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetResponseOnchain.md)
- [AssetTypeResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetTypeResponse.md)
- [AssetWallet](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetWallet.md)
- [AuditLogData](https://github.com/fireblocks/py-sdk/tree/master/docs/AuditLogData.md)
- [AuditorData](https://github.com/fireblocks/py-sdk/tree/master/docs/AuditorData.md)
- [AuthorizationGroups](https://github.com/fireblocks/py-sdk/tree/master/docs/AuthorizationGroups.md)
- [AuthorizationInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/AuthorizationInfo.md)
- [BlockInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/BlockInfo.md)
- [CancelTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CancelTransactionResponse.md)
- [ChainInfoResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ChainInfoResponseDto.md)
- [CollectionBurnRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionBurnRequestDto.md)
- [CollectionBurnResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionBurnResponseDto.md)
- [CollectionDeployRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionDeployRequestDto.md)
- [CollectionLinkDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionLinkDto.md)
- [CollectionMetadataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionMetadataDto.md)
- [CollectionMintRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionMintRequestDto.md)
- [CollectionMintResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionMintResponseDto.md)
- [CollectionOwnershipResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionOwnershipResponse.md)
- [CollectionTokenMetadataAttributeDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionTokenMetadataAttributeDto.md)
- [CollectionTokenMetadataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionTokenMetadataDto.md)
- [CollectionType](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionType.md)
- [ComplianceResult](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceResult.md)
- [ComplianceScreeningResult](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceScreeningResult.md)
- [ConfigChangeRequestStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigChangeRequestStatus.md)
- [ConfigConversionOperationSnapshot](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigConversionOperationSnapshot.md)
- [ConfigDisbursementOperationSnapshot](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigDisbursementOperationSnapshot.md)
- [ConfigOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigOperation.md)
- [ConfigOperationSnapshot](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigOperationSnapshot.md)
- [ConfigOperationStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigOperationStatus.md)
- [ConfigTransferOperationSnapshot](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigTransferOperationSnapshot.md)
- [ConsoleUser](https://github.com/fireblocks/py-sdk/tree/master/docs/ConsoleUser.md)
- [ContractAbiResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractAbiResponseDto.md)
- [ContractAttributes](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractAttributes.md)
- [ContractDeployRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractDeployRequest.md)
- [ContractDeployResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractDeployResponse.md)
- [ContractDoc](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractDoc.md)
- [ContractMetadataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractMetadataDto.md)
- [ContractTemplateDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplateDto.md)
- [ContractUploadRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractUploadRequest.md)
- [ContractWithAbiDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractWithAbiDto.md)
- [ConversionConfigOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionConfigOperation.md)
- [ConversionOperationConfigParams](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationConfigParams.md)
- [ConversionOperationExecution](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationExecution.md)
- [ConversionOperationExecutionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationExecutionOutput.md)
- [ConversionOperationExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationExecutionParams.md)
- [ConversionOperationExecutionParamsExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationExecutionParamsExecutionParams.md)
- [ConversionOperationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationFailure.md)
- [ConversionOperationPreview](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationPreview.md)
- [ConversionOperationPreviewOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationPreviewOutput.md)
- [ConversionOperationType](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationType.md)
- [ConversionValidationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionValidationFailure.md)
- [ConvertAssetsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ConvertAssetsRequest.md)
- [ConvertAssetsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ConvertAssetsResponse.md)
- [Cosigner](https://github.com/fireblocks/py-sdk/tree/master/docs/Cosigner.md)
- [CosignersPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersPaginatedResponse.md)
- [CreateAPIUser](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAPIUser.md)
- [CreateAddressRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAddressRequest.md)
- [CreateAddressResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAddressResponse.md)
- [CreateAssetsBulkRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAssetsBulkRequest.md)
- [CreateAssetsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAssetsRequest.md)
- [CreateConfigOperationRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConfigOperationRequest.md)
- [CreateConnectionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConnectionRequest.md)
- [CreateConnectionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConnectionResponse.md)
- [CreateConsoleUser](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConsoleUser.md)
- [CreateContractRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateContractRequest.md)
- [CreateConversionConfigOperationRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConversionConfigOperationRequest.md)
- [CreateDisbursementConfigOperationRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateDisbursementConfigOperationRequest.md)
- [CreateInternalTransferRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateInternalTransferRequest.md)
- [CreateInternalWalletAssetRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateInternalWalletAssetRequest.md)
- [CreateMultipleAccountsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateMultipleAccountsRequest.md)
- [CreateNcwConnectionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateNcwConnectionRequest.md)
- [CreateNetworkIdRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateNetworkIdRequest.md)
- [CreatePayoutRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreatePayoutRequest.md)
- [CreateSigningKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateSigningKeyDto.md)
- [CreateSigningKeyDtoProofOfOwnership](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateSigningKeyDtoProofOfOwnership.md)
- [CreateTokenRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateTokenRequestDto.md)
- [CreateTokenRequestDtoCreateParams](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateTokenRequestDtoCreateParams.md)
- [CreateTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateTransactionResponse.md)
- [CreateTransferConfigOperationRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateTransferConfigOperationRequest.md)
- [CreateUserGroupResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateUserGroupResponse.md)
- [CreateValidationKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateValidationKeyDto.md)
- [CreateValidationKeyResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateValidationKeyResponseDto.md)
- [CreateVaultAccountConnectionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateVaultAccountConnectionRequest.md)
- [CreateVaultAccountRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateVaultAccountRequest.md)
- [CreateVaultAssetResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateVaultAssetResponse.md)
- [CreateWalletRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateWalletRequest.md)
- [CreateWorkflowExecutionRequestParamsInner](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateWorkflowExecutionRequestParamsInner.md)
- [CustomRoutingDest](https://github.com/fireblocks/py-sdk/tree/master/docs/CustomRoutingDest.md)
- [DefaultNetworkRoutingDest](https://github.com/fireblocks/py-sdk/tree/master/docs/DefaultNetworkRoutingDest.md)
- [DelegationDto](https://github.com/fireblocks/py-sdk/tree/master/docs/DelegationDto.md)
- [DelegationSummaryDto](https://github.com/fireblocks/py-sdk/tree/master/docs/DelegationSummaryDto.md)
- [DeleteNetworkConnectionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DeleteNetworkConnectionResponse.md)
- [DeleteNetworkIdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DeleteNetworkIdResponse.md)
- [DeployedContractResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractResponseDto.md)
- [DeployedContractsPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsPaginatedResponse.md)
- [DepositFundsFromLinkedDDAResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DepositFundsFromLinkedDDAResponse.md)
- [Destination](https://github.com/fireblocks/py-sdk/tree/master/docs/Destination.md)
- [DestinationTransferPeerPath](https://github.com/fireblocks/py-sdk/tree/master/docs/DestinationTransferPeerPath.md)
- [DestinationTransferPeerPathResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DestinationTransferPeerPathResponse.md)
- [DisbursementAmountInstruction](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementAmountInstruction.md)
- [DisbursementConfigOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementConfigOperation.md)
- [DisbursementInstruction](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementInstruction.md)
- [DisbursementInstructionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementInstructionOutput.md)
- [DisbursementOperationConfigParams](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationConfigParams.md)
- [DisbursementOperationExecution](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationExecution.md)
- [DisbursementOperationExecutionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationExecutionOutput.md)
- [DisbursementOperationExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationExecutionParams.md)
- [DisbursementOperationExecutionParamsExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationExecutionParamsExecutionParams.md)
- [DisbursementOperationInput](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationInput.md)
- [DisbursementOperationPreview](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationPreview.md)
- [DisbursementOperationPreviewOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationPreviewOutput.md)
- [DisbursementOperationPreviewOutputInstructionSetInner](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationPreviewOutputInstructionSetInner.md)
- [DisbursementOperationType](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationType.md)
- [DisbursementPercentageInstruction](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementPercentageInstruction.md)
- [DisbursementValidationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementValidationFailure.md)
- [DispatchPayoutResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DispatchPayoutResponse.md)
- [DraftResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DraftResponse.md)
- [DraftReviewAndValidationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DraftReviewAndValidationResponse.md)
- [DropTransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/DropTransactionRequest.md)
- [DropTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DropTransactionResponse.md)
- [EVMTokenCreateParamsDto](https://github.com/fireblocks/py-sdk/tree/master/docs/EVMTokenCreateParamsDto.md)
- [EditGasStationConfigurationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/EditGasStationConfigurationResponse.md)
- [ErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ErrorResponse.md)
- [ErrorResponseError](https://github.com/fireblocks/py-sdk/tree/master/docs/ErrorResponseError.md)
- [ErrorSchema](https://github.com/fireblocks/py-sdk/tree/master/docs/ErrorSchema.md)
- [EstimatedNetworkFeeResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/EstimatedNetworkFeeResponse.md)
- [EstimatedTransactionFeeResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/EstimatedTransactionFeeResponse.md)
- [ExchangeAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccount.md)
- [ExchangeAccountsPaged](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsPaged.md)
- [ExchangeAccountsPagedPaging](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsPagedPaging.md)
- [ExchangeAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAsset.md)
- [ExchangeSettlementTransactionsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeSettlementTransactionsResponse.md)
- [ExchangeTradingAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeTradingAccount.md)
- [ExchangeType](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeType.md)
- [ExecuteActionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecuteActionRequest.md)
- [ExecuteActionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecuteActionResponse.md)
- [ExecutionConversionOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionConversionOperation.md)
- [ExecutionDisbursementOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionDisbursementOperation.md)
- [ExecutionOperationStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionOperationStatus.md)
- [ExecutionScreeningOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionScreeningOperation.md)
- [ExecutionTransferOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionTransferOperation.md)
- [ExternalWalletAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletAsset.md)
- [FeeInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/FeeInfo.md)
- [FetchAbiRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/FetchAbiRequestDto.md)
- [FiatAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccount.md)
- [FiatAccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountType.md)
- [FiatAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAsset.md)
- [FreezeTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/FreezeTransactionResponse.md)
- [FunctionDoc](https://github.com/fireblocks/py-sdk/tree/master/docs/FunctionDoc.md)
- [Funds](https://github.com/fireblocks/py-sdk/tree/master/docs/Funds.md)
- [GasStationConfiguration](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationConfiguration.md)
- [GasStationConfigurationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationConfigurationResponse.md)
- [GasStationPropertiesResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationPropertiesResponse.md)
- [GetAPIUsersResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetAPIUsersResponse.md)
- [GetAuditLogsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetAuditLogsResponse.md)
- [GetConnectionsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetConnectionsResponse.md)
- [GetConsoleUsersResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetConsoleUsersResponse.md)
- [GetExchangeAccountsCredentialsPublicKeyResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetExchangeAccountsCredentialsPublicKeyResponse.md)
- [GetFilterParameter](https://github.com/fireblocks/py-sdk/tree/master/docs/GetFilterParameter.md)
- [GetLinkedCollectionsPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetLinkedCollectionsPaginatedResponse.md)
- [GetMaxSpendableAmountResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetMaxSpendableAmountResponse.md)
- [GetNFTsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetNFTsResponse.md)
- [GetOtaStatusResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetOtaStatusResponse.md)
- [GetOwnershipTokensResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetOwnershipTokensResponse.md)
- [GetSigningKeyResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/GetSigningKeyResponseDto.md)
- [GetTransactionOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/GetTransactionOperation.md)
- [GetValidationKeyResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/GetValidationKeyResponseDto.md)
- [GetWhitelistIpAddressesResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetWhitelistIpAddressesResponse.md)
- [GetWorkspaceStatusResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetWorkspaceStatusResponse.md)
- [HttpContractDoesNotExistError](https://github.com/fireblocks/py-sdk/tree/master/docs/HttpContractDoesNotExistError.md)
- [InstructionAmount](https://github.com/fireblocks/py-sdk/tree/master/docs/InstructionAmount.md)
- [InternalTransferResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalTransferResponse.md)
- [Job](https://github.com/fireblocks/py-sdk/tree/master/docs/Job.md)
- [JobCreated](https://github.com/fireblocks/py-sdk/tree/master/docs/JobCreated.md)
- [LeanAbiFunction](https://github.com/fireblocks/py-sdk/tree/master/docs/LeanAbiFunction.md)
- [LeanContractDto](https://github.com/fireblocks/py-sdk/tree/master/docs/LeanContractDto.md)
- [LeanDeployedContractResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/LeanDeployedContractResponseDto.md)
- [ListOwnedCollectionsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ListOwnedCollectionsResponse.md)
- [ListOwnedTokensResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ListOwnedTokensResponse.md)
- [MediaEntityResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/MediaEntityResponse.md)
- [ModifySigningKeyAgentIdDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ModifySigningKeyAgentIdDto.md)
- [ModifySigningKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ModifySigningKeyDto.md)
- [ModifyValidationKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ModifyValidationKeyDto.md)
- [NetworkChannel](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkChannel.md)
- [NetworkConnection](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnection.md)
- [NetworkConnectionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionResponse.md)
- [NetworkConnectionRoutingPolicyValue](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionRoutingPolicyValue.md)
- [NetworkConnectionStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionStatus.md)
- [NetworkFee](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkFee.md)
- [NetworkId](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkId.md)
- [NetworkIdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkIdResponse.md)
- [NetworkIdRoutingPolicyValue](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkIdRoutingPolicyValue.md)
- [NetworkRecord](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkRecord.md)
- [NoneNetworkRoutingDest](https://github.com/fireblocks/py-sdk/tree/master/docs/NoneNetworkRoutingDest.md)
- [NotFoundException](https://github.com/fireblocks/py-sdk/tree/master/docs/NotFoundException.md)
- [OneTimeAddress](https://github.com/fireblocks/py-sdk/tree/master/docs/OneTimeAddress.md)
- [OneTimeAddressAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/OneTimeAddressAccount.md)
- [OperationExecutionFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/OperationExecutionFailure.md)
- [PaginatedAddressResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PaginatedAddressResponse.md)
- [PaginatedAddressResponsePaging](https://github.com/fireblocks/py-sdk/tree/master/docs/PaginatedAddressResponsePaging.md)
- [PaginatedAssetWalletResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PaginatedAssetWalletResponse.md)
- [PaginatedAssetWalletResponsePaging](https://github.com/fireblocks/py-sdk/tree/master/docs/PaginatedAssetWalletResponsePaging.md)
- [Paging](https://github.com/fireblocks/py-sdk/tree/master/docs/Paging.md)
- [Parameter](https://github.com/fireblocks/py-sdk/tree/master/docs/Parameter.md)
- [ParameterWithValue](https://github.com/fireblocks/py-sdk/tree/master/docs/ParameterWithValue.md)
- [PayeeAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/PayeeAccount.md)
- [PayeeAccountResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PayeeAccountResponse.md)
- [PayeeAccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/PayeeAccountType.md)
- [PaymentAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentAccount.md)
- [PaymentAccountResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentAccountResponse.md)
- [PaymentAccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentAccountType.md)
- [PayoutInitMethod](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutInitMethod.md)
- [PayoutInstruction](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutInstruction.md)
- [PayoutInstructionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutInstructionResponse.md)
- [PayoutInstructionState](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutInstructionState.md)
- [PayoutResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutResponse.md)
- [PayoutState](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutState.md)
- [PayoutStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutStatus.md)
- [PolicyAndValidationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyAndValidationResponse.md)
- [PolicyCheckResult](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyCheckResult.md)
- [PolicyMetadata](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyMetadata.md)
- [PolicyResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyResponse.md)
- [PolicyRule](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRule.md)
- [PolicyRuleAmount](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleAmount.md)
- [PolicyRuleAmountAggregation](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleAmountAggregation.md)
- [PolicyRuleAuthorizationGroups](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleAuthorizationGroups.md)
- [PolicyRuleAuthorizationGroupsGroupsInner](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleAuthorizationGroupsGroupsInner.md)
- [PolicyRuleCheckResult](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleCheckResult.md)
- [PolicyRuleDesignatedSigners](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleDesignatedSigners.md)
- [PolicyRuleDst](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleDst.md)
- [PolicyRuleError](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleError.md)
- [PolicyRuleOperators](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleOperators.md)
- [PolicyRuleRawMessageSigning](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleRawMessageSigning.md)
- [PolicyRuleRawMessageSigningDerivationPath](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleRawMessageSigningDerivationPath.md)
- [PolicyRuleSrc](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleSrc.md)
- [PolicyRules](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRules.md)
- [PolicySrcOrDestSubType](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicySrcOrDestSubType.md)
- [PolicySrcOrDestType](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicySrcOrDestType.md)
- [PolicyStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyStatus.md)
- [PolicyValidation](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyValidation.md)
- [PreScreening](https://github.com/fireblocks/py-sdk/tree/master/docs/PreScreening.md)
- [ProviderDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ProviderDto.md)
- [PublicKeyInformation](https://github.com/fireblocks/py-sdk/tree/master/docs/PublicKeyInformation.md)
- [PublishDraftRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/PublishDraftRequest.md)
- [PublishResult](https://github.com/fireblocks/py-sdk/tree/master/docs/PublishResult.md)
- [ReadAbiFunction](https://github.com/fireblocks/py-sdk/tree/master/docs/ReadAbiFunction.md)
- [ReadCallFunctionDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ReadCallFunctionDto.md)
- [RedeemFundsToLinkedDDAResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/RedeemFundsToLinkedDDAResponse.md)
- [RegisterNewAssetRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/RegisterNewAssetRequest.md)
- [RelatedRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/RelatedRequestDto.md)
- [RelatedRequestStatusType](https://github.com/fireblocks/py-sdk/tree/master/docs/RelatedRequestStatusType.md)
- [RelatedTransactionDto](https://github.com/fireblocks/py-sdk/tree/master/docs/RelatedTransactionDto.md)
- [RemoveCollateralRequestBody](https://github.com/fireblocks/py-sdk/tree/master/docs/RemoveCollateralRequestBody.md)
- [RenameCosigner](https://github.com/fireblocks/py-sdk/tree/master/docs/RenameCosigner.md)
- [RenameVaultAccountResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/RenameVaultAccountResponse.md)
- [RescanTransaction](https://github.com/fireblocks/py-sdk/tree/master/docs/RescanTransaction.md)
- [ResendTransactionWebhooksRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ResendTransactionWebhooksRequest.md)
- [ResendWebhooksByTransactionIdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ResendWebhooksByTransactionIdResponse.md)
- [ResendWebhooksResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ResendWebhooksResponse.md)
- [RespondToConnectionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/RespondToConnectionRequest.md)
- [RewardInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/RewardInfo.md)
- [RewardsInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/RewardsInfo.md)
- [ScreeningConfigurationsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningConfigurationsRequest.md)
- [ScreeningOperationExecution](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningOperationExecution.md)
- [ScreeningOperationExecutionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningOperationExecutionOutput.md)
- [ScreeningOperationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningOperationFailure.md)
- [ScreeningOperationType](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningOperationType.md)
- [ScreeningPolicyResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningPolicyResponse.md)
- [ScreeningProviderRulesConfigurationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningProviderRulesConfigurationResponse.md)
- [ScreeningUpdateConfigurationsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningUpdateConfigurationsRequest.md)
- [ScreeningValidationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningValidationFailure.md)
- [ScreeningVerdict](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningVerdict.md)
- [ScreeningVerdictMatchedRule](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningVerdictMatchedRule.md)
- [SessionDTO](https://github.com/fireblocks/py-sdk/tree/master/docs/SessionDTO.md)
- [SessionMetadata](https://github.com/fireblocks/py-sdk/tree/master/docs/SessionMetadata.md)
- [SetAdminQuorumThresholdRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetAdminQuorumThresholdRequest.md)
- [SetAdminQuorumThresholdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetAdminQuorumThresholdResponse.md)
- [SetAssetPriceRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetAssetPriceRequest.md)
- [SetAutoFuelRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetAutoFuelRequest.md)
- [SetConfirmationsThresholdRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetConfirmationsThresholdRequest.md)
- [SetConfirmationsThresholdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetConfirmationsThresholdResponse.md)
- [SetCustomerRefIdForAddressRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetCustomerRefIdForAddressRequest.md)
- [SetCustomerRefIdRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetCustomerRefIdRequest.md)
- [SetNetworkIdDiscoverabilityRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetNetworkIdDiscoverabilityRequest.md)
- [SetNetworkIdNameRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetNetworkIdNameRequest.md)
- [SetNetworkIdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetNetworkIdResponse.md)
- [SetNetworkIdRoutingPolicyRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetNetworkIdRoutingPolicyRequest.md)
- [SetOtaStatusRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetOtaStatusRequest.md)
- [SetOtaStatusResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetOtaStatusResponse.md)
- [SetOtaStatusResponseOneOf](https://github.com/fireblocks/py-sdk/tree/master/docs/SetOtaStatusResponseOneOf.md)
- [SetRoutingPolicyRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetRoutingPolicyRequest.md)
- [SetRoutingPolicyResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetRoutingPolicyResponse.md)
- [SettlementRequestBody](https://github.com/fireblocks/py-sdk/tree/master/docs/SettlementRequestBody.md)
- [SettlementResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SettlementResponse.md)
- [SignedMessage](https://github.com/fireblocks/py-sdk/tree/master/docs/SignedMessage.md)
- [SignedMessageSignature](https://github.com/fireblocks/py-sdk/tree/master/docs/SignedMessageSignature.md)
- [SigningKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/SigningKeyDto.md)
- [SmartTransferApproveTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApproveTerm.md)
- [SmartTransferBadRequestResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferBadRequestResponse.md)
- [SmartTransferCoinStatistic](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferCoinStatistic.md)
- [SmartTransferCreateTicket](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferCreateTicket.md)
- [SmartTransferCreateTicketTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferCreateTicketTerm.md)
- [SmartTransferForbiddenResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferForbiddenResponse.md)
- [SmartTransferFundTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferFundTerm.md)
- [SmartTransferManuallyFundTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferManuallyFundTerm.md)
- [SmartTransferNotFoundResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferNotFoundResponse.md)
- [SmartTransferSetTicketExpiration](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferSetTicketExpiration.md)
- [SmartTransferSetTicketExternalId](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferSetTicketExternalId.md)
- [SmartTransferSetUserGroups](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferSetUserGroups.md)
- [SmartTransferStatistic](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferStatistic.md)
- [SmartTransferStatisticInflow](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferStatisticInflow.md)
- [SmartTransferStatisticOutflow](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferStatisticOutflow.md)
- [SmartTransferSubmitTicket](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferSubmitTicket.md)
- [SmartTransferTicket](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicket.md)
- [SmartTransferTicketFilteredResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicketFilteredResponse.md)
- [SmartTransferTicketResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicketResponse.md)
- [SmartTransferTicketTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicketTerm.md)
- [SmartTransferTicketTermResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicketTermResponse.md)
- [SmartTransferUpdateTicketTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferUpdateTicketTerm.md)
- [SmartTransferUserGroups](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferUserGroups.md)
- [SmartTransferUserGroupsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferUserGroupsResponse.md)
- [SolanaBlockchainDataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/SolanaBlockchainDataDto.md)
- [SourceTransferPeerPath](https://github.com/fireblocks/py-sdk/tree/master/docs/SourceTransferPeerPath.md)
- [SourceTransferPeerPathResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SourceTransferPeerPathResponse.md)
- [SpamOwnershipResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SpamOwnershipResponse.md)
- [SpamTokenResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SpamTokenResponse.md)
- [SrcOrDestAttributesInner](https://github.com/fireblocks/py-sdk/tree/master/docs/SrcOrDestAttributesInner.md)
- [StakeRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/StakeRequestDto.md)
- [StakeResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/StakeResponseDto.md)
- [StellarRippleCreateParamsDto](https://github.com/fireblocks/py-sdk/tree/master/docs/StellarRippleCreateParamsDto.md)
- [SystemMessageInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/SystemMessageInfo.md)
- [Task](https://github.com/fireblocks/py-sdk/tree/master/docs/Task.md)
- [TemplatesPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TemplatesPaginatedResponse.md)
- [ThirdPartyRouting](https://github.com/fireblocks/py-sdk/tree/master/docs/ThirdPartyRouting.md)
- [ToCollateralTransaction](https://github.com/fireblocks/py-sdk/tree/master/docs/ToCollateralTransaction.md)
- [ToExchangeTransaction](https://github.com/fireblocks/py-sdk/tree/master/docs/ToExchangeTransaction.md)
- [TokenCollectionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenCollectionResponse.md)
- [TokenLinkDto](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenLinkDto.md)
- [TokenLinkDtoTokenMetadata](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenLinkDtoTokenMetadata.md)
- [TokenLinkExistsHttpError](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenLinkExistsHttpError.md)
- [TokenLinkRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenLinkRequestDto.md)
- [TokenOwnershipResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenOwnershipResponse.md)
- [TokenOwnershipSpamUpdatePayload](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenOwnershipSpamUpdatePayload.md)
- [TokenOwnershipStatusUpdatePayload](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenOwnershipStatusUpdatePayload.md)
- [TokenResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenResponse.md)
- [TokensPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TokensPaginatedResponse.md)
- [TradingAccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/TradingAccountType.md)
- [Transaction](https://github.com/fireblocks/py-sdk/tree/master/docs/Transaction.md)
- [TransactionFee](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionFee.md)
- [TransactionOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionOperation.md)
- [TransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequest.md)
- [TransactionRequestAmount](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestAmount.md)
- [TransactionRequestDestination](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestDestination.md)
- [TransactionRequestFee](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestFee.md)
- [TransactionRequestGasLimit](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestGasLimit.md)
- [TransactionRequestGasPrice](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestGasPrice.md)
- [TransactionRequestNetworkFee](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestNetworkFee.md)
- [TransactionRequestNetworkStaking](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestNetworkStaking.md)
- [TransactionRequestPriorityFee](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestPriorityFee.md)
- [TransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionResponse.md)
- [TransactionResponseContractCallDecodedData](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionResponseContractCallDecodedData.md)
- [TransactionResponseDestination](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionResponseDestination.md)
- [TransferConfigOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferConfigOperation.md)
- [TransferOperationConfigParams](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationConfigParams.md)
- [TransferOperationExecution](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationExecution.md)
- [TransferOperationExecutionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationExecutionOutput.md)
- [TransferOperationExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationExecutionParams.md)
- [TransferOperationExecutionParamsExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationExecutionParamsExecutionParams.md)
- [TransferOperationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationFailure.md)
- [TransferOperationFailureData](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationFailureData.md)
- [TransferOperationPreview](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationPreview.md)
- [TransferOperationPreviewOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationPreviewOutput.md)
- [TransferOperationType](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationType.md)
- [TransferPeerPathSubType](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferPeerPathSubType.md)
- [TransferPeerPathType](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferPeerPathType.md)
- [TransferValidationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferValidationFailure.md)
- [TravelRuleAddress](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleAddress.md)
- [TravelRuleCreateTransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleCreateTransactionRequest.md)
- [TravelRuleGetAllVASPsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleGetAllVASPsResponse.md)
- [TravelRuleIssuer](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleIssuer.md)
- [TravelRuleIssuers](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleIssuers.md)
- [TravelRuleOwnershipProof](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleOwnershipProof.md)
- [TravelRulePiiIVMS](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRulePiiIVMS.md)
- [TravelRulePolicyRuleResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRulePolicyRuleResponse.md)
- [TravelRuleTransactionBlockchainInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleTransactionBlockchainInfo.md)
- [TravelRuleUpdateVASPDetails](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleUpdateVASPDetails.md)
- [TravelRuleVASP](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleVASP.md)
- [TravelRuleValidateFullTransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleValidateFullTransactionRequest.md)
- [TravelRuleValidateTransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleValidateTransactionRequest.md)
- [TravelRuleValidateTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleValidateTransactionResponse.md)
- [TravelRuleVaspForVault](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleVaspForVault.md)
- [UnfreezeTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UnfreezeTransactionResponse.md)
- [UnmanagedWallet](https://github.com/fireblocks/py-sdk/tree/master/docs/UnmanagedWallet.md)
- [UnspentInput](https://github.com/fireblocks/py-sdk/tree/master/docs/UnspentInput.md)
- [UnspentInputsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UnspentInputsResponse.md)
- [UnstakeRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/UnstakeRequestDto.md)
- [UpdateTokenOwnershipStatusDto](https://github.com/fireblocks/py-sdk/tree/master/docs/UpdateTokenOwnershipStatusDto.md)
- [UpdateVaultAccountAssetAddressRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/UpdateVaultAccountAssetAddressRequest.md)
- [UpdateVaultAccountRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/UpdateVaultAccountRequest.md)
- [UserGroupCreateRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupCreateRequest.md)
- [UserGroupCreateResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupCreateResponse.md)
- [UserGroupResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupResponse.md)
- [UserGroupUpdateRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupUpdateRequest.md)
- [UserResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UserResponse.md)
- [UserRole](https://github.com/fireblocks/py-sdk/tree/master/docs/UserRole.md)
- [UserStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/UserStatus.md)
- [UserType](https://github.com/fireblocks/py-sdk/tree/master/docs/UserType.md)
- [ValidateAddressResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ValidateAddressResponse.md)
- [ValidatedTransactionsForRescan](https://github.com/fireblocks/py-sdk/tree/master/docs/ValidatedTransactionsForRescan.md)
- [ValidationKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ValidationKeyDto.md)
- [ValidatorDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ValidatorDto.md)
- [VaultAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultAccount.md)
- [VaultAccountsPagedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultAccountsPagedResponse.md)
- [VaultAccountsPagedResponsePaging](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultAccountsPagedResponsePaging.md)
- [VaultActionStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultActionStatus.md)
- [VaultAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultAsset.md)
- [VaultWalletAddress](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultWalletAddress.md)
- [VendorDto](https://github.com/fireblocks/py-sdk/tree/master/docs/VendorDto.md)
- [WalletAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/WalletAsset.md)
- [WalletAssetAdditionalInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/WalletAssetAdditionalInfo.md)
- [WithdrawRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/WithdrawRequestDto.md)
- [WorkflowConfigStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/WorkflowConfigStatus.md)
- [WorkflowConfigurationId](https://github.com/fireblocks/py-sdk/tree/master/docs/WorkflowConfigurationId.md)
- [WorkflowExecutionOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/WorkflowExecutionOperation.md)
- [WriteAbiFunction](https://github.com/fireblocks/py-sdk/tree/master/docs/WriteAbiFunction.md)
- [WriteCallFunctionDto](https://github.com/fireblocks/py-sdk/tree/master/docs/WriteCallFunctionDto.md)
- [WriteCallFunctionResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/WriteCallFunctionResponseDto.md)
<a id="documentation-for-authorization"></a>
## Documentation For Authorization
Authentication schemes defined for the API:
<a id="bearerTokenAuth"></a>
### bearerTokenAuth
- **Type**: Bearer authentication (JWT)
<a id="ApiKeyAuth"></a>
### ApiKeyAuth
- **Type**: API key
- **API key parameter name**: X-API-Key
- **Location**: HTTP header
## Author
support@fireblocks.com
Raw data
{
"_id": null,
"home_page": "https://github.com/fireblocks/py-sdk/tree/master",
"name": "fireblocks",
"maintainer": null,
"docs_url": null,
"requires_python": ">=3.8",
"maintainer_email": null,
"keywords": "Fireblocks, SDK, Fireblocks API",
"author": "Fireblocks",
"author_email": "support@fireblocks.com",
"download_url": "https://files.pythonhosted.org/packages/31/bf/48ed9b55a2d00c092988f7da66df4d892498dc4f8ccf79566d74219ef80b/fireblocks-4.0.0.tar.gz",
"platform": null,
"description": "# Official Fireblocks Python SDK\n[![PyPI version](https://badge.fury.io/py/fireblocks.svg)](https://badge.fury.io/py/fireblocks)\n\nThe Fireblocks SDK allows developers to seamlessly integrate with the Fireblocks platform and perform a variety of operations, including managing vault accounts and executing transactions securely.\n\nFor detailed API documentation please refer to the [Fireblocks API Reference](https://developers.fireblocks.com/reference/).\n\n## Requirements.\n\nPython 3.8+\n\n## Installation\n\nTo use the Fireblocks SDK, follow these steps:\n\n### pip install\n\nIf the python package is hosted on a repository, you can install directly using:\n\n```sh\npip install fireblocks\n```\n\nThen import the package:\n```python\nimport fireblocks\n```\n\n### Setuptools\n\nInstall via [Setuptools](http://pypi.python.org/pypi/setuptools).\n\n```sh\npython setup.py install --user\n```\n(or `sudo python setup.py install` to install the package for all users)\n\nThen import the package:\n```python\nimport fireblocks\n```\n\n## Usage\n\nPlease follow the [installation procedure](#installation) first.\n\n### Initializing the SDK\nYou can initialize the Fireblocks SDK in two ways, either by setting environment variables or providing the parameters directly:\n\n<p><strong>Using Environment Variables</strong><br>\nYou can initialize the SDK using environment variables from your .env file or by setting them programmatically:</p>\n\nuse bash commands to set environment variables:\n```bash\nexport FIREBLOCKS_BASE_PATH=\"https://sandbox-api.fireblocks.io/v1\"\nexport FIREBLOCKS_API_KEY=\"my-api-key\"\nexport FIREBLOCKS_SECRET_KEY=\"my-secret-key\"\n```\n\n```python\nfrom fireblocks.client import Fireblocks\n\n# Enter a context with an instance of the API client\nwith Fireblocks() as fireblocks:\n pass\n```\n\n<p><strong>Providing Local Variables</strong><br>\n\n```python\nfrom fireblocks.client import Fireblocks\nfrom fireblocks.client_configuration import ClientConfiguration\nfrom fireblocks.base_path import BasePath\n\n\n# load the secret key content from a file\nwith open('your_secret_key_file_path', 'r') as file:\n secret_key_value = file.read()\n\n# build the configuration\nconfiguration = ClientConfiguration(\n api_key=\"your_api_key\",\n secret_key=secret_key_value,\n base_path=BasePath.Sandbox, # or set it directly to a string \"https://sandbox-api.fireblocks.io/v1\"\n)\n\n# Enter a context with an instance of the API client\nwith Fireblocks(configuration) as fireblocks:\n pass\n```\n\n### Basic Api Examples\n<p><strong>Creating a Vault Account</strong><br>\n To create a new vault account, you can use the following function:</p>\n\n```python\nfrom fireblocks.client import Fireblocks\nfrom fireblocks.client_configuration import ClientConfiguration\nfrom fireblocks.base_path import BasePath\nfrom fireblocks.models.create_vault_account_request import CreateVaultAccountRequest\nfrom pprint import pprint\n\n# load the secret key content from a file\nwith open('your_secret_key_file_path', 'r') as file:\n secret_key_value = file.read()\n\n# build the configuration\nconfiguration = ClientConfiguration(\n api_key=\"your_api_key\",\n secret_key=secret_key_value,\n base_path=BasePath.Sandbox, # or set it directly to a string \"https://sandbox-api.fireblocks.io/v1\"\n)\n\n# Enter a context with an instance of the API client\nwith Fireblocks(configuration) as fireblocks:\n create_vault_account_request: CreateVaultAccountRequest = CreateVaultAccountRequest(\n name='My First Vault Account',\n hidden_on_ui=False,\n auto_fuel=False\n )\n try:\n # Create a new vault account\n future = fireblocks.vaults.create_vault_account(create_vault_account_request=create_vault_account_request)\n api_response = future.result() # Wait for the response\n print(\"The response of VaultsApi->create_vault_account:\\n\")\n pprint(api_response)\n # to print just the data: pprint(api_response.data)\n # to print just the data in json format: pprint(api_response.data.to_json())\n except Exception as e:\n print(\"Exception when calling VaultsApi->create_vault_account: %s\\n\" % e)\n\n```\n\n\n<p><strong>Retrieving Vault Accounts</strong><br>\n To get a list of vault accounts, you can use the following function:</p>\n\n```python\nfrom fireblocks.client import Fireblocks\nfrom fireblocks.client_configuration import ClientConfiguration\nfrom fireblocks.base_path import BasePath\nfrom pprint import pprint\n\n# load the secret key content from a file\nwith open('your_secret_key_file_path', 'r') as file:\n secret_key_value = file.read()\n\n# build the configuration\nconfiguration = ClientConfiguration(\n api_key=\"your_api_key\",\n secret_key=secret_key_value,\n base_path=BasePath.Sandbox, # or set it directly to a string \"https://sandbox-api.fireblocks.io/v1\"\n)\n\n# Enter a context with an instance of the API client\nwith Fireblocks(configuration) as fireblocks:\n try:\n # List vault accounts (Paginated)\n future = fireblocks.vaults.get_paged_vault_accounts()\n api_response = future.result() # Wait for the response\n print(\"The response of VaultsApi->get_paged_vault_accounts:\\n\")\n pprint(api_response)\n # to print just the data: pprint(api_response.data)\n # to print just the data in json format: pprint(api_response.data.to_json())\n except Exception as e:\n print(\"Exception when calling VaultsApi->get_paged_vault_accounts: %s\\n\" % e)\n```\n\n<p><strong>Creating a Transaction</strong><br>\n To make a transaction between vault accounts, you can use the following function:</p>\n\n```python\nfrom fireblocks.client import Fireblocks\nfrom fireblocks.client_configuration import ClientConfiguration\nfrom fireblocks.base_path import BasePath\nfrom fireblocks.models.transaction_request import TransactionRequest\nfrom fireblocks.models.destination_transfer_peer_path import DestinationTransferPeerPath\nfrom fireblocks.models.source_transfer_peer_path import SourceTransferPeerPath\nfrom fireblocks.models.transfer_peer_path_type import TransferPeerPathType\nfrom fireblocks.models.transaction_request_amount import TransactionRequestAmount\nfrom pprint import pprint\n\n# load the secret key content from a file\nwith open('your_secret_key_file_path', 'r') as file:\n secret_key_value = file.read()\n\n# build the configuration\nconfiguration = ClientConfiguration(\n api_key=\"your_api_key\",\n secret_key=secret_key_value,\n base_path=BasePath.Sandbox, # or set it directly to a string \"https://sandbox-api.fireblocks.io/v1\"\n)\n\n# Enter a context with an instance of the API client\nwith Fireblocks(configuration) as fireblocks:\n transaction_request: TransactionRequest = TransactionRequest(\n asset_id=\"ETH\",\n amount=TransactionRequestAmount(\"0.1\"),\n source=SourceTransferPeerPath(\n type=TransferPeerPathType.VAULT_ACCOUNT,\n id=\"0\"\n ),\n destination=DestinationTransferPeerPath(\n type=TransferPeerPathType.VAULT_ACCOUNT,\n id=\"1\"\n ),\n note=\"Your first transaction!\"\n )\n # or you can use JSON approach:\n #\n # transaction_request: TransactionRequest = TransactionRequest.from_json(\n # '{\"note\": \"Your first transaction!\", '\n # '\"assetId\": \"ETH\", '\n # '\"source\": {\"type\": \"VAULT_ACCOUNT\", \"id\": \"0\"}, '\n # '\"destination\": {\"type\": \"VAULT_ACCOUNT\", \"id\": \"1\"}, '\n # '\"amount\": \"0.1\"}'\n # )\n try:\n # Create a new transaction\n future = fireblocks.transactions.create_transaction(transaction_request=transaction_request)\n api_response = future.result() # Wait for the response\n print(\"The response of TransactionsApi->create_transaction:\\n\")\n pprint(api_response)\n # to print just the data: pprint(api_response.data)\n # to print just the data in json format: pprint(api_response.data.to_json())\n except Exception as e:\n print(\"Exception when calling TransactionsApi->create_transaction: %s\\n\" % e)\n```\n\n## Documentation for API Endpoints\n\nAll URIs are relative to https://developers.fireblocks.com/reference/\n\nClass | Method | HTTP request | Description\n------------ | ------------- | ------------- | -------------\n*ApiUserApi* | [**create_api_user**](https://github.com/fireblocks/py-sdk/tree/master/docs/ApiUserApi.md#create_api_user) | **POST** /management/api_users | Create Api user\n*ApiUserApi* | [**get_api_users**](https://github.com/fireblocks/py-sdk/tree/master/docs/ApiUserApi.md#get_api_users) | **GET** /management/api_users | Get Api users\n*AssetsApi* | [**create_assets_bulk**](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetsApi.md#create_assets_bulk) | **POST** /vault/assets/bulk | Bulk creation of wallets\n*AuditLogsApi* | [**get_audit_logs**](https://github.com/fireblocks/py-sdk/tree/master/docs/AuditLogsApi.md#get_audit_logs) | **GET** /management/audit_logs | Get audit logs\n*BlockchainsAssetsApi* | [**get_supported_assets**](https://github.com/fireblocks/py-sdk/tree/master/docs/BlockchainsAssetsApi.md#get_supported_assets) | **GET** /supported_assets | List all asset types supported by Fireblocks\n*BlockchainsAssetsApi* | [**register_new_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/BlockchainsAssetsApi.md#register_new_asset) | **POST** /assets | Register an asset\n*BlockchainsAssetsApi* | [**set_asset_price**](https://github.com/fireblocks/py-sdk/tree/master/docs/BlockchainsAssetsApi.md#set_asset_price) | **POST** /assets/prices/{id} | Set asset price\n*ComplianceApi* | [**get_aml_post_screening_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#get_aml_post_screening_policy) | **GET** /screening/aml/post_screening_policy | AML - View Post-Screening Policy\n*ComplianceApi* | [**get_aml_screening_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#get_aml_screening_policy) | **GET** /screening/aml/screening_policy | AML - View Screening Policy\n*ComplianceApi* | [**get_post_screening_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#get_post_screening_policy) | **GET** /screening/travel_rule/post_screening_policy | Travel Rule - View Post-Screening Policy\n*ComplianceApi* | [**get_screening_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#get_screening_policy) | **GET** /screening/travel_rule/screening_policy | Travel Rule - View Screening Policy\n*ComplianceApi* | [**update_aml_screening_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#update_aml_screening_configuration) | **PUT** /screening/aml/policy_configuration | Update AML Configuration\n*ComplianceApi* | [**update_screening_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#update_screening_configuration) | **PUT** /screening/configurations | Tenant - Screening Configuration\n*ComplianceApi* | [**update_travel_rule_config**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceApi.md#update_travel_rule_config) | **PUT** /screening/travel_rule/policy_configuration | Update Travel Rule Configuration\n*ComplianceScreeningConfigurationApi* | [**get_aml_screening_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceScreeningConfigurationApi.md#get_aml_screening_configuration) | **GET** /screening/aml/policy_configuration | Get AML Screening Policy Configuration\n*ComplianceScreeningConfigurationApi* | [**get_screening_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceScreeningConfigurationApi.md#get_screening_configuration) | **GET** /screening/travel_rule/policy_configuration | Get Travel Rule Screening Policy Configuration\n*ConsoleUserApi* | [**create_console_user**](https://github.com/fireblocks/py-sdk/tree/master/docs/ConsoleUserApi.md#create_console_user) | **POST** /management/users | Create console user\n*ConsoleUserApi* | [**get_console_users**](https://github.com/fireblocks/py-sdk/tree/master/docs/ConsoleUserApi.md#get_console_users) | **GET** /management/users | Get console users\n*ContractInteractionsApi* | [**get_deployed_contract_abi**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractInteractionsApi.md#get_deployed_contract_abi) | **GET** /contract_interactions/base_asset_id/{baseAssetId}/contract_address/{contractAddress}/functions | Return deployed contract's ABI\n*ContractInteractionsApi* | [**read_call_function**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractInteractionsApi.md#read_call_function) | **POST** /contract_interactions/base_asset_id/{baseAssetId}/contract_address/{contractAddress}/functions/read | Call a read function on a deployed contract\n*ContractInteractionsApi* | [**write_call_function**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractInteractionsApi.md#write_call_function) | **POST** /contract_interactions/base_asset_id/{baseAssetId}/contract_address/{contractAddress}/functions/write | Call a write function on a deployed contract\n*ContractTemplatesApi* | [**delete_contract_template_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#delete_contract_template_by_id) | **DELETE** /tokenization/templates/{contractTemplateId} | Delete a contract template by id\n*ContractTemplatesApi* | [**deploy_contract**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#deploy_contract) | **POST** /tokenization/templates/{contractTemplateId}/deploy | Deploy contract\n*ContractTemplatesApi* | [**get_constructor_by_contract_template_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#get_constructor_by_contract_template_id) | **GET** /tokenization/templates/{contractTemplateId}/constructor | Return contract template's constructor\n*ContractTemplatesApi* | [**get_contract_template_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#get_contract_template_by_id) | **GET** /tokenization/templates/{contractTemplateId} | Return contract template by id\n*ContractTemplatesApi* | [**get_contract_templates**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#get_contract_templates) | **GET** /tokenization/templates | List all contract templates\n*ContractTemplatesApi* | [**get_function_abi_by_contract_template_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#get_function_abi_by_contract_template_id) | **GET** /tokenization/templates/{contractTemplateId}/function | Return contract template's function\n*ContractTemplatesApi* | [**upload_contract_template**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplatesApi.md#upload_contract_template) | **POST** /tokenization/templates | Upload contract template\n*ContractsApi* | [**add_contract_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#add_contract_asset) | **POST** /contracts/{contractId}/{assetId} | Add an asset to a contract\n*ContractsApi* | [**create_contract**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#create_contract) | **POST** /contracts | Create a contract\n*ContractsApi* | [**delete_contract**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#delete_contract) | **DELETE** /contracts/{contractId} | Delete a contract\n*ContractsApi* | [**delete_contract_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#delete_contract_asset) | **DELETE** /contracts/{contractId}/{assetId} | Delete a contract asset\n*ContractsApi* | [**get_contract**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#get_contract) | **GET** /contracts/{contractId} | Find a specific contract\n*ContractsApi* | [**get_contract_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#get_contract_asset) | **GET** /contracts/{contractId}/{assetId} | Find a contract asset\n*ContractsApi* | [**get_contracts**](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractsApi.md#get_contracts) | **GET** /contracts | List contracts\n*CosignersBetaApi* | [**get_api_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#get_api_key) | **GET** /cosigners/{cosignerId}/api_keys/{apiKeyId} | Get API key\n*CosignersBetaApi* | [**get_api_keys**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#get_api_keys) | **GET** /cosigners/{cosignerId}/api_keys | Get all API keys\n*CosignersBetaApi* | [**get_cosigner**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#get_cosigner) | **GET** /cosigners/{cosignerId} | Get cosigner\n*CosignersBetaApi* | [**get_cosigners**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#get_cosigners) | **GET** /cosigners | Get all cosigners\n*CosignersBetaApi* | [**rename_cosigner**](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersBetaApi.md#rename_cosigner) | **PATCH** /cosigners/{cosignerId} | Rename cosigner\n*DeployedContractsApi* | [**add_contract_abi**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#add_contract_abi) | **POST** /tokenization/contracts/abi | Save contract ABI\n*DeployedContractsApi* | [**fetch_contract_abi**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#fetch_contract_abi) | **POST** /tokenization/contracts/fetch_abi | Fetch the contract ABI\n*DeployedContractsApi* | [**get_deployed_contract_by_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#get_deployed_contract_by_address) | **GET** /tokenization/contracts/{assetId}/{contractAddress} | Return deployed contract data\n*DeployedContractsApi* | [**get_deployed_contract_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#get_deployed_contract_by_id) | **GET** /tokenization/contracts/{id} | Return deployed contract data by id\n*DeployedContractsApi* | [**get_deployed_contracts**](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsApi.md#get_deployed_contracts) | **GET** /tokenization/contracts | List deployed contracts data\n*ExchangeAccountsApi* | [**convert_assets**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#convert_assets) | **POST** /exchange_accounts/{exchangeAccountId}/convert | Convert exchange account funds from the source asset to the destination asset.\n*ExchangeAccountsApi* | [**get_exchange_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#get_exchange_account) | **GET** /exchange_accounts/{exchangeAccountId} | Find a specific exchange account\n*ExchangeAccountsApi* | [**get_exchange_account_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#get_exchange_account_asset) | **GET** /exchange_accounts/{exchangeAccountId}/{assetId} | Find an asset for an exchange account\n*ExchangeAccountsApi* | [**get_paged_exchange_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#get_paged_exchange_accounts) | **GET** /exchange_accounts/paged | Pagination list exchange accounts\n*ExchangeAccountsApi* | [**internal_transfer**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsApi.md#internal_transfer) | **POST** /exchange_accounts/{exchangeAccountId}/internal_transfer | Internal transfer for exchange accounts\n*ExternalWalletsApi* | [**add_asset_to_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#add_asset_to_external_wallet) | **POST** /external_wallets/{walletId}/{assetId} | Add an asset to an external wallet.\n*ExternalWalletsApi* | [**create_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#create_external_wallet) | **POST** /external_wallets | Create an external wallet\n*ExternalWalletsApi* | [**delete_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#delete_external_wallet) | **DELETE** /external_wallets/{walletId} | Delete an external wallet\n*ExternalWalletsApi* | [**get_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#get_external_wallet) | **GET** /external_wallets/{walletId} | Find an external wallet\n*ExternalWalletsApi* | [**get_external_wallet_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#get_external_wallet_asset) | **GET** /external_wallets/{walletId}/{assetId} | Get an asset from an external wallet\n*ExternalWalletsApi* | [**get_external_wallets**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#get_external_wallets) | **GET** /external_wallets | List external wallets\n*ExternalWalletsApi* | [**remove_asset_from_external_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#remove_asset_from_external_wallet) | **DELETE** /external_wallets/{walletId}/{assetId} | Delete an asset from an external wallet\n*ExternalWalletsApi* | [**set_external_wallet_customer_ref_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletsApi.md#set_external_wallet_customer_ref_id) | **POST** /external_wallets/{walletId}/set_customer_ref_id | Set an AML customer reference ID for an external wallet\n*FiatAccountsApi* | [**deposit_funds_from_linked_dda**](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountsApi.md#deposit_funds_from_linked_dda) | **POST** /fiat_accounts/{accountId}/deposit_from_linked_dda | Deposit funds from DDA\n*FiatAccountsApi* | [**get_fiat_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountsApi.md#get_fiat_account) | **GET** /fiat_accounts/{accountId} | Find a specific fiat account\n*FiatAccountsApi* | [**get_fiat_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountsApi.md#get_fiat_accounts) | **GET** /fiat_accounts | List fiat accounts\n*FiatAccountsApi* | [**redeem_funds_to_linked_dda**](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountsApi.md#redeem_funds_to_linked_dda) | **POST** /fiat_accounts/{accountId}/redeem_to_linked_dda | Redeem funds to DDA\n*GasStationsApi* | [**get_gas_station_by_asset_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationsApi.md#get_gas_station_by_asset_id) | **GET** /gas_station/{assetId} | Get gas station settings by asset\n*GasStationsApi* | [**get_gas_station_info**](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationsApi.md#get_gas_station_info) | **GET** /gas_station | Get gas station settings\n*GasStationsApi* | [**update_gas_station_configuration**](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationsApi.md#update_gas_station_configuration) | **PUT** /gas_station/configuration | Edit gas station settings\n*GasStationsApi* | [**update_gas_station_configuration_by_asset_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationsApi.md#update_gas_station_configuration_by_asset_id) | **PUT** /gas_station/configuration/{assetId} | Edit gas station settings for an asset\n*InternalWalletsApi* | [**create_internal_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#create_internal_wallet) | **POST** /internal_wallets | Create an internal wallet\n*InternalWalletsApi* | [**create_internal_wallet_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#create_internal_wallet_asset) | **POST** /internal_wallets/{walletId}/{assetId} | Add an asset to an internal wallet\n*InternalWalletsApi* | [**delete_internal_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#delete_internal_wallet) | **DELETE** /internal_wallets/{walletId} | Delete an internal wallet\n*InternalWalletsApi* | [**delete_internal_wallet_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#delete_internal_wallet_asset) | **DELETE** /internal_wallets/{walletId}/{assetId} | Delete a whitelisted address from an internal wallet\n*InternalWalletsApi* | [**get_internal_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#get_internal_wallet) | **GET** /internal_wallets/{walletId} | Get assets for internal wallet\n*InternalWalletsApi* | [**get_internal_wallet_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#get_internal_wallet_asset) | **GET** /internal_wallets/{walletId}/{assetId} | Get an asset from an internal wallet\n*InternalWalletsApi* | [**get_internal_wallets**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#get_internal_wallets) | **GET** /internal_wallets | List internal wallets\n*InternalWalletsApi* | [**set_customer_ref_id_for_internal_wallet**](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalWalletsApi.md#set_customer_ref_id_for_internal_wallet) | **POST** /internal_wallets/{walletId}/set_customer_ref_id | Set an AML/KYT customer reference ID for an internal wallet\n*JobManagementApi* | [**cancel_job**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#cancel_job) | **POST** /batch/{jobId}/cancel | Cancel a running job\n*JobManagementApi* | [**continue_job**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#continue_job) | **POST** /batch/{jobId}/continue | Continue a paused job\n*JobManagementApi* | [**get_job**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#get_job) | **GET** /batch/{jobId} | Get job details\n*JobManagementApi* | [**get_job_tasks**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#get_job_tasks) | **GET** /batch/{jobId}/tasks | Return a list of tasks for given job\n*JobManagementApi* | [**get_jobs**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#get_jobs) | **GET** /batch/jobs | Return a list of jobs belonging to tenant\n*JobManagementApi* | [**pause_job**](https://github.com/fireblocks/py-sdk/tree/master/docs/JobManagementApi.md#pause_job) | **POST** /batch/{jobId}/pause | Pause a job\n*KeyLinkBetaApi* | [**create_signing_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#create_signing_key) | **POST** /key_link/signing_keys | Add a new signing key\n*KeyLinkBetaApi* | [**create_validation_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#create_validation_key) | **POST** /key_link/validation_keys | Add a new validation key\n*KeyLinkBetaApi* | [**disable_validation_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#disable_validation_key) | **PATCH** /key_link/validation_keys/{keyId} | Disables a validation key\n*KeyLinkBetaApi* | [**get_signing_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#get_signing_key) | **GET** /key_link/signing_keys/{keyId} | Get a signing key by `keyId`\n*KeyLinkBetaApi* | [**get_signing_keys_list**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#get_signing_keys_list) | **GET** /key_link/signing_keys | Get list of signing keys\n*KeyLinkBetaApi* | [**get_validation_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#get_validation_key) | **GET** /key_link/validation_keys/{keyId} | Get a validation key by `keyId`\n*KeyLinkBetaApi* | [**get_validation_keys_list**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#get_validation_keys_list) | **GET** /key_link/validation_keys | Get list of registered validation keys\n*KeyLinkBetaApi* | [**set_agent_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#set_agent_id) | **PATCH** /key_link/signing_keys/{keyId}/agent_user_id | Set agent user id that can sign with the signing key identified by the Fireblocks provided `keyId`\n*KeyLinkBetaApi* | [**update_signing_key**](https://github.com/fireblocks/py-sdk/tree/master/docs/KeyLinkBetaApi.md#update_signing_key) | **PATCH** /key_link/signing_keys/{keyId} | Modify the signing by Fireblocks provided `keyId`\n*NFTsApi* | [**get_nft**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#get_nft) | **GET** /nfts/tokens/{id} | List token data by ID\n*NFTsApi* | [**get_nfts**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#get_nfts) | **GET** /nfts/tokens | List tokens by IDs\n*NFTsApi* | [**get_ownership_tokens**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#get_ownership_tokens) | **GET** /nfts/ownership/tokens | List all owned tokens (paginated)\n*NFTsApi* | [**list_owned_collections**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#list_owned_collections) | **GET** /nfts/ownership/collections | List owned collections (paginated)\n*NFTsApi* | [**list_owned_tokens**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#list_owned_tokens) | **GET** /nfts/ownership/assets | List all distinct owned tokens (paginated)\n*NFTsApi* | [**refresh_nft_metadata**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#refresh_nft_metadata) | **PUT** /nfts/tokens/{id} | Refresh token metadata\n*NFTsApi* | [**update_ownership_tokens**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#update_ownership_tokens) | **PUT** /nfts/ownership/tokens | Refresh vault account tokens\n*NFTsApi* | [**update_token_ownership_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#update_token_ownership_status) | **PUT** /nfts/ownership/tokens/{id}/status | Update token ownership status\n*NFTsApi* | [**update_tokens_ownership_spam**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#update_tokens_ownership_spam) | **PUT** /nfts/ownership/tokens/spam | Update tokens ownership spam property\n*NFTsApi* | [**update_tokens_ownership_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/NFTsApi.md#update_tokens_ownership_status) | **PUT** /nfts/ownership/tokens/status | Update tokens ownership status\n*NetworkConnectionsApi* | [**check_third_party_routing**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#check_third_party_routing) | **GET** /network_connections/{connectionId}/is_third_party_routing/{assetType} | Retrieve third-party network routing validation by asset type.\n*NetworkConnectionsApi* | [**create_network_connection**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#create_network_connection) | **POST** /network_connections | Creates a new network connection\n*NetworkConnectionsApi* | [**create_network_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#create_network_id) | **POST** /network_ids | Creates a new Network ID\n*NetworkConnectionsApi* | [**delete_network_connection**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#delete_network_connection) | **DELETE** /network_connections/{connectionId} | Deletes a network connection by ID\n*NetworkConnectionsApi* | [**delete_network_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#delete_network_id) | **DELETE** /network_ids/{networkId} | Deletes specific network ID.\n*NetworkConnectionsApi* | [**get_network**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_network) | **GET** /network_connections/{connectionId} | Get a network connection\n*NetworkConnectionsApi* | [**get_network_connections**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_network_connections) | **GET** /network_connections | List network connections\n*NetworkConnectionsApi* | [**get_network_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_network_id) | **GET** /network_ids/{networkId} | Returns specific network ID.\n*NetworkConnectionsApi* | [**get_network_ids**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_network_ids) | **GET** /network_ids | Returns all network IDs, both local IDs and discoverable remote IDs\n*NetworkConnectionsApi* | [**get_routing_policy_asset_groups**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#get_routing_policy_asset_groups) | **GET** /network_ids/routing_policy_asset_groups | Returns all enabled routing policy asset groups\n*NetworkConnectionsApi* | [**set_network_id_discoverability**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#set_network_id_discoverability) | **PATCH** /network_ids/{networkId}/set_discoverability | Update network ID's discoverability.\n*NetworkConnectionsApi* | [**set_network_id_name**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#set_network_id_name) | **PATCH** /network_ids/{networkId}/set_name | Update network ID's name.\n*NetworkConnectionsApi* | [**set_network_id_routing_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#set_network_id_routing_policy) | **PATCH** /network_ids/{networkId}/set_routing_policy | Update network id routing policy.\n*NetworkConnectionsApi* | [**set_routing_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionsApi.md#set_routing_policy) | **PATCH** /network_connections/{connectionId}/set_routing_policy | Update network connection routing policy.\n*OTABetaApi* | [**get_ota_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/OTABetaApi.md#get_ota_status) | **GET** /management/ota | Returns current OTA status\n*OTABetaApi* | [**set_ota_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/OTABetaApi.md#set_ota_status) | **PUT** /management/ota | Enable or disable transactions to OTA\n*OffExchangesApi* | [**add_off_exchange**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#add_off_exchange) | **POST** /off_exchange/add | add collateral\n*OffExchangesApi* | [**get_off_exchange_collateral_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#get_off_exchange_collateral_accounts) | **GET** /off_exchange/collateral_accounts/{mainExchangeAccountId} | Find a specific collateral exchange account\n*OffExchangesApi* | [**get_off_exchange_settlement_transactions**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#get_off_exchange_settlement_transactions) | **GET** /off_exchange/settlements/transactions | get settlements transactions from exchange\n*OffExchangesApi* | [**remove_off_exchange**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#remove_off_exchange) | **POST** /off_exchange/remove | remove collateral\n*OffExchangesApi* | [**settle_off_exchange_trades**](https://github.com/fireblocks/py-sdk/tree/master/docs/OffExchangesApi.md#settle_off_exchange_trades) | **POST** /off_exchange/settlements/trader | create settlement for a trader\n*PaymentsPayoutApi* | [**create_payout**](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentsPayoutApi.md#create_payout) | **POST** /payments/payout | Create a payout instruction set\n*PaymentsPayoutApi* | [**execute_payout_action**](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentsPayoutApi.md#execute_payout_action) | **POST** /payments/payout/{payoutId}/actions/execute | Execute a payout instruction set\n*PaymentsPayoutApi* | [**get_payout**](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentsPayoutApi.md#get_payout) | **GET** /payments/payout/{payoutId} | Get the status of a payout instruction set\n*PolicyEditorBetaApi* | [**get_active_policy**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#get_active_policy) | **GET** /tap/active_policy | Get the active policy and its validation\n*PolicyEditorBetaApi* | [**get_draft**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#get_draft) | **GET** /tap/draft | Get the active draft\n*PolicyEditorBetaApi* | [**publish_draft**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#publish_draft) | **POST** /tap/draft | Send publish request for a certain draft id\n*PolicyEditorBetaApi* | [**publish_policy_rules**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#publish_policy_rules) | **POST** /tap/publish | Send publish request for a set of policy rules\n*PolicyEditorBetaApi* | [**update_draft**](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyEditorBetaApi.md#update_draft) | **PUT** /tap/draft | Update the draft with a new set of rules\n*ResetDeviceApi* | [**reset_device**](https://github.com/fireblocks/py-sdk/tree/master/docs/ResetDeviceApi.md#reset_device) | **POST** /management/users/{id}/reset_device | Resets device\n*SmartTransferApi* | [**approve_dv_p_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#approve_dv_p_ticket_term) | **PUT** /smart_transfers/{ticketId}/terms/{termId}/dvp/approve | Define funding source and give approve to contract to transfer asset\n*SmartTransferApi* | [**cancel_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#cancel_ticket) | **PUT** /smart-transfers/{ticketId}/cancel | Cancel Ticket\n*SmartTransferApi* | [**create_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#create_ticket) | **POST** /smart-transfers | Create Ticket\n*SmartTransferApi* | [**create_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#create_ticket_term) | **POST** /smart-transfers/{ticketId}/terms | Create leg (term)\n*SmartTransferApi* | [**find_ticket_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#find_ticket_by_id) | **GET** /smart-transfers/{ticketId} | Search Tickets by ID\n*SmartTransferApi* | [**find_ticket_term_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#find_ticket_term_by_id) | **GET** /smart-transfers/{ticketId}/terms/{termId} | Search ticket by leg (term) ID\n*SmartTransferApi* | [**fulfill_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#fulfill_ticket) | **PUT** /smart-transfers/{ticketId}/fulfill | Fund ticket manually\n*SmartTransferApi* | [**fund_dvp_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#fund_dvp_ticket) | **PUT** /smart_transfers/{ticketId}/dvp/fund | Fund dvp ticket\n*SmartTransferApi* | [**fund_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#fund_ticket_term) | **PUT** /smart-transfers/{ticketId}/terms/{termId}/fund | Define funding source\n*SmartTransferApi* | [**get_smart_transfer_statistic**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#get_smart_transfer_statistic) | **GET** /smart_transfers/statistic | Get smart transfers statistic\n*SmartTransferApi* | [**get_smart_transfer_user_groups**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#get_smart_transfer_user_groups) | **GET** /smart-transfers/settings/user-groups | Get user group\n*SmartTransferApi* | [**manually_fund_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#manually_fund_ticket_term) | **PUT** /smart-transfers/{ticketId}/terms/{termId}/manually-fund | Manually add term transaction\n*SmartTransferApi* | [**remove_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#remove_ticket_term) | **DELETE** /smart-transfers/{ticketId}/terms/{termId} | Delete ticket leg (term)\n*SmartTransferApi* | [**search_tickets**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#search_tickets) | **GET** /smart-transfers | Find Ticket\n*SmartTransferApi* | [**set_external_ref_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#set_external_ref_id) | **PUT** /smart-transfers/{ticketId}/external-id | Add external ref. ID\n*SmartTransferApi* | [**set_ticket_expiration**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#set_ticket_expiration) | **PUT** /smart-transfers/{ticketId}/expires-in | Set expiration\n*SmartTransferApi* | [**set_user_groups**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#set_user_groups) | **POST** /smart-transfers/settings/user-groups | Set user group\n*SmartTransferApi* | [**submit_ticket**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#submit_ticket) | **PUT** /smart-transfers/{ticketId}/submit | Submit ticket\n*SmartTransferApi* | [**update_ticket_term**](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApi.md#update_ticket_term) | **PUT** /smart-transfers/{ticketId}/terms/{termId} | Update ticket leg (term)\n*StakingBetaApi* | [**approve_terms_of_service_by_provider_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#approve_terms_of_service_by_provider_id) | **POST** /staking/providers/{providerId}/approveTermsOfService | \n*StakingBetaApi* | [**execute_action**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#execute_action) | **POST** /staking/chains/{chainDescriptor}/{actionId} | \n*StakingBetaApi* | [**get_all_delegations**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_all_delegations) | **GET** /staking/positions | \n*StakingBetaApi* | [**get_chain_info**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_chain_info) | **GET** /staking/chains/{chainDescriptor}/chainInfo | \n*StakingBetaApi* | [**get_chains**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_chains) | **GET** /staking/chains | \n*StakingBetaApi* | [**get_delegation_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_delegation_by_id) | **GET** /staking/positions/{id} | \n*StakingBetaApi* | [**get_providers**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_providers) | **GET** /staking/providers | \n*StakingBetaApi* | [**get_summary**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_summary) | **GET** /staking/positions/summary | \n*StakingBetaApi* | [**get_summary_by_vault**](https://github.com/fireblocks/py-sdk/tree/master/docs/StakingBetaApi.md#get_summary_by_vault) | **GET** /staking/positions/summary/vaults | \n*TokenizationApi* | [**burn_collection_token**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#burn_collection_token) | **POST** /tokenization/collections/{id}/tokens/burn | Burn tokens\n*TokenizationApi* | [**create_new_collection**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#create_new_collection) | **POST** /tokenization/collections | Create a new collection\n*TokenizationApi* | [**fetch_collection_token_details**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#fetch_collection_token_details) | **GET** /tokenization/collections/{id}/tokens/{tokenId} | Get collection token details\n*TokenizationApi* | [**get_collection_by_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#get_collection_by_id) | **GET** /tokenization/collections/{id} | Get a collection by id\n*TokenizationApi* | [**get_linked_collections**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#get_linked_collections) | **GET** /tokenization/collections | Get collections\n*TokenizationApi* | [**get_linked_token**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#get_linked_token) | **GET** /tokenization/tokens/{id} | Return a linked token\n*TokenizationApi* | [**get_linked_tokens**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#get_linked_tokens) | **GET** /tokenization/tokens | List all linked tokens\n*TokenizationApi* | [**issue_new_token**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#issue_new_token) | **POST** /tokenization/tokens | Issue a new token\n*TokenizationApi* | [**link**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#link) | **POST** /tokenization/tokens/link | Link a contract\n*TokenizationApi* | [**mint_collection_token**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#mint_collection_token) | **POST** /tokenization/collections/{id}/tokens/mint | Mint tokens\n*TokenizationApi* | [**unlink**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#unlink) | **DELETE** /tokenization/tokens/{id} | Unlink a token\n*TokenizationApi* | [**unlink_collection**](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenizationApi.md#unlink_collection) | **DELETE** /tokenization/collections/{id} | Delete a collection link\n*TransactionsApi* | [**cancel_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#cancel_transaction) | **POST** /transactions/{txId}/cancel | Cancel a transaction\n*TransactionsApi* | [**create_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#create_transaction) | **POST** /transactions | Create a new transaction\n*TransactionsApi* | [**drop_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#drop_transaction) | **POST** /transactions/{txId}/drop | Drop ETH transaction by ID\n*TransactionsApi* | [**estimate_network_fee**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#estimate_network_fee) | **GET** /estimate_network_fee | Estimate the required fee for an asset\n*TransactionsApi* | [**estimate_transaction_fee**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#estimate_transaction_fee) | **POST** /transactions/estimate_fee | Estimate transaction fee\n*TransactionsApi* | [**freeze_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#freeze_transaction) | **POST** /transactions/{txId}/freeze | Freeze a transaction\n*TransactionsApi* | [**get_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#get_transaction) | **GET** /transactions/{txId} | Find a specific transaction by Fireblocks transaction ID\n*TransactionsApi* | [**get_transaction_by_external_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#get_transaction_by_external_id) | **GET** /transactions/external_tx_id/{externalTxId} | Find a specific transaction by external transaction ID\n*TransactionsApi* | [**get_transactions**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#get_transactions) | **GET** /transactions | List transaction history\n*TransactionsApi* | [**rescan_transactions_beta**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#rescan_transactions_beta) | **POST** /transactions/rescan | rescan array of transactions\n*TransactionsApi* | [**set_confirmation_threshold_by_transaction_hash**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#set_confirmation_threshold_by_transaction_hash) | **POST** /txHash/{txHash}/set_confirmation_threshold | Set confirmation threshold by transaction hash\n*TransactionsApi* | [**set_transaction_confirmation_threshold**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#set_transaction_confirmation_threshold) | **POST** /transactions/{txId}/set_confirmation_threshold | Set confirmation threshold by transaction ID\n*TransactionsApi* | [**unfreeze_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#unfreeze_transaction) | **POST** /transactions/{txId}/unfreeze | Unfreeze a transaction\n*TransactionsApi* | [**validate_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionsApi.md#validate_address) | **GET** /transactions/validate_address/{assetId}/{address} | Validate destination address\n*TravelRuleBetaApi* | [**get_vasp_for_vault**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#get_vasp_for_vault) | **GET** /screening/travel_rule/vault/{vaultAccountId}/vasp | Get assigned VASP to vault\n*TravelRuleBetaApi* | [**get_vaspby_did**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#get_vaspby_did) | **GET** /screening/travel_rule/vasp/{did} | Get VASP details\n*TravelRuleBetaApi* | [**get_vasps**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#get_vasps) | **GET** /screening/travel_rule/vasp | Get All VASPs\n*TravelRuleBetaApi* | [**set_vasp_for_vault**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#set_vasp_for_vault) | **POST** /screening/travel_rule/vault/{vaultAccountId}/vasp | Assign VASP to vault\n*TravelRuleBetaApi* | [**update_vasp**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#update_vasp) | **PUT** /screening/travel_rule/vasp/update | Add jsonDidKey to VASP details\n*TravelRuleBetaApi* | [**validate_full_travel_rule_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#validate_full_travel_rule_transaction) | **POST** /screening/travel_rule/transaction/validate/full | Validate Full Travel Rule Transaction\n*TravelRuleBetaApi* | [**validate_travel_rule_transaction**](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleBetaApi.md#validate_travel_rule_transaction) | **POST** /screening/travel_rule/transaction/validate | Validate Travel Rule Transaction\n*UserGroupsBetaApi* | [**create_user_group**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#create_user_group) | **POST** /management/user_groups | Create user group\n*UserGroupsBetaApi* | [**delete_user_group**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#delete_user_group) | **DELETE** /management/user_groups/{groupId} | Delete user group\n*UserGroupsBetaApi* | [**get_user_group**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#get_user_group) | **GET** /management/user_groups/{groupId} | Get user group\n*UserGroupsBetaApi* | [**get_user_groups**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#get_user_groups) | **GET** /management/user_groups | List user groups\n*UserGroupsBetaApi* | [**update_user_group**](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupsBetaApi.md#update_user_group) | **PUT** /management/user_groups/{groupId} | Update user group\n*UsersApi* | [**get_users**](https://github.com/fireblocks/py-sdk/tree/master/docs/UsersApi.md#get_users) | **GET** /users | List users\n*VaultsApi* | [**activate_asset_for_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#activate_asset_for_vault_account) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/activate | Activate a wallet in a vault account\n*VaultsApi* | [**create_legacy_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_legacy_address) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/addresses/{addressId}/create_legacy | Convert a segwit address to legacy format\n*VaultsApi* | [**create_multiple_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_multiple_accounts) | **POST** /vault/accounts/bulk | Bulk creation of new vault accounts\n*VaultsApi* | [**create_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_vault_account) | **POST** /vault/accounts | Create a new vault account\n*VaultsApi* | [**create_vault_account_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_vault_account_asset) | **POST** /vault/accounts/{vaultAccountId}/{assetId} | Create a new wallet\n*VaultsApi* | [**create_vault_account_asset_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#create_vault_account_asset_address) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/addresses | Create new asset deposit address\n*VaultsApi* | [**get_asset_wallets**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_asset_wallets) | **GET** /vault/asset_wallets | List asset wallets (Paginated)\n*VaultsApi* | [**get_max_spendable_amount**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_max_spendable_amount) | **GET** /vault/accounts/{vaultAccountId}/{assetId}/max_spendable_amount | Get the maximum spendable amount in a single transaction.\n*VaultsApi* | [**get_paged_vault_accounts**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_paged_vault_accounts) | **GET** /vault/accounts_paged | List vault accounts (Paginated)\n*VaultsApi* | [**get_public_key_info**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_public_key_info) | **GET** /vault/public_key_info | Get the public key information\n*VaultsApi* | [**get_public_key_info_for_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_public_key_info_for_address) | **GET** /vault/accounts/{vaultAccountId}/{assetId}/{change}/{addressIndex}/public_key_info | Get the public key for a vault account\n*VaultsApi* | [**get_unspent_inputs**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_unspent_inputs) | **GET** /vault/accounts/{vaultAccountId}/{assetId}/unspent_inputs | Get UTXO unspent inputs information\n*VaultsApi* | [**get_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_account) | **GET** /vault/accounts/{vaultAccountId} | Find a vault account by ID\n*VaultsApi* | [**get_vault_account_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_account_asset) | **GET** /vault/accounts/{vaultAccountId}/{assetId} | Get the asset balance for a vault account\n*VaultsApi* | [**get_vault_account_asset_addresses_paginated**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_account_asset_addresses_paginated) | **GET** /vault/accounts/{vaultAccountId}/{assetId}/addresses_paginated | List addresses (Paginated)\n*VaultsApi* | [**get_vault_assets**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_assets) | **GET** /vault/assets | Get asset balance for chosen assets\n*VaultsApi* | [**get_vault_balance_by_asset**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#get_vault_balance_by_asset) | **GET** /vault/assets/{assetId} | Get vault balance by asset\n*VaultsApi* | [**hide_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#hide_vault_account) | **POST** /vault/accounts/{vaultAccountId}/hide | Hide a vault account in the console\n*VaultsApi* | [**set_customer_ref_id_for_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#set_customer_ref_id_for_address) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/addresses/{addressId}/set_customer_ref_id | Assign AML customer reference ID\n*VaultsApi* | [**set_vault_account_auto_fuel**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#set_vault_account_auto_fuel) | **POST** /vault/accounts/{vaultAccountId}/set_auto_fuel | Turn autofueling on or off\n*VaultsApi* | [**set_vault_account_customer_ref_id**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#set_vault_account_customer_ref_id) | **POST** /vault/accounts/{vaultAccountId}/set_customer_ref_id | Set an AML/KYT customer reference ID for a vault account\n*VaultsApi* | [**unhide_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#unhide_vault_account) | **POST** /vault/accounts/{vaultAccountId}/unhide | Unhide a vault account in the console\n*VaultsApi* | [**update_vault_account**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#update_vault_account) | **PUT** /vault/accounts/{vaultAccountId} | Rename a vault account\n*VaultsApi* | [**update_vault_account_asset_address**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#update_vault_account_asset_address) | **PUT** /vault/accounts/{vaultAccountId}/{assetId}/addresses/{addressId} | Update address description\n*VaultsApi* | [**update_vault_account_asset_balance**](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultsApi.md#update_vault_account_asset_balance) | **POST** /vault/accounts/{vaultAccountId}/{assetId}/balance | Refresh asset balance data\n*Web3ConnectionsApi* | [**create**](https://github.com/fireblocks/py-sdk/tree/master/docs/Web3ConnectionsApi.md#create) | **POST** /connections/wc | Create a new Web3 connection.\n*Web3ConnectionsApi* | [**get**](https://github.com/fireblocks/py-sdk/tree/master/docs/Web3ConnectionsApi.md#get) | **GET** /connections | List all open Web3 connections.\n*Web3ConnectionsApi* | [**remove**](https://github.com/fireblocks/py-sdk/tree/master/docs/Web3ConnectionsApi.md#remove) | **DELETE** /connections/wc/{id} | Remove an existing Web3 connection.\n*Web3ConnectionsApi* | [**submit**](https://github.com/fireblocks/py-sdk/tree/master/docs/Web3ConnectionsApi.md#submit) | **PUT** /connections/wc/{id} | Respond to a pending Web3 connection request.\n*WebhooksApi* | [**resend_transaction_webhooks**](https://github.com/fireblocks/py-sdk/tree/master/docs/WebhooksApi.md#resend_transaction_webhooks) | **POST** /webhooks/resend/{txId} | Resend failed webhooks for a transaction by ID\n*WebhooksApi* | [**resend_webhooks**](https://github.com/fireblocks/py-sdk/tree/master/docs/WebhooksApi.md#resend_webhooks) | **POST** /webhooks/resend | Resend failed webhooks\n*WorkspaceStatusBetaApi* | [**get_workspace_status**](https://github.com/fireblocks/py-sdk/tree/master/docs/WorkspaceStatusBetaApi.md#get_workspace_status) | **GET** /management/workspace_status | Returns current workspace status\n*WhitelistIpAddressesApi* | [**get_whitelist_ip_addresses**](https://github.com/fireblocks/py-sdk/tree/master/docs/WhitelistIpAddressesApi.md#get_whitelist_ip_addresses) | **GET** /management/api_users/{userId}/whitelist_ip_addresses | Gets whitelisted ip addresses\n\n\n## Documentation For Models\n\n - [APIUser](https://github.com/fireblocks/py-sdk/tree/master/docs/APIUser.md)\n - [AbiFunction](https://github.com/fireblocks/py-sdk/tree/master/docs/AbiFunction.md)\n - [Account](https://github.com/fireblocks/py-sdk/tree/master/docs/Account.md)\n - [AccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/AccountType.md)\n - [AddAbiRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAbiRequestDto.md)\n - [AddAssetToExternalWalletRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequest.md)\n - [AddAssetToExternalWalletRequestOneOf](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf.md)\n - [AddAssetToExternalWalletRequestOneOf1](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1.md)\n - [AddAssetToExternalWalletRequestOneOf1AdditionalInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1AdditionalInfo.md)\n - [AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf.md)\n - [AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf1](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf1.md)\n - [AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf2](https://github.com/fireblocks/py-sdk/tree/master/docs/AddAssetToExternalWalletRequestOneOf1AdditionalInfoOneOf2.md)\n - [AddCollateralRequestBody](https://github.com/fireblocks/py-sdk/tree/master/docs/AddCollateralRequestBody.md)\n - [AddContractAssetRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/AddContractAssetRequest.md)\n - [AdditionalInfoDto](https://github.com/fireblocks/py-sdk/tree/master/docs/AdditionalInfoDto.md)\n - [AmlRegistrationResult](https://github.com/fireblocks/py-sdk/tree/master/docs/AmlRegistrationResult.md)\n - [AmlScreeningResult](https://github.com/fireblocks/py-sdk/tree/master/docs/AmlScreeningResult.md)\n - [AmountAggregationTimePeriodMethod](https://github.com/fireblocks/py-sdk/tree/master/docs/AmountAggregationTimePeriodMethod.md)\n - [AmountAndChainDescriptor](https://github.com/fireblocks/py-sdk/tree/master/docs/AmountAndChainDescriptor.md)\n - [AmountInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/AmountInfo.md)\n - [ApiKey](https://github.com/fireblocks/py-sdk/tree/master/docs/ApiKey.md)\n - [ApiKeysPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ApiKeysPaginatedResponse.md)\n - [AssetAlreadyExistHttpError](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetAlreadyExistHttpError.md)\n - [AssetAmount](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetAmount.md)\n - [AssetBadRequestErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetBadRequestErrorResponse.md)\n - [AssetConflictErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetConflictErrorResponse.md)\n - [AssetForbiddenErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetForbiddenErrorResponse.md)\n - [AssetInternalServerErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetInternalServerErrorResponse.md)\n - [AssetMetadataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetMetadataDto.md)\n - [AssetNotFoundErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetNotFoundErrorResponse.md)\n - [AssetPriceForbiddenErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetPriceForbiddenErrorResponse.md)\n - [AssetPriceNotFoundErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetPriceNotFoundErrorResponse.md)\n - [AssetPriceResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetPriceResponse.md)\n - [AssetResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetResponse.md)\n - [AssetResponseMetadata](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetResponseMetadata.md)\n - [AssetResponseOnchain](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetResponseOnchain.md)\n - [AssetTypeResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetTypeResponse.md)\n - [AssetWallet](https://github.com/fireblocks/py-sdk/tree/master/docs/AssetWallet.md)\n - [AuditLogData](https://github.com/fireblocks/py-sdk/tree/master/docs/AuditLogData.md)\n - [AuditorData](https://github.com/fireblocks/py-sdk/tree/master/docs/AuditorData.md)\n - [AuthorizationGroups](https://github.com/fireblocks/py-sdk/tree/master/docs/AuthorizationGroups.md)\n - [AuthorizationInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/AuthorizationInfo.md)\n - [BlockInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/BlockInfo.md)\n - [CancelTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CancelTransactionResponse.md)\n - [ChainInfoResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ChainInfoResponseDto.md)\n - [CollectionBurnRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionBurnRequestDto.md)\n - [CollectionBurnResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionBurnResponseDto.md)\n - [CollectionDeployRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionDeployRequestDto.md)\n - [CollectionLinkDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionLinkDto.md)\n - [CollectionMetadataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionMetadataDto.md)\n - [CollectionMintRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionMintRequestDto.md)\n - [CollectionMintResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionMintResponseDto.md)\n - [CollectionOwnershipResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionOwnershipResponse.md)\n - [CollectionTokenMetadataAttributeDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionTokenMetadataAttributeDto.md)\n - [CollectionTokenMetadataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionTokenMetadataDto.md)\n - [CollectionType](https://github.com/fireblocks/py-sdk/tree/master/docs/CollectionType.md)\n - [ComplianceResult](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceResult.md)\n - [ComplianceScreeningResult](https://github.com/fireblocks/py-sdk/tree/master/docs/ComplianceScreeningResult.md)\n - [ConfigChangeRequestStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigChangeRequestStatus.md)\n - [ConfigConversionOperationSnapshot](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigConversionOperationSnapshot.md)\n - [ConfigDisbursementOperationSnapshot](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigDisbursementOperationSnapshot.md)\n - [ConfigOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigOperation.md)\n - [ConfigOperationSnapshot](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigOperationSnapshot.md)\n - [ConfigOperationStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigOperationStatus.md)\n - [ConfigTransferOperationSnapshot](https://github.com/fireblocks/py-sdk/tree/master/docs/ConfigTransferOperationSnapshot.md)\n - [ConsoleUser](https://github.com/fireblocks/py-sdk/tree/master/docs/ConsoleUser.md)\n - [ContractAbiResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractAbiResponseDto.md)\n - [ContractAttributes](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractAttributes.md)\n - [ContractDeployRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractDeployRequest.md)\n - [ContractDeployResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractDeployResponse.md)\n - [ContractDoc](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractDoc.md)\n - [ContractMetadataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractMetadataDto.md)\n - [ContractTemplateDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractTemplateDto.md)\n - [ContractUploadRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractUploadRequest.md)\n - [ContractWithAbiDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ContractWithAbiDto.md)\n - [ConversionConfigOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionConfigOperation.md)\n - [ConversionOperationConfigParams](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationConfigParams.md)\n - [ConversionOperationExecution](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationExecution.md)\n - [ConversionOperationExecutionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationExecutionOutput.md)\n - [ConversionOperationExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationExecutionParams.md)\n - [ConversionOperationExecutionParamsExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationExecutionParamsExecutionParams.md)\n - [ConversionOperationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationFailure.md)\n - [ConversionOperationPreview](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationPreview.md)\n - [ConversionOperationPreviewOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationPreviewOutput.md)\n - [ConversionOperationType](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionOperationType.md)\n - [ConversionValidationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/ConversionValidationFailure.md)\n - [ConvertAssetsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ConvertAssetsRequest.md)\n - [ConvertAssetsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ConvertAssetsResponse.md)\n - [Cosigner](https://github.com/fireblocks/py-sdk/tree/master/docs/Cosigner.md)\n - [CosignersPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CosignersPaginatedResponse.md)\n - [CreateAPIUser](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAPIUser.md)\n - [CreateAddressRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAddressRequest.md)\n - [CreateAddressResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAddressResponse.md)\n - [CreateAssetsBulkRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAssetsBulkRequest.md)\n - [CreateAssetsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateAssetsRequest.md)\n - [CreateConfigOperationRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConfigOperationRequest.md)\n - [CreateConnectionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConnectionRequest.md)\n - [CreateConnectionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConnectionResponse.md)\n - [CreateConsoleUser](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConsoleUser.md)\n - [CreateContractRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateContractRequest.md)\n - [CreateConversionConfigOperationRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateConversionConfigOperationRequest.md)\n - [CreateDisbursementConfigOperationRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateDisbursementConfigOperationRequest.md)\n - [CreateInternalTransferRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateInternalTransferRequest.md)\n - [CreateInternalWalletAssetRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateInternalWalletAssetRequest.md)\n - [CreateMultipleAccountsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateMultipleAccountsRequest.md)\n - [CreateNcwConnectionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateNcwConnectionRequest.md)\n - [CreateNetworkIdRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateNetworkIdRequest.md)\n - [CreatePayoutRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreatePayoutRequest.md)\n - [CreateSigningKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateSigningKeyDto.md)\n - [CreateSigningKeyDtoProofOfOwnership](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateSigningKeyDtoProofOfOwnership.md)\n - [CreateTokenRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateTokenRequestDto.md)\n - [CreateTokenRequestDtoCreateParams](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateTokenRequestDtoCreateParams.md)\n - [CreateTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateTransactionResponse.md)\n - [CreateTransferConfigOperationRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateTransferConfigOperationRequest.md)\n - [CreateUserGroupResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateUserGroupResponse.md)\n - [CreateValidationKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateValidationKeyDto.md)\n - [CreateValidationKeyResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateValidationKeyResponseDto.md)\n - [CreateVaultAccountConnectionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateVaultAccountConnectionRequest.md)\n - [CreateVaultAccountRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateVaultAccountRequest.md)\n - [CreateVaultAssetResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateVaultAssetResponse.md)\n - [CreateWalletRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateWalletRequest.md)\n - [CreateWorkflowExecutionRequestParamsInner](https://github.com/fireblocks/py-sdk/tree/master/docs/CreateWorkflowExecutionRequestParamsInner.md)\n - [CustomRoutingDest](https://github.com/fireblocks/py-sdk/tree/master/docs/CustomRoutingDest.md)\n - [DefaultNetworkRoutingDest](https://github.com/fireblocks/py-sdk/tree/master/docs/DefaultNetworkRoutingDest.md)\n - [DelegationDto](https://github.com/fireblocks/py-sdk/tree/master/docs/DelegationDto.md)\n - [DelegationSummaryDto](https://github.com/fireblocks/py-sdk/tree/master/docs/DelegationSummaryDto.md)\n - [DeleteNetworkConnectionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DeleteNetworkConnectionResponse.md)\n - [DeleteNetworkIdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DeleteNetworkIdResponse.md)\n - [DeployedContractResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractResponseDto.md)\n - [DeployedContractsPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DeployedContractsPaginatedResponse.md)\n - [DepositFundsFromLinkedDDAResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DepositFundsFromLinkedDDAResponse.md)\n - [Destination](https://github.com/fireblocks/py-sdk/tree/master/docs/Destination.md)\n - [DestinationTransferPeerPath](https://github.com/fireblocks/py-sdk/tree/master/docs/DestinationTransferPeerPath.md)\n - [DestinationTransferPeerPathResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DestinationTransferPeerPathResponse.md)\n - [DisbursementAmountInstruction](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementAmountInstruction.md)\n - [DisbursementConfigOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementConfigOperation.md)\n - [DisbursementInstruction](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementInstruction.md)\n - [DisbursementInstructionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementInstructionOutput.md)\n - [DisbursementOperationConfigParams](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationConfigParams.md)\n - [DisbursementOperationExecution](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationExecution.md)\n - [DisbursementOperationExecutionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationExecutionOutput.md)\n - [DisbursementOperationExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationExecutionParams.md)\n - [DisbursementOperationExecutionParamsExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationExecutionParamsExecutionParams.md)\n - [DisbursementOperationInput](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationInput.md)\n - [DisbursementOperationPreview](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationPreview.md)\n - [DisbursementOperationPreviewOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationPreviewOutput.md)\n - [DisbursementOperationPreviewOutputInstructionSetInner](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationPreviewOutputInstructionSetInner.md)\n - [DisbursementOperationType](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementOperationType.md)\n - [DisbursementPercentageInstruction](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementPercentageInstruction.md)\n - [DisbursementValidationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/DisbursementValidationFailure.md)\n - [DispatchPayoutResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DispatchPayoutResponse.md)\n - [DraftResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DraftResponse.md)\n - [DraftReviewAndValidationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DraftReviewAndValidationResponse.md)\n - [DropTransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/DropTransactionRequest.md)\n - [DropTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/DropTransactionResponse.md)\n - [EVMTokenCreateParamsDto](https://github.com/fireblocks/py-sdk/tree/master/docs/EVMTokenCreateParamsDto.md)\n - [EditGasStationConfigurationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/EditGasStationConfigurationResponse.md)\n - [ErrorResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ErrorResponse.md)\n - [ErrorResponseError](https://github.com/fireblocks/py-sdk/tree/master/docs/ErrorResponseError.md)\n - [ErrorSchema](https://github.com/fireblocks/py-sdk/tree/master/docs/ErrorSchema.md)\n - [EstimatedNetworkFeeResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/EstimatedNetworkFeeResponse.md)\n - [EstimatedTransactionFeeResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/EstimatedTransactionFeeResponse.md)\n - [ExchangeAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccount.md)\n - [ExchangeAccountsPaged](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsPaged.md)\n - [ExchangeAccountsPagedPaging](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAccountsPagedPaging.md)\n - [ExchangeAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeAsset.md)\n - [ExchangeSettlementTransactionsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeSettlementTransactionsResponse.md)\n - [ExchangeTradingAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeTradingAccount.md)\n - [ExchangeType](https://github.com/fireblocks/py-sdk/tree/master/docs/ExchangeType.md)\n - [ExecuteActionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecuteActionRequest.md)\n - [ExecuteActionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecuteActionResponse.md)\n - [ExecutionConversionOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionConversionOperation.md)\n - [ExecutionDisbursementOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionDisbursementOperation.md)\n - [ExecutionOperationStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionOperationStatus.md)\n - [ExecutionScreeningOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionScreeningOperation.md)\n - [ExecutionTransferOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/ExecutionTransferOperation.md)\n - [ExternalWalletAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/ExternalWalletAsset.md)\n - [FeeInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/FeeInfo.md)\n - [FetchAbiRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/FetchAbiRequestDto.md)\n - [FiatAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccount.md)\n - [FiatAccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAccountType.md)\n - [FiatAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/FiatAsset.md)\n - [FreezeTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/FreezeTransactionResponse.md)\n - [FunctionDoc](https://github.com/fireblocks/py-sdk/tree/master/docs/FunctionDoc.md)\n - [Funds](https://github.com/fireblocks/py-sdk/tree/master/docs/Funds.md)\n - [GasStationConfiguration](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationConfiguration.md)\n - [GasStationConfigurationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationConfigurationResponse.md)\n - [GasStationPropertiesResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GasStationPropertiesResponse.md)\n - [GetAPIUsersResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetAPIUsersResponse.md)\n - [GetAuditLogsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetAuditLogsResponse.md)\n - [GetConnectionsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetConnectionsResponse.md)\n - [GetConsoleUsersResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetConsoleUsersResponse.md)\n - [GetExchangeAccountsCredentialsPublicKeyResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetExchangeAccountsCredentialsPublicKeyResponse.md)\n - [GetFilterParameter](https://github.com/fireblocks/py-sdk/tree/master/docs/GetFilterParameter.md)\n - [GetLinkedCollectionsPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetLinkedCollectionsPaginatedResponse.md)\n - [GetMaxSpendableAmountResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetMaxSpendableAmountResponse.md)\n - [GetNFTsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetNFTsResponse.md)\n - [GetOtaStatusResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetOtaStatusResponse.md)\n - [GetOwnershipTokensResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetOwnershipTokensResponse.md)\n - [GetSigningKeyResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/GetSigningKeyResponseDto.md)\n - [GetTransactionOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/GetTransactionOperation.md)\n - [GetValidationKeyResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/GetValidationKeyResponseDto.md)\n - [GetWhitelistIpAddressesResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetWhitelistIpAddressesResponse.md)\n - [GetWorkspaceStatusResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/GetWorkspaceStatusResponse.md)\n - [HttpContractDoesNotExistError](https://github.com/fireblocks/py-sdk/tree/master/docs/HttpContractDoesNotExistError.md)\n - [InstructionAmount](https://github.com/fireblocks/py-sdk/tree/master/docs/InstructionAmount.md)\n - [InternalTransferResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/InternalTransferResponse.md)\n - [Job](https://github.com/fireblocks/py-sdk/tree/master/docs/Job.md)\n - [JobCreated](https://github.com/fireblocks/py-sdk/tree/master/docs/JobCreated.md)\n - [LeanAbiFunction](https://github.com/fireblocks/py-sdk/tree/master/docs/LeanAbiFunction.md)\n - [LeanContractDto](https://github.com/fireblocks/py-sdk/tree/master/docs/LeanContractDto.md)\n - [LeanDeployedContractResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/LeanDeployedContractResponseDto.md)\n - [ListOwnedCollectionsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ListOwnedCollectionsResponse.md)\n - [ListOwnedTokensResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ListOwnedTokensResponse.md)\n - [MediaEntityResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/MediaEntityResponse.md)\n - [ModifySigningKeyAgentIdDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ModifySigningKeyAgentIdDto.md)\n - [ModifySigningKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ModifySigningKeyDto.md)\n - [ModifyValidationKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ModifyValidationKeyDto.md)\n - [NetworkChannel](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkChannel.md)\n - [NetworkConnection](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnection.md)\n - [NetworkConnectionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionResponse.md)\n - [NetworkConnectionRoutingPolicyValue](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionRoutingPolicyValue.md)\n - [NetworkConnectionStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkConnectionStatus.md)\n - [NetworkFee](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkFee.md)\n - [NetworkId](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkId.md)\n - [NetworkIdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkIdResponse.md)\n - [NetworkIdRoutingPolicyValue](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkIdRoutingPolicyValue.md)\n - [NetworkRecord](https://github.com/fireblocks/py-sdk/tree/master/docs/NetworkRecord.md)\n - [NoneNetworkRoutingDest](https://github.com/fireblocks/py-sdk/tree/master/docs/NoneNetworkRoutingDest.md)\n - [NotFoundException](https://github.com/fireblocks/py-sdk/tree/master/docs/NotFoundException.md)\n - [OneTimeAddress](https://github.com/fireblocks/py-sdk/tree/master/docs/OneTimeAddress.md)\n - [OneTimeAddressAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/OneTimeAddressAccount.md)\n - [OperationExecutionFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/OperationExecutionFailure.md)\n - [PaginatedAddressResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PaginatedAddressResponse.md)\n - [PaginatedAddressResponsePaging](https://github.com/fireblocks/py-sdk/tree/master/docs/PaginatedAddressResponsePaging.md)\n - [PaginatedAssetWalletResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PaginatedAssetWalletResponse.md)\n - [PaginatedAssetWalletResponsePaging](https://github.com/fireblocks/py-sdk/tree/master/docs/PaginatedAssetWalletResponsePaging.md)\n - [Paging](https://github.com/fireblocks/py-sdk/tree/master/docs/Paging.md)\n - [Parameter](https://github.com/fireblocks/py-sdk/tree/master/docs/Parameter.md)\n - [ParameterWithValue](https://github.com/fireblocks/py-sdk/tree/master/docs/ParameterWithValue.md)\n - [PayeeAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/PayeeAccount.md)\n - [PayeeAccountResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PayeeAccountResponse.md)\n - [PayeeAccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/PayeeAccountType.md)\n - [PaymentAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentAccount.md)\n - [PaymentAccountResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentAccountResponse.md)\n - [PaymentAccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/PaymentAccountType.md)\n - [PayoutInitMethod](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutInitMethod.md)\n - [PayoutInstruction](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutInstruction.md)\n - [PayoutInstructionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutInstructionResponse.md)\n - [PayoutInstructionState](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutInstructionState.md)\n - [PayoutResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutResponse.md)\n - [PayoutState](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutState.md)\n - [PayoutStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/PayoutStatus.md)\n - [PolicyAndValidationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyAndValidationResponse.md)\n - [PolicyCheckResult](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyCheckResult.md)\n - [PolicyMetadata](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyMetadata.md)\n - [PolicyResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyResponse.md)\n - [PolicyRule](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRule.md)\n - [PolicyRuleAmount](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleAmount.md)\n - [PolicyRuleAmountAggregation](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleAmountAggregation.md)\n - [PolicyRuleAuthorizationGroups](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleAuthorizationGroups.md)\n - [PolicyRuleAuthorizationGroupsGroupsInner](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleAuthorizationGroupsGroupsInner.md)\n - [PolicyRuleCheckResult](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleCheckResult.md)\n - [PolicyRuleDesignatedSigners](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleDesignatedSigners.md)\n - [PolicyRuleDst](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleDst.md)\n - [PolicyRuleError](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleError.md)\n - [PolicyRuleOperators](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleOperators.md)\n - [PolicyRuleRawMessageSigning](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleRawMessageSigning.md)\n - [PolicyRuleRawMessageSigningDerivationPath](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleRawMessageSigningDerivationPath.md)\n - [PolicyRuleSrc](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRuleSrc.md)\n - [PolicyRules](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyRules.md)\n - [PolicySrcOrDestSubType](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicySrcOrDestSubType.md)\n - [PolicySrcOrDestType](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicySrcOrDestType.md)\n - [PolicyStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyStatus.md)\n - [PolicyValidation](https://github.com/fireblocks/py-sdk/tree/master/docs/PolicyValidation.md)\n - [PreScreening](https://github.com/fireblocks/py-sdk/tree/master/docs/PreScreening.md)\n - [ProviderDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ProviderDto.md)\n - [PublicKeyInformation](https://github.com/fireblocks/py-sdk/tree/master/docs/PublicKeyInformation.md)\n - [PublishDraftRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/PublishDraftRequest.md)\n - [PublishResult](https://github.com/fireblocks/py-sdk/tree/master/docs/PublishResult.md)\n - [ReadAbiFunction](https://github.com/fireblocks/py-sdk/tree/master/docs/ReadAbiFunction.md)\n - [ReadCallFunctionDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ReadCallFunctionDto.md)\n - [RedeemFundsToLinkedDDAResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/RedeemFundsToLinkedDDAResponse.md)\n - [RegisterNewAssetRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/RegisterNewAssetRequest.md)\n - [RelatedRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/RelatedRequestDto.md)\n - [RelatedRequestStatusType](https://github.com/fireblocks/py-sdk/tree/master/docs/RelatedRequestStatusType.md)\n - [RelatedTransactionDto](https://github.com/fireblocks/py-sdk/tree/master/docs/RelatedTransactionDto.md)\n - [RemoveCollateralRequestBody](https://github.com/fireblocks/py-sdk/tree/master/docs/RemoveCollateralRequestBody.md)\n - [RenameCosigner](https://github.com/fireblocks/py-sdk/tree/master/docs/RenameCosigner.md)\n - [RenameVaultAccountResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/RenameVaultAccountResponse.md)\n - [RescanTransaction](https://github.com/fireblocks/py-sdk/tree/master/docs/RescanTransaction.md)\n - [ResendTransactionWebhooksRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ResendTransactionWebhooksRequest.md)\n - [ResendWebhooksByTransactionIdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ResendWebhooksByTransactionIdResponse.md)\n - [ResendWebhooksResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ResendWebhooksResponse.md)\n - [RespondToConnectionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/RespondToConnectionRequest.md)\n - [RewardInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/RewardInfo.md)\n - [RewardsInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/RewardsInfo.md)\n - [ScreeningConfigurationsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningConfigurationsRequest.md)\n - [ScreeningOperationExecution](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningOperationExecution.md)\n - [ScreeningOperationExecutionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningOperationExecutionOutput.md)\n - [ScreeningOperationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningOperationFailure.md)\n - [ScreeningOperationType](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningOperationType.md)\n - [ScreeningPolicyResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningPolicyResponse.md)\n - [ScreeningProviderRulesConfigurationResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningProviderRulesConfigurationResponse.md)\n - [ScreeningUpdateConfigurationsRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningUpdateConfigurationsRequest.md)\n - [ScreeningValidationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningValidationFailure.md)\n - [ScreeningVerdict](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningVerdict.md)\n - [ScreeningVerdictMatchedRule](https://github.com/fireblocks/py-sdk/tree/master/docs/ScreeningVerdictMatchedRule.md)\n - [SessionDTO](https://github.com/fireblocks/py-sdk/tree/master/docs/SessionDTO.md)\n - [SessionMetadata](https://github.com/fireblocks/py-sdk/tree/master/docs/SessionMetadata.md)\n - [SetAdminQuorumThresholdRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetAdminQuorumThresholdRequest.md)\n - [SetAdminQuorumThresholdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetAdminQuorumThresholdResponse.md)\n - [SetAssetPriceRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetAssetPriceRequest.md)\n - [SetAutoFuelRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetAutoFuelRequest.md)\n - [SetConfirmationsThresholdRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetConfirmationsThresholdRequest.md)\n - [SetConfirmationsThresholdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetConfirmationsThresholdResponse.md)\n - [SetCustomerRefIdForAddressRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetCustomerRefIdForAddressRequest.md)\n - [SetCustomerRefIdRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetCustomerRefIdRequest.md)\n - [SetNetworkIdDiscoverabilityRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetNetworkIdDiscoverabilityRequest.md)\n - [SetNetworkIdNameRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetNetworkIdNameRequest.md)\n - [SetNetworkIdResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetNetworkIdResponse.md)\n - [SetNetworkIdRoutingPolicyRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetNetworkIdRoutingPolicyRequest.md)\n - [SetOtaStatusRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetOtaStatusRequest.md)\n - [SetOtaStatusResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetOtaStatusResponse.md)\n - [SetOtaStatusResponseOneOf](https://github.com/fireblocks/py-sdk/tree/master/docs/SetOtaStatusResponseOneOf.md)\n - [SetRoutingPolicyRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/SetRoutingPolicyRequest.md)\n - [SetRoutingPolicyResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SetRoutingPolicyResponse.md)\n - [SettlementRequestBody](https://github.com/fireblocks/py-sdk/tree/master/docs/SettlementRequestBody.md)\n - [SettlementResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SettlementResponse.md)\n - [SignedMessage](https://github.com/fireblocks/py-sdk/tree/master/docs/SignedMessage.md)\n - [SignedMessageSignature](https://github.com/fireblocks/py-sdk/tree/master/docs/SignedMessageSignature.md)\n - [SigningKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/SigningKeyDto.md)\n - [SmartTransferApproveTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferApproveTerm.md)\n - [SmartTransferBadRequestResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferBadRequestResponse.md)\n - [SmartTransferCoinStatistic](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferCoinStatistic.md)\n - [SmartTransferCreateTicket](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferCreateTicket.md)\n - [SmartTransferCreateTicketTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferCreateTicketTerm.md)\n - [SmartTransferForbiddenResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferForbiddenResponse.md)\n - [SmartTransferFundTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferFundTerm.md)\n - [SmartTransferManuallyFundTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferManuallyFundTerm.md)\n - [SmartTransferNotFoundResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferNotFoundResponse.md)\n - [SmartTransferSetTicketExpiration](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferSetTicketExpiration.md)\n - [SmartTransferSetTicketExternalId](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferSetTicketExternalId.md)\n - [SmartTransferSetUserGroups](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferSetUserGroups.md)\n - [SmartTransferStatistic](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferStatistic.md)\n - [SmartTransferStatisticInflow](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferStatisticInflow.md)\n - [SmartTransferStatisticOutflow](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferStatisticOutflow.md)\n - [SmartTransferSubmitTicket](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferSubmitTicket.md)\n - [SmartTransferTicket](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicket.md)\n - [SmartTransferTicketFilteredResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicketFilteredResponse.md)\n - [SmartTransferTicketResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicketResponse.md)\n - [SmartTransferTicketTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicketTerm.md)\n - [SmartTransferTicketTermResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferTicketTermResponse.md)\n - [SmartTransferUpdateTicketTerm](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferUpdateTicketTerm.md)\n - [SmartTransferUserGroups](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferUserGroups.md)\n - [SmartTransferUserGroupsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SmartTransferUserGroupsResponse.md)\n - [SolanaBlockchainDataDto](https://github.com/fireblocks/py-sdk/tree/master/docs/SolanaBlockchainDataDto.md)\n - [SourceTransferPeerPath](https://github.com/fireblocks/py-sdk/tree/master/docs/SourceTransferPeerPath.md)\n - [SourceTransferPeerPathResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SourceTransferPeerPathResponse.md)\n - [SpamOwnershipResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SpamOwnershipResponse.md)\n - [SpamTokenResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/SpamTokenResponse.md)\n - [SrcOrDestAttributesInner](https://github.com/fireblocks/py-sdk/tree/master/docs/SrcOrDestAttributesInner.md)\n - [StakeRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/StakeRequestDto.md)\n - [StakeResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/StakeResponseDto.md)\n - [StellarRippleCreateParamsDto](https://github.com/fireblocks/py-sdk/tree/master/docs/StellarRippleCreateParamsDto.md)\n - [SystemMessageInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/SystemMessageInfo.md)\n - [Task](https://github.com/fireblocks/py-sdk/tree/master/docs/Task.md)\n - [TemplatesPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TemplatesPaginatedResponse.md)\n - [ThirdPartyRouting](https://github.com/fireblocks/py-sdk/tree/master/docs/ThirdPartyRouting.md)\n - [ToCollateralTransaction](https://github.com/fireblocks/py-sdk/tree/master/docs/ToCollateralTransaction.md)\n - [ToExchangeTransaction](https://github.com/fireblocks/py-sdk/tree/master/docs/ToExchangeTransaction.md)\n - [TokenCollectionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenCollectionResponse.md)\n - [TokenLinkDto](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenLinkDto.md)\n - [TokenLinkDtoTokenMetadata](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenLinkDtoTokenMetadata.md)\n - [TokenLinkExistsHttpError](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenLinkExistsHttpError.md)\n - [TokenLinkRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenLinkRequestDto.md)\n - [TokenOwnershipResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenOwnershipResponse.md)\n - [TokenOwnershipSpamUpdatePayload](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenOwnershipSpamUpdatePayload.md)\n - [TokenOwnershipStatusUpdatePayload](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenOwnershipStatusUpdatePayload.md)\n - [TokenResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TokenResponse.md)\n - [TokensPaginatedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TokensPaginatedResponse.md)\n - [TradingAccountType](https://github.com/fireblocks/py-sdk/tree/master/docs/TradingAccountType.md)\n - [Transaction](https://github.com/fireblocks/py-sdk/tree/master/docs/Transaction.md)\n - [TransactionFee](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionFee.md)\n - [TransactionOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionOperation.md)\n - [TransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequest.md)\n - [TransactionRequestAmount](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestAmount.md)\n - [TransactionRequestDestination](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestDestination.md)\n - [TransactionRequestFee](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestFee.md)\n - [TransactionRequestGasLimit](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestGasLimit.md)\n - [TransactionRequestGasPrice](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestGasPrice.md)\n - [TransactionRequestNetworkFee](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestNetworkFee.md)\n - [TransactionRequestNetworkStaking](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestNetworkStaking.md)\n - [TransactionRequestPriorityFee](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionRequestPriorityFee.md)\n - [TransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionResponse.md)\n - [TransactionResponseContractCallDecodedData](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionResponseContractCallDecodedData.md)\n - [TransactionResponseDestination](https://github.com/fireblocks/py-sdk/tree/master/docs/TransactionResponseDestination.md)\n - [TransferConfigOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferConfigOperation.md)\n - [TransferOperationConfigParams](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationConfigParams.md)\n - [TransferOperationExecution](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationExecution.md)\n - [TransferOperationExecutionOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationExecutionOutput.md)\n - [TransferOperationExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationExecutionParams.md)\n - [TransferOperationExecutionParamsExecutionParams](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationExecutionParamsExecutionParams.md)\n - [TransferOperationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationFailure.md)\n - [TransferOperationFailureData](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationFailureData.md)\n - [TransferOperationPreview](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationPreview.md)\n - [TransferOperationPreviewOutput](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationPreviewOutput.md)\n - [TransferOperationType](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferOperationType.md)\n - [TransferPeerPathSubType](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferPeerPathSubType.md)\n - [TransferPeerPathType](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferPeerPathType.md)\n - [TransferValidationFailure](https://github.com/fireblocks/py-sdk/tree/master/docs/TransferValidationFailure.md)\n - [TravelRuleAddress](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleAddress.md)\n - [TravelRuleCreateTransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleCreateTransactionRequest.md)\n - [TravelRuleGetAllVASPsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleGetAllVASPsResponse.md)\n - [TravelRuleIssuer](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleIssuer.md)\n - [TravelRuleIssuers](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleIssuers.md)\n - [TravelRuleOwnershipProof](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleOwnershipProof.md)\n - [TravelRulePiiIVMS](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRulePiiIVMS.md)\n - [TravelRulePolicyRuleResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRulePolicyRuleResponse.md)\n - [TravelRuleTransactionBlockchainInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleTransactionBlockchainInfo.md)\n - [TravelRuleUpdateVASPDetails](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleUpdateVASPDetails.md)\n - [TravelRuleVASP](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleVASP.md)\n - [TravelRuleValidateFullTransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleValidateFullTransactionRequest.md)\n - [TravelRuleValidateTransactionRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleValidateTransactionRequest.md)\n - [TravelRuleValidateTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleValidateTransactionResponse.md)\n - [TravelRuleVaspForVault](https://github.com/fireblocks/py-sdk/tree/master/docs/TravelRuleVaspForVault.md)\n - [UnfreezeTransactionResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UnfreezeTransactionResponse.md)\n - [UnmanagedWallet](https://github.com/fireblocks/py-sdk/tree/master/docs/UnmanagedWallet.md)\n - [UnspentInput](https://github.com/fireblocks/py-sdk/tree/master/docs/UnspentInput.md)\n - [UnspentInputsResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UnspentInputsResponse.md)\n - [UnstakeRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/UnstakeRequestDto.md)\n - [UpdateTokenOwnershipStatusDto](https://github.com/fireblocks/py-sdk/tree/master/docs/UpdateTokenOwnershipStatusDto.md)\n - [UpdateVaultAccountAssetAddressRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/UpdateVaultAccountAssetAddressRequest.md)\n - [UpdateVaultAccountRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/UpdateVaultAccountRequest.md)\n - [UserGroupCreateRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupCreateRequest.md)\n - [UserGroupCreateResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupCreateResponse.md)\n - [UserGroupResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupResponse.md)\n - [UserGroupUpdateRequest](https://github.com/fireblocks/py-sdk/tree/master/docs/UserGroupUpdateRequest.md)\n - [UserResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/UserResponse.md)\n - [UserRole](https://github.com/fireblocks/py-sdk/tree/master/docs/UserRole.md)\n - [UserStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/UserStatus.md)\n - [UserType](https://github.com/fireblocks/py-sdk/tree/master/docs/UserType.md)\n - [ValidateAddressResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/ValidateAddressResponse.md)\n - [ValidatedTransactionsForRescan](https://github.com/fireblocks/py-sdk/tree/master/docs/ValidatedTransactionsForRescan.md)\n - [ValidationKeyDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ValidationKeyDto.md)\n - [ValidatorDto](https://github.com/fireblocks/py-sdk/tree/master/docs/ValidatorDto.md)\n - [VaultAccount](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultAccount.md)\n - [VaultAccountsPagedResponse](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultAccountsPagedResponse.md)\n - [VaultAccountsPagedResponsePaging](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultAccountsPagedResponsePaging.md)\n - [VaultActionStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultActionStatus.md)\n - [VaultAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultAsset.md)\n - [VaultWalletAddress](https://github.com/fireblocks/py-sdk/tree/master/docs/VaultWalletAddress.md)\n - [VendorDto](https://github.com/fireblocks/py-sdk/tree/master/docs/VendorDto.md)\n - [WalletAsset](https://github.com/fireblocks/py-sdk/tree/master/docs/WalletAsset.md)\n - [WalletAssetAdditionalInfo](https://github.com/fireblocks/py-sdk/tree/master/docs/WalletAssetAdditionalInfo.md)\n - [WithdrawRequestDto](https://github.com/fireblocks/py-sdk/tree/master/docs/WithdrawRequestDto.md)\n - [WorkflowConfigStatus](https://github.com/fireblocks/py-sdk/tree/master/docs/WorkflowConfigStatus.md)\n - [WorkflowConfigurationId](https://github.com/fireblocks/py-sdk/tree/master/docs/WorkflowConfigurationId.md)\n - [WorkflowExecutionOperation](https://github.com/fireblocks/py-sdk/tree/master/docs/WorkflowExecutionOperation.md)\n - [WriteAbiFunction](https://github.com/fireblocks/py-sdk/tree/master/docs/WriteAbiFunction.md)\n - [WriteCallFunctionDto](https://github.com/fireblocks/py-sdk/tree/master/docs/WriteCallFunctionDto.md)\n - [WriteCallFunctionResponseDto](https://github.com/fireblocks/py-sdk/tree/master/docs/WriteCallFunctionResponseDto.md)\n\n\n<a id=\"documentation-for-authorization\"></a>\n## Documentation For Authorization\n\n\nAuthentication schemes defined for the API:\n<a id=\"bearerTokenAuth\"></a>\n### bearerTokenAuth\n\n- **Type**: Bearer authentication (JWT)\n\n<a id=\"ApiKeyAuth\"></a>\n### ApiKeyAuth\n\n- **Type**: API key\n- **API key parameter name**: X-API-Key\n- **Location**: HTTP header\n\n\n## Author\n\nsupport@fireblocks.com\n\n\n",
"bugtrack_url": null,
"license": "MIT License",
"summary": "Fireblocks API",
"version": "4.0.0",
"project_urls": {
"Homepage": "https://github.com/fireblocks/py-sdk/tree/master"
},
"split_keywords": [
"fireblocks",
" sdk",
" fireblocks api"
],
"urls": [
{
"comment_text": "",
"digests": {
"blake2b_256": "75824c226becbad004187e7fba8d91f607c2cb6acdc8ed249a2d36f978cc18d0",
"md5": "cd84341daeed66309d4e869a1691cd38",
"sha256": "1d49591b02913ffb4a41ef607fb50d6b8f0e45092eb2cc4f96975df6e509ccaa"
},
"downloads": -1,
"filename": "fireblocks-4.0.0-py3-none-any.whl",
"has_sig": false,
"md5_digest": "cd84341daeed66309d4e869a1691cd38",
"packagetype": "bdist_wheel",
"python_version": "py3",
"requires_python": ">=3.8",
"size": 845789,
"upload_time": "2024-10-31T08:36:37",
"upload_time_iso_8601": "2024-10-31T08:36:37.092313Z",
"url": "https://files.pythonhosted.org/packages/75/82/4c226becbad004187e7fba8d91f607c2cb6acdc8ed249a2d36f978cc18d0/fireblocks-4.0.0-py3-none-any.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": "",
"digests": {
"blake2b_256": "31bf48ed9b55a2d00c092988f7da66df4d892498dc4f8ccf79566d74219ef80b",
"md5": "3ea77dfd10104cf556ebf8011596f39f",
"sha256": "ce28bbe0fc47517f3531b50309fd844649d7ab8e3d6edbb7d9fa9981505b3670"
},
"downloads": -1,
"filename": "fireblocks-4.0.0.tar.gz",
"has_sig": false,
"md5_digest": "3ea77dfd10104cf556ebf8011596f39f",
"packagetype": "sdist",
"python_version": "source",
"requires_python": ">=3.8",
"size": 369409,
"upload_time": "2024-10-31T08:36:39",
"upload_time_iso_8601": "2024-10-31T08:36:39.207183Z",
"url": "https://files.pythonhosted.org/packages/31/bf/48ed9b55a2d00c092988f7da66df4d892498dc4f8ccf79566d74219ef80b/fireblocks-4.0.0.tar.gz",
"yanked": false,
"yanked_reason": null
}
],
"upload_time": "2024-10-31 08:36:39",
"github": true,
"gitlab": false,
"bitbucket": false,
"codeberg": false,
"github_user": "fireblocks",
"github_project": "py-sdk",
"travis_ci": false,
"coveralls": false,
"github_actions": true,
"requirements": [
{
"name": "python_dateutil",
"specs": [
[
">=",
"2.5.3"
]
]
},
{
"name": "setuptools",
"specs": [
[
">=",
"21.0.0"
]
]
},
{
"name": "urllib3",
"specs": [
[
">=",
"1.25.3"
],
[
"<",
"2.1.0"
]
]
},
{
"name": "pydantic",
"specs": [
[
">=",
"2"
]
]
},
{
"name": "typing-extensions",
"specs": [
[
">=",
"4.7.1"
]
]
},
{
"name": "PyJWT",
"specs": [
[
">=",
"2.3.0"
]
]
},
{
"name": "cryptography",
"specs": [
[
">=",
"2.7"
]
]
}
],
"tox": true,
"lcname": "fireblocks"
}