erc_4626.vault_protocol.gains.vault
Documentation for eth_defi.erc_4626.vault_protocol.gains.vault Python module.
Gains/Ostium vault adapter.
For usage example ande details, see GainsVault.
Notes:
About epochs, fee and withdraw delays in gToken vaults https://medium.com/gains-network/introducing-gtoken-vaults-ea98f10a49d5
gTrade contracts v6.1 https://github.com/GainsNetwork/gTrade-v6.1
gUSDC vault implementation contract https://arbiscan.io/address/0xeb754588eff264793bb80be65866d11bc8d6cbdd#code
gUSDC vault proxy contract https://arbiscan.io/address/0xd3443ee1e91af28e5fb858fbd0d72a63ba8046e0
OstiumVault.sol https://github.com/0xOstium/smart-contracts-public/blob/da3b944623bef814285b7f418d43e6a95f4ad4b1/src/OstiumVault.sol#L243
Ostium vault on Arbitrum https://arbiscan.io/address/0x20d419a8e12c45f88fda7c5760bb6923cee27f98
Ostium implementation on Arbitrum https://arbiscan.io/address/0x738873f37b4b4bebe3545a277a27cdac77db99cd#code
Classes
Read Gains/Ostium vault core data + epoch-based deposit/redemption state. |
|
Gains-like vault support. |
|
Ostium vault is a Gains-like vault. |
- class GainsHistoricalReader
Bases:
eth_defi.erc_4626.vault.ERC4626HistoricalReaderRead Gains/Ostium vault core data + epoch-based deposit/redemption state.
Deposits are always open for Gains/Ostium vaults
Redemptions are open only when
nextEpochValuesRequestCount() == 0on the open PnL contract (first 2 days of 3-day epoch)Trading state is not tracked (always
None)
- construct_multicalls()
Get the onchain calls that are needed to read the share price.
- construct_gains_epoch_calls()
Add epoch state calls for deposit/redemption window detection.
Uses
accPnlPerTokenUsed()andcurrentMaxSupply()for deposit stateUses
nextEpochValuesRequestCount()for redemption stateWorks for both Gains (via
openTradesPnlFeed()) and Ostium (via registry)
- process_result(block_number, timestamp, call_results)
Process the result of mult
Calls are created in
construct_multicalls()This method combines result of this calls to a easy to manage historical record
VaultHistoricalRead
- Parameters
block_number (int) –
timestamp (datetime.datetime) –
call_results (list[eth_defi.event_reader.multicall_batcher.EncodedCallResult]) –
- Return type
- __init__(vault, stateful)
- Parameters
vault (eth_defi.erc_4626.vault.ERC4626Vault) –
stateful (bool) –
- construct_core_erc_4626_multicall()
Polling endpoints defined in ERC-4626 spec.
Does not include fee calls which do not have standard
- dictify_multicall_results(block_number, call_results, allow_failure=True)
Convert batch of multicalls made for this vault to more digestible dict.
Assert that all multicalls succeed
- Returns
Dictionary where each multicall is keyed by its
EncodedCall.extra_data["function"]- Parameters
block_number (int) –
call_results (list[eth_defi.event_reader.multicall_batcher.EncodedCallResult]) –
- Return type
dict[str, eth_defi.event_reader.multicall_batcher.EncodedCallResult]
- process_core_erc_4626_result(call_by_name)
Decode common ERC-4626 calls.
- Parameters
call_by_name (dict[str, eth_defi.event_reader.multicall_batcher.EncodedCallResult]) –
- Return type
- class GainsVault
Bases:
eth_defi.erc_4626.vault.ERC4626VaultGains-like vault support.
This covers gToken smart contract based vaults:
Gains (gTrade) GToken vaults
Ostium LPs
For example see gUSDC vault implementation contract
GToken is an ERC-4626 compatible vault with a custom functions and logic for redemptions. We provide a logic to handle this custom logic in
eth_defi.gains.deposit_redeem.GainsDepositManager.For more examples see Tutorials.
Deposit and redeem example:
vault: GainsVault = create_vault_instance_autodetect(web3, "0xd3443ee1e91af28e5fb858fbd0d72a63ba8046e0") amount = Decimal(100) tx_hash = usdc.approve( vault.address, amount, ).transact({"from": test_user}) assert_transaction_success_with_explanation(web3, tx_hash) bound_func = deposit_4626( vault, test_user, amount, ) tx_hash = bound_func.transact({"from": test_user}) assert_transaction_success_with_explanation(web3, tx_hash) share_token = vault.share_token shares = share_token.fetch_balance_of(test_user) assert shares == pytest.approx(Decimal("81.54203")) # Withdrawals can be only executed on the first two days of an epoch. # We start in a state that is outside of this window, so we need to move to the next epoch first. assert vault.open_pnl_contract.functions.nextEpochValuesRequestCount().call() == 2 assert vault.can_create_redemption_request(test_user) is False # 0. Clear epoch force_next_gains_epoch( vault, test_user, ) # 1. Create a redemption request assert vault.open_pnl_contract.functions.nextEpochValuesRequestCount().call() == 0 assert vault.can_create_redemption_request(test_user) is True, f"We have {vault.open_pnl_contract.functions.nextEpochValuesRequestCount().call()}" redemption_request = vault.create_redemption_request( owner=test_user, shares=shares, ) assert isinstance(redemption_request, GainsRedemptionRequest) assert redemption_request.owner == test_user assert redemption_request.to == test_user assert redemption_request.shares == shares # 2.a) Broadcast and parse redemption request tx assert vault.open_pnl_contract.functions.nextEpochValuesRequestCount().call() == 0 tx_hashes = [] funcs = redemption_request.funcs tx_hash = funcs[0].transact({"from": test_user, "gas": 1_000_000}) assert_transaction_success_with_explanation(web3, tx_hash) tx_hashes.append(tx_hash) # 2.b) Parse result redemption_ticket = redemption_request.parse_redeem_transaction(tx_hashes) assert redemption_ticket.raw_shares == pytest.approx(81.54203 * 10**6) assert redemption_ticket.owner == test_user assert redemption_ticket.to == test_user assert redemption_ticket.current_epoch == 197 assert redemption_ticket.unlock_epoch == 200 # Cannot redeem yet, need to wait for the next epoch assert vault.can_redeem(redemption_ticket) is False # 3. Move forward few epochs where our request unlocks for i in range(0, 3): force_next_gains_epoch( vault, test_user, ) assert vault.fetch_current_epoch() >= 200 # Cannot redeem yet, need to wait for the next epoch assert vault.can_redeem(redemption_ticket) is True # 4. Settle our redemption func = vault.settle_redemption(redemption_ticket) tx_hash = func.transact({"from": test_user}) assert_transaction_success_with_explanation(web3, tx_hash) shares = share_token.fetch_balance_of(test_user) assert shares == 0
- Parameters
web3 – Connection we bind this instance to
spec – Chain, address tuple
token_cache –
Cache used with
fetch_erc20_details()to avoid multiple calls to the same token.Reduces the number of RPC calls when scanning multiple vaults.
features – Pass vault feature flags along, externally detected.
default_block_identifier –
Override block identifier for on-chain metadata reads.
When
None, useget_safe_cached_latest_block_number()(the default, safe for broken RPCs). Set to"latest"for freshly deployed vaults whose contracts do not exist at the safe-cached block.
- property vault_contract: web3.contract.contract.Contract
Get vault deployment.
- property gains_open_trades_pnl_feed: web3.contract.contract.Contract | None
Get Gains PnL feed contract.
- property open_pnl_contract: web3.contract.contract.Contract
Get OpenPNL contract.
Needed for epoch calls
See OstiumOpenPnl.sol
- get_management_fee(block_identifier)
No management fee
- get_performance_fee(block_identifier)
No performance fee
- fetch_epoch_duration()
How long are epochs for this vault.
- Return type
- fetch_withdraw_epochs_time_lock()
Fetch withdraw time lock in epochs.
The currently available epochs
This depends on how overcollateralised the vault is currently
https://medium.com/gains-network/introducing-gtoken-vaults-ea98f10a49d5
Epoch is set in function updateAccPnlPerTokenUsed() called by openTradesPnlFeed (Gains) or registry.getContractAddress(‘openPnl’) (Ostium).
- Returns
Number of epochs
- Return type
- fetch_current_epoch_start()
When the current epoch started.
- Return type
- estimate_redemption_ready(now_=None)
How long we need to wait for withdraw if we start now.
- Parameters
now_ (datetime.datetime) –
- Return type
datetime.datetime | None
- get_max_discount_percent()
Get max discount percent.
Gains and Ostium allows you to lock LP for a discount:
Staking DAI to the new vault and receiving gDAI can be done at any time during an epoch.
You can also optionally receive a “discount” on your gDAI when staking DAI in the vault by choosing to lock your deposit for a certain period of time. The discount has two components: a time-based incentive and a collateralization-based incentive.
Lock up your gDAI tokens when staking (from 2 weeks to 1 year).
Mint gDAI anytime the collateralization ratio is below 150%. The discount is proportional to the collateralization level, with a maximum discount of 5%. At a collateralization ratio below 100%, the discount is 5%. Between 100%-150%, the discount linearly decreases from 5% to 0%.
- Returns
0.05 for 5% discount
- Return type
- get_historical_reader(stateful)
Get share price reader to fetch historical returns.
- Parameters
stateful – If True, use a stateful reading strategy.
- Returns
None if unsupported
- Return type
- get_deposit_manager()
Get deposit manager to deposit/redeem from the vault.
- Return type
eth_defi.gains.deposit_redeem.GainsDepositManager
- fetch_deposit_closed_reason()
Check maxDeposit to determine if deposits are closed.
Deposits closed when vault reaches max supply during profitable periods.
- Return type
str | None
- fetch_redemption_closed_reason()
Check epoch state - redemptions open when nextEpochValuesRequestCount == 0.
- Return type
str | None
- fetch_deposit_next_open()
Deposit timing unpredictable - depends on vault supply vs cap.
- Return type
datetime.datetime | None
- fetch_redemption_next_open()
Get when withdrawals will next be open.
Redemptions open at the start of the next epoch when nextEpochValuesRequestCount resets to 0
- Return type
datetime.datetime | None
- __init__(web3, spec, token_cache=None, features=None, default_block_identifier=None)
- Parameters
web3 (web3.main.Web3) – Connection we bind this instance to
spec (eth_defi.vault.base.VaultSpec) – Chain, address tuple
token_cache (dict | None) –
Cache used with
fetch_erc20_details()to avoid multiple calls to the same token.Reduces the number of RPC calls when scanning multiple vaults.
features (set[eth_defi.erc_4626.core.ERC4626Feature] | None) – Pass vault feature flags along, externally detected.
default_block_identifier (Optional[Union[Literal['latest', 'earliest', 'pending', 'safe', 'finalized'], eth_typing.evm.BlockNumber, eth_typing.evm.Hash32, eth_typing.encoding.HexStr, hexbytes.main.HexBytes, int]]) –
Override block identifier for on-chain metadata reads.
When
None, useget_safe_cached_latest_block_number()(the default, safe for broken RPCs). Set to"latest"for freshly deployed vaults whose contracts do not exist at the safe-cached block.
- property address: eth_typing.evm.HexAddress
Get the vault smart contract address.
- property denomination_token: eth_defi.token.TokenDetails | None
Get the token which denominates the vault valuation
Used in deposits and redemptions
Used in NAV calculation
Used in profit benchmarks
Usually USDC
- Returns
Token wrapper instance.
Maybe None for broken vaults like https://arbiscan.io/address/0x9d0fbc852deccb7dcdd6cb224fa7561efda74411#code
- property deposit_manager: eth_defi.vault.deposit_redeem.VaultDepositManager
Deposit manager assocaited with this vault
- property erc_7540: bool
Is this ERC-7540 vault with asynchronous deposits.
For example
previewDeposit()function and other functions will revert
- fetch_denomination_token()
Read denomination token from onchain.
Use
denomination_token()for cached access.- Return type
eth_defi.token.TokenDetails | None
- fetch_denomination_token_address()
Get the address for the denomination token.
Triggers RCP call
- Return type
Fetch the most recent onchain NAV value.
In the case of Lagoon, this is the last value written in the contract with updateNewTotalAssets() and ` settleDeposit()`
TODO: updateNewTotalAssets() there is no way to read pending asset update on chain
- Returns
Vault NAV, denominated in
denomination_token()- Return type
- fetch_portfolio(universe, block_identifier=None, allow_fallback=True)
Read the current token balances of a vault.
SHould be supported by all implementations
- Parameters
universe (eth_defi.vault.base.TradingUniverse) –
block_identifier (Optional[Union[Literal['latest', 'earliest', 'pending', 'safe', 'finalized'], eth_typing.evm.BlockNumber, eth_typing.evm.Hash32, eth_typing.encoding.HexStr, hexbytes.main.HexBytes, int]]) –
allow_fallback (bool) –
- Return type
Get the current share price.
Read share token details onchain.
Use
share_token()for cached access.- Return type
Get share token of this vault.
Vault itself (ERC-4626)
share() accessor (ERc-7575)
- fetch_total_assets(block_identifier)
What is the total NAV of the vault.
Example:
assert vault.denomination_token.symbol == "USDC" assert vault.share_token.symbol == "ipUSDCfusion" assert vault.fetch_total_assets(block_identifier=test_block_number) == Decimal("1437072.77357") assert vault.fetch_total_supply(block_identifier=test_block_number) == Decimal("1390401.22652875")
- Parameters
block_identifier (Union[Literal['latest', 'earliest', 'pending', 'safe', 'finalized'], eth_typing.evm.BlockNumber, eth_typing.evm.Hash32, eth_typing.encoding.HexStr, hexbytes.main.HexBytes, int]) –
Block number to read.
Use web3.eth.block_number for the last block.
- Returns
The vault value in underlyinh token
- Return type
decimal.Decimal | None
- fetch_total_supply(block_identifier)
What is the current outstanding shares.
Example:
- Parameters
block_identifier (Union[Literal['latest', 'earliest', 'pending', 'safe', 'finalized'], eth_typing.evm.BlockNumber, eth_typing.evm.Hash32, eth_typing.encoding.HexStr, hexbytes.main.HexBytes, int]) –
Block number to read.
Use web3.eth.block_number for the last block.
- Returns
The vault value in underlyinh token
- Return type
- fetch_vault_info()
Get all information we can extract from the vault smart contracts.
- Return type
- property flow_manager: eth_defi.vault.base.VaultFlowManager
Flow manager associated with this vault
- get_deposit_fee(block_identifier)
Deposit fee is set to zero by default as vaults usually do not have deposit fees.
Internal: Use
get_fee_data().
- get_estimated_lock_up()
ERC-4626 vaults do not have a lock up by fault.
Note
Because of so many protocol specific lockups, this must be explicitly set to zero.
- Return type
datetime.timedelta | None
- get_fee_data()
Get fee data structure for this vault.
- Raises
ValueError – In the case of broken or unimplemented fee reading methods in the smart contract
- Return type
- get_fee_mode()
Get how this vault accounts its fees.
- Return type
- get_flags()
Get various vault state flags from the smart contract.
Override to add status flags
Also add flags from our manual flag list in
eth_defi.vault.flag
- Returns
Flag set.
Do not modify in place.
- Return type
set[eth_defi.vault.flag.VaultFlag]
- get_flow_manager()
Get flow manager to read indiviaul settle events.
Only supported if
has_block_range_event_support()is True
- Return type
- get_link(referral=None)
Get a link to the vault dashboard on its native site.
By default, give RouteScan link
- get_notes()
Get a human readable message if we know somethign special is going on with this vault.
- Return type
str | None
- get_risk()
Get risk profile of this vault.
- Return type
- get_withdraw_fee(block_identifier)
Withdraw fee is set to zero by default as vaults usually do not have withdraw fees.
Internal: Use
get_fee_data().
- has_block_range_event_support()
Does this vault support block range-based event queries for deposits and redemptions.
If not we use chain balance polling-based approach
- has_custom_fees()
Does this vault have custom fee structure reading methods.
Causes risk in the vault comparison.
E.g.
Withdraw fee
Deposit fee
- Returns
True if custom fee reading methods are implemented
- Return type
- has_deposit_distribution_to_all_positions()
Deposits go automatically to all open positions.
Deposits do not land into the vault as cash
Instead, smart contracts automatically increase all open positions
The behaviour of Velvet Capital
- property info: eth_defi.vault.base.VaultInfo
Get info dictionary related to this vault deployment.
Get cached data on the various vault parameters
- Returns
Vault protocol specific information dictionary
- is_valid()
Check if this vault is valid.
Call a known smart contract function to verify the function exists
- Return type
ERC-20 that presents vault shares.
User gets shares on deposit and burns them on redemption
- property underlying_token: eth_defi.token.TokenDetails
Alias for
denomination_token()
- class OstiumVault
Bases:
eth_defi.erc_4626.vault_protocol.gains.vault.GainsVaultOstium vault is a Gains-like vault.
OstiumVault.sol https://github.com/0xOstium/smart-contracts-public/blob/da3b944623bef814285b7f418d43e6a95f4ad4b1/src/OstiumVault.sol#L243
OstiumVault on Arbitrum
OstiumOpenPnl https://arbiscan.io/address/0xe607ac9ff58697c5978afa1fc1c5c437a6d1858c
What Ostium says:
This repository is adapted from the Gains v5 open-source codebase. We credit the Gains Network contributors for their work, which served as a starting point for this implementation. Significant modifications and new functionality have been introduced to align with Ostium’s protocol architecture and design objectives. This includes integrations and components specific to our system. For reference, please consult the original Gains v5 repository for upstream logic and licensing information.
- Parameters
web3 – Connection we bind this instance to
spec – Chain, address tuple
token_cache –
Cache used with
fetch_erc20_details()to avoid multiple calls to the same token.Reduces the number of RPC calls when scanning multiple vaults.
features – Pass vault feature flags along, externally detected.
default_block_identifier –
Override block identifier for on-chain metadata reads.
When
None, useget_safe_cached_latest_block_number()(the default, safe for broken RPCs). Set to"latest"for freshly deployed vaults whose contracts do not exist at the safe-cached block.
- property vault_contract: web3.contract.contract.Contract
Get vault deployment.
- property open_pnl_contract: web3.contract.contract.Contract
Get OpenPNL contract.
Needed for epoch calls
- __init__(web3, spec, token_cache=None, features=None, default_block_identifier=None)
- Parameters
web3 (web3.main.Web3) – Connection we bind this instance to
spec (eth_defi.vault.base.VaultSpec) – Chain, address tuple
token_cache (dict | None) –
Cache used with
fetch_erc20_details()to avoid multiple calls to the same token.Reduces the number of RPC calls when scanning multiple vaults.
features (set[eth_defi.erc_4626.core.ERC4626Feature] | None) – Pass vault feature flags along, externally detected.
default_block_identifier (Optional[Union[Literal['latest', 'earliest', 'pending', 'safe', 'finalized'], eth_typing.evm.BlockNumber, eth_typing.evm.Hash32, eth_typing.encoding.HexStr, hexbytes.main.HexBytes, int]]) –
Override block identifier for on-chain metadata reads.
When
None, useget_safe_cached_latest_block_number()(the default, safe for broken RPCs). Set to"latest"for freshly deployed vaults whose contracts do not exist at the safe-cached block.
- property address: eth_typing.evm.HexAddress
Get the vault smart contract address.
- property denomination_token: eth_defi.token.TokenDetails | None
Get the token which denominates the vault valuation
Used in deposits and redemptions
Used in NAV calculation
Used in profit benchmarks
Usually USDC
- Returns
Token wrapper instance.
Maybe None for broken vaults like https://arbiscan.io/address/0x9d0fbc852deccb7dcdd6cb224fa7561efda74411#code
- property deposit_manager: eth_defi.vault.deposit_redeem.VaultDepositManager
Deposit manager assocaited with this vault
- property erc_7540: bool
Is this ERC-7540 vault with asynchronous deposits.
For example
previewDeposit()function and other functions will revert
- estimate_redemption_ready(now_=None)
How long we need to wait for withdraw if we start now.
- Parameters
now_ (datetime.datetime) –
- Return type
datetime.datetime | None
- fetch_current_epoch_start()
When the current epoch started.
- Return type
- fetch_denomination_token()
Read denomination token from onchain.
Use
denomination_token()for cached access.- Return type
eth_defi.token.TokenDetails | None
- fetch_denomination_token_address()
Get the address for the denomination token.
Triggers RCP call
- Return type
- fetch_deposit_closed_reason()
Check maxDeposit to determine if deposits are closed.
Deposits closed when vault reaches max supply during profitable periods.
- Return type
str | None
- fetch_deposit_next_open()
Deposit timing unpredictable - depends on vault supply vs cap.
- Return type
datetime.datetime | None
- fetch_epoch_duration()
How long are epochs for this vault.
- Return type
Fetch the most recent onchain NAV value.
In the case of Lagoon, this is the last value written in the contract with updateNewTotalAssets() and ` settleDeposit()`
TODO: updateNewTotalAssets() there is no way to read pending asset update on chain
- Returns
Vault NAV, denominated in
denomination_token()- Return type
- fetch_portfolio(universe, block_identifier=None, allow_fallback=True)
Read the current token balances of a vault.
SHould be supported by all implementations
- Parameters
universe (eth_defi.vault.base.TradingUniverse) –
block_identifier (Optional[Union[Literal['latest', 'earliest', 'pending', 'safe', 'finalized'], eth_typing.evm.BlockNumber, eth_typing.evm.Hash32, eth_typing.encoding.HexStr, hexbytes.main.HexBytes, int]]) –
allow_fallback (bool) –
- Return type
- fetch_redemption_closed_reason()
Check epoch state - redemptions open when nextEpochValuesRequestCount == 0.
- Return type
str | None
- fetch_redemption_next_open()
Get when withdrawals will next be open.
Redemptions open at the start of the next epoch when nextEpochValuesRequestCount resets to 0
- Return type
datetime.datetime | None
Get the current share price.
Read share token details onchain.
Use
share_token()for cached access.- Return type
Get share token of this vault.
Vault itself (ERC-4626)
share() accessor (ERc-7575)
- fetch_total_assets(block_identifier)
What is the total NAV of the vault.
Example:
assert vault.denomination_token.symbol == "USDC" assert vault.share_token.symbol == "ipUSDCfusion" assert vault.fetch_total_assets(block_identifier=test_block_number) == Decimal("1437072.77357") assert vault.fetch_total_supply(block_identifier=test_block_number) == Decimal("1390401.22652875")
- Parameters
block_identifier (Union[Literal['latest', 'earliest', 'pending', 'safe', 'finalized'], eth_typing.evm.BlockNumber, eth_typing.evm.Hash32, eth_typing.encoding.HexStr, hexbytes.main.HexBytes, int]) –
Block number to read.
Use web3.eth.block_number for the last block.
- Returns
The vault value in underlyinh token
- Return type
decimal.Decimal | None
- fetch_total_supply(block_identifier)
What is the current outstanding shares.
Example:
- Parameters
block_identifier (Union[Literal['latest', 'earliest', 'pending', 'safe', 'finalized'], eth_typing.evm.BlockNumber, eth_typing.evm.Hash32, eth_typing.encoding.HexStr, hexbytes.main.HexBytes, int]) –
Block number to read.
Use web3.eth.block_number for the last block.
- Returns
The vault value in underlyinh token
- Return type
- fetch_vault_info()
Get all information we can extract from the vault smart contracts.
- Return type
- fetch_withdraw_epochs_time_lock()
Fetch withdraw time lock in epochs.
The currently available epochs
This depends on how overcollateralised the vault is currently
https://medium.com/gains-network/introducing-gtoken-vaults-ea98f10a49d5
Epoch is set in function updateAccPnlPerTokenUsed() called by openTradesPnlFeed (Gains) or registry.getContractAddress(‘openPnl’) (Ostium).
- Returns
Number of epochs
- Return type
- property flow_manager: eth_defi.vault.base.VaultFlowManager
Flow manager associated with this vault
- property gains_open_trades_pnl_feed: web3.contract.contract.Contract | None
Get Gains PnL feed contract.
- get_deposit_fee(block_identifier)
Deposit fee is set to zero by default as vaults usually do not have deposit fees.
Internal: Use
get_fee_data().
- get_deposit_manager()
Get deposit manager to deposit/redeem from the vault.
- Return type
eth_defi.gains.deposit_redeem.GainsDepositManager
- get_estimated_lock_up()
ERC-4626 vaults do not have a lock up by fault.
Note
Because of so many protocol specific lockups, this must be explicitly set to zero.
- Return type
datetime.timedelta | None
- get_fee_data()
Get fee data structure for this vault.
- Raises
ValueError – In the case of broken or unimplemented fee reading methods in the smart contract
- Return type
- get_fee_mode()
Get how this vault accounts its fees.
- Return type
- get_flags()
Get various vault state flags from the smart contract.
Override to add status flags
Also add flags from our manual flag list in
eth_defi.vault.flag
- Returns
Flag set.
Do not modify in place.
- Return type
set[eth_defi.vault.flag.VaultFlag]
- get_flow_manager()
Get flow manager to read indiviaul settle events.
Only supported if
has_block_range_event_support()is True
- Return type
- get_historical_reader(stateful)
Get share price reader to fetch historical returns.
- Parameters
stateful – If True, use a stateful reading strategy.
- Returns
None if unsupported
- Return type
- get_link(referral=None)
Get a link to the vault dashboard on its native site.
By default, give RouteScan link
- get_management_fee(block_identifier)
No management fee
- get_max_discount_percent()
Get max discount percent.
Gains and Ostium allows you to lock LP for a discount:
Staking DAI to the new vault and receiving gDAI can be done at any time during an epoch.
You can also optionally receive a “discount” on your gDAI when staking DAI in the vault by choosing to lock your deposit for a certain period of time. The discount has two components: a time-based incentive and a collateralization-based incentive.
Lock up your gDAI tokens when staking (from 2 weeks to 1 year).
Mint gDAI anytime the collateralization ratio is below 150%. The discount is proportional to the collateralization level, with a maximum discount of 5%. At a collateralization ratio below 100%, the discount is 5%. Between 100%-150%, the discount linearly decreases from 5% to 0%.
- Returns
0.05 for 5% discount
- Return type
- get_notes()
Get a human readable message if we know somethign special is going on with this vault.
- Return type
str | None
- get_performance_fee(block_identifier)
No performance fee
- get_risk()
Get risk profile of this vault.
- Return type
- get_withdraw_fee(block_identifier)
Withdraw fee is set to zero by default as vaults usually do not have withdraw fees.
Internal: Use
get_fee_data().
- has_block_range_event_support()
Does this vault support block range-based event queries for deposits and redemptions.
If not we use chain balance polling-based approach
- has_custom_fees()
Does this vault have custom fee structure reading methods.
Causes risk in the vault comparison.
E.g.
Withdraw fee
Deposit fee
- Returns
True if custom fee reading methods are implemented
- Return type
- has_deposit_distribution_to_all_positions()
Deposits go automatically to all open positions.
Deposits do not land into the vault as cash
Instead, smart contracts automatically increase all open positions
The behaviour of Velvet Capital
- property info: eth_defi.vault.base.VaultInfo
Get info dictionary related to this vault deployment.
Get cached data on the various vault parameters
- Returns
Vault protocol specific information dictionary
- is_valid()
Check if this vault is valid.
Call a known smart contract function to verify the function exists
- Return type
ERC-20 that presents vault shares.
User gets shares on deposit and burns them on redemption
- property underlying_token: eth_defi.token.TokenDetails
Alias for
denomination_token()