Main storage contract for the Euler system
Lookup the current implementation contract for a module
function moduleIdToImplementation(uint moduleId) external view returns (address);
Parameters:
- moduleId: Fixed constant that refers to a module type (ie MODULEID__ETOKEN)
Returns:
- An internal address specifies the module's implementation code
Lookup a proxy that can be used to interact with a module (only valid for single-proxy modules)
function moduleIdToProxy(uint moduleId) external view returns (address);
Parameters:
- moduleId: Fixed constant that refers to a module type (ie MODULEID__MARKETS)
Returns:
- An address that should be cast to the appropriate module interface, ie IEulerMarkets(moduleIdToProxy(2))
Euler-related configuration for an asset
struct AssetConfig {
address eTokenAddress;
bool borrowIsolated;
uint32 collateralFactor;
uint32 borrowFactor;
uint24 twapWindow;
}
Activating and querying markets, and maintaining entered markets lists
Create an Euler pool and associated EToken and DToken addresses.
function activateMarket(address underlying) external returns (address);
Parameters:
- underlying: The address of an ERC20-compliant token. There must be an initialised uniswap3 pool for the underlying/reference asset pair.
Returns:
- The created EToken, or the existing EToken if already activated.
Create a pToken and activate it on Euler. pTokens are protected wrappers around assets that prevent borrowing.
function activatePToken(address underlying) external returns (address);
Parameters:
- underlying: The address of an ERC20-compliant token. There must already be an activated market on Euler for this underlying, and it must have a non-zero collateral factor.
Returns:
- The created pToken, or an existing one if already activated.
Given an underlying, lookup the associated EToken
function underlyingToEToken(address underlying) external view returns (address);
Parameters:
- underlying: Token address
Returns:
- EToken address, or address(0) if not activated
Given an underlying, lookup the associated DToken
function underlyingToDToken(address underlying) external view returns (address);
Parameters:
- underlying: Token address
Returns:
- DToken address, or address(0) if not activated
Given an underlying, lookup the associated PToken
function underlyingToPToken(address underlying) external view returns (address);
Parameters:
- underlying: Token address
Returns:
- PToken address, or address(0) if it doesn't exist
Looks up the Euler-related configuration for a token, and resolves all default-value placeholders to their currently configured values.
function underlyingToAssetConfig(address underlying) external view returns (IEuler.AssetConfig memory);
Parameters:
- underlying: Token address
Returns:
- Configuration struct
Looks up the Euler-related configuration for a token, and returns it unresolved (with default-value placeholders)
function underlyingToAssetConfigUnresolved(address underlying) external view returns (IEuler.AssetConfig memory config);
Parameters:
- underlying: Token address
Returns:
- config: Configuration struct
Given an EToken address, looks up the associated underlying
function eTokenToUnderlying(address eToken) external view returns (address underlying);
Parameters:
- eToken: EToken address
Returns:
- underlying: Token address
Given a DToken address, looks up the associated underlying
function dTokenToUnderlying(address dToken) external view returns (address underlying);
Parameters:
- dToken: DToken address
Returns:
- underlying: Token address
Given an EToken address, looks up the associated DToken
function eTokenToDToken(address eToken) external view returns (address dTokenAddr);
Parameters:
- eToken: EToken address
Returns:
- dTokenAddr: DToken address
Looks up an asset's currently configured interest rate model
function interestRateModel(address underlying) external view returns (uint);
Parameters:
- underlying: Token address
Returns:
- Module ID that represents the interest rate model (IRM)
Retrieves the current interest rate for an asset
function interestRate(address underlying) external view returns (int96);
Parameters:
- underlying: Token address
Returns:
- The interest rate in yield-per-second, scaled by 10**27
Retrieves the current interest rate accumulator for an asset
function interestAccumulator(address underlying) external view returns (uint);
Parameters:
- underlying: Token address
Returns:
- An opaque accumulator that increases as interest is accrued
Retrieves the reserve fee in effect for an asset
function reserveFee(address underlying) external view returns (uint32);
Parameters:
- underlying: Token address
Returns:
- Amount of interest that is redirected to the reserves, as a fraction scaled by RESERVE_FEE_SCALE (4e9)
Retrieves the pricing config for an asset
function getPricingConfig(address underlying) external view returns (uint16 pricingType, uint32 pricingParameters, address pricingForwarded);
Parameters:
- underlying: Token address
Returns:
- pricingType: (1=pegged, 2=uniswap3, 3=forwarded, 4=chainlink)
- pricingParameters: If uniswap3 pricingType then this represents the uniswap pool fee used, if chainlink pricing type this represents the fallback uniswap pool fee or 0 if none
- pricingForwarded: If forwarded pricingType then this is the address prices are forwarded to, otherwise address(0)
Retrieves the Chainlink price feed config for an asset
function getChainlinkPriceFeedConfig(address underlying) external view returns (address chainlinkAggregator);
Parameters:
- underlying: Token address
Returns:
- chainlinkAggregator: Chainlink aggregator proxy address
Retrieves the list of entered markets for an account (assets enabled for collateral or borrowing)
function getEnteredMarkets(address account) external view returns (address[] memory);
Parameters:
- account: User account
Returns:
- List of underlying token addresses
Add an asset to the entered market list, or do nothing if already entered
function enterMarket(uint subAccountId, address newMarket) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- newMarket: Underlying token address
Remove an asset from the entered market list, or do nothing if not already present
function exitMarket(uint subAccountId, address oldMarket) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- oldMarket: Underlying token address
Batch executions, liquidity check deferrals, and interfaces to fetch prices and account liquidity
Liquidity status for an account, either in aggregate or for a particular asset
struct LiquidityStatus {
uint collateralValue;
uint liabilityValue;
uint numBorrows;
bool borrowIsolated;
}
Aggregate struct for reporting detailed (per-asset) liquidity for an account
struct AssetLiquidity {
address underlying;
LiquidityStatus status;
}
Single item in a batch request
struct EulerBatchItem {
bool allowError;
address proxyAddr;
bytes data;
}
Single item in a batch response
struct EulerBatchItemResponse {
bool success;
bytes result;
}
Error containing results of a simulated batch dispatch
error BatchDispatchSimulation(EulerBatchItemResponse[] simulation);
Compute aggregate liquidity for an account
function liquidity(address account) external view returns (LiquidityStatus memory status);
Parameters:
- account: User address
Returns:
- status: Aggregate liquidity (sum of all entered assets)
Compute detailed liquidity for an account, broken down by asset
function detailedLiquidity(address account) external view returns (AssetLiquidity[] memory assets);
Parameters:
- account: User address
Returns:
- assets: List of user's entered assets and each asset's corresponding liquidity
Retrieve Euler's view of an asset's price
function getPrice(address underlying) external view returns (uint twap, uint twapPeriod);
Parameters:
- underlying: Token address
Returns:
- twap: Time-weighted average price
- twapPeriod: TWAP duration, either the twapWindow value in AssetConfig, or less if that duration not available
Retrieve Euler's view of an asset's price, as well as the current marginal price on uniswap
function getPriceFull(address underlying) external view returns (uint twap, uint twapPeriod, uint currPrice);
Parameters:
- underlying: Token address
Returns:
- twap: Time-weighted average price
- twapPeriod: TWAP duration, either the twapWindow value in AssetConfig, or less if that duration not available
- currPrice: The current marginal price on uniswap3 (informational: not used anywhere in the Euler protocol)
Defer liquidity checking for an account, to perform rebalancing, flash loans, etc. msg.sender must implement IDeferredLiquidityCheck
function deferLiquidityCheck(address account, bytes memory data) external;
Parameters:
- account: The account to defer liquidity for. Usually address(this), although not always
- data: Passed through to the onDeferredLiquidityCheck() callback, so contracts don't need to store transient data in storage
Execute several operations in a single transaction
function batchDispatch(EulerBatchItem[] calldata items, address[] calldata deferLiquidityChecks) external;
Parameters:
- items: List of operations to execute
- deferLiquidityChecks: List of user accounts to defer liquidity checks for
Call batch dispatch, but instruct it to revert with the responses, before the liquidity checks.
function batchDispatchSimulate(EulerBatchItem[] calldata items, address[] calldata deferLiquidityChecks) external;
Parameters:
- items: List of operations to execute
- deferLiquidityChecks: List of user accounts to defer liquidity checks for
Enable average liquidity tracking for your account. Operations will cost more gas, but you may get additional benefits when performing liquidations
function trackAverageLiquidity(uint subAccountId, address delegate, bool onlyDelegate) external;
Parameters:
- subAccountId: subAccountId 0 for primary, 1-255 for a sub-account.
- delegate: An address of another account that you would allow to use the benefits of your account's average liquidity (use the null address if you don't care about this). The other address must also reciprocally delegate to your account.
- onlyDelegate: Set this flag to skip tracking average liquidity and only set the delegate.
Disable average liquidity tracking for your account and remove delegate
function unTrackAverageLiquidity(uint subAccountId) external;
Parameters:
- subAccountId: subAccountId 0 for primary, 1-255 for a sub-account
Retrieve the average liquidity for an account
function getAverageLiquidity(address account) external returns (uint);
Parameters:
- account: User account (xor in subAccountId, if applicable)
Returns:
- The average liquidity, in terms of the reference asset, and post risk-adjustment
Retrieve the average liquidity for an account or a delegate account, if set
function getAverageLiquidityWithDelegate(address account) external returns (uint);
Parameters:
- account: User account (xor in subAccountId, if applicable)
Returns:
- The average liquidity, in terms of the reference asset, and post risk-adjustment
Retrieve the account which delegates average liquidity for an account, if set
function getAverageLiquidityDelegateAccount(address account) external view returns (address);
Parameters:
- account: User account (xor in subAccountId, if applicable)
Returns:
- The average liquidity delegate account
Transfer underlying tokens from sender's wallet into the pToken wrapper. Allowance should be set for the euler address.
function pTokenWrap(address underlying, uint amount) external;
Parameters:
- underlying: Token address
- amount: The amount to wrap in underlying units
Transfer underlying tokens from the pToken wrapper to the sender's wallet.
function pTokenUnWrap(address underlying, uint amount) external;
Parameters:
- underlying: Token address
- amount: The amount to unwrap in underlying units
Apply EIP2612 signed permit on a target token from sender to euler contract
function usePermit(address token, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s) external;
Parameters:
- token: Token address
- value: Allowance value
- deadline: Permit expiry timestamp
- v: secp256k1 signature v
- r: secp256k1 signature r
- s: secp256k1 signature s
Apply DAI like (allowed) signed permit on a target token from sender to euler contract
function usePermitAllowed(address token, uint256 nonce, uint256 expiry, bool allowed, uint8 v, bytes32 r, bytes32 s) external;
Parameters:
- token: Token address
- nonce: Sender nonce
- expiry: Permit expiry timestamp
- allowed: If true, set unlimited allowance, otherwise set zero allowance
- v: secp256k1 signature v
- r: secp256k1 signature r
- s: secp256k1 signature s
Apply allowance to tokens expecting the signature packed in a single bytes param
function usePermitPacked(address token, uint256 value, uint256 deadline, bytes calldata signature) external;
Parameters:
- token: Token address
- value: Allowance value
- deadline: Permit expiry timestamp
- signature: secp256k1 signature encoded as rsv
Execute a staticcall to an arbitrary address with an arbitrary payload.
function doStaticCall(address contractAddress, bytes memory payload) external view returns (bytes memory);
Parameters:
- contractAddress: Address of the contract to call
- payload: Encoded call payload
Returns:
- result: Encoded return data
Tokenised representation of assets
Pool name, ie "Euler Pool: DAI"
function name() external view returns (string memory);
Pool symbol, ie "eDAI"
function symbol() external view returns (string memory);
Decimals, always normalised to 18.
function decimals() external pure returns (uint8);
Address of underlying asset
function underlyingAsset() external view returns (address);
Sum of all balances, in internal book-keeping units (non-increasing)
function totalSupply() external view returns (uint);
Sum of all balances, in underlying units (increases as interest is earned)
function totalSupplyUnderlying() external view returns (uint);
Balance of a particular account, in internal book-keeping units (non-increasing)
function balanceOf(address account) external view returns (uint);
Balance of a particular account, in underlying units (increases as interest is earned)
function balanceOfUnderlying(address account) external view returns (uint);
Balance of the reserves, in internal book-keeping units (non-increasing)
function reserveBalance() external view returns (uint);
Balance of the reserves, in underlying units (increases as interest is earned)
function reserveBalanceUnderlying() external view returns (uint);
Convert an eToken balance to an underlying amount, taking into account current exchange rate
function convertBalanceToUnderlying(uint balance) external view returns (uint);
Parameters:
- balance: eToken balance, in internal book-keeping units (18 decimals)
Returns:
- Amount in underlying units, (same decimals as underlying token)
Convert an underlying amount to an eToken balance, taking into account current exchange rate
function convertUnderlyingToBalance(uint underlyingAmount) external view returns (uint);
Parameters:
- underlyingAmount: Amount in underlying units (same decimals as underlying token)
Returns:
- eToken: balance, in internal book-keeping units (18 decimals)
Updates interest accumulator and totalBorrows, credits reserves, re-targets interest rate, and logs asset status
function touch() external;
Transfer underlying tokens from sender to the Euler pool, and increase account's eTokens
function deposit(uint subAccountId, uint amount) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- amount: In underlying units (use max uint256 for full underlying token balance)
Transfer underlying tokens from Euler pool to sender, and decrease account's eTokens
function withdraw(uint subAccountId, uint amount) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- amount: In underlying units (use max uint256 for full pool balance)
Mint eTokens and a corresponding amount of dTokens ("self-borrow")
function mint(uint subAccountId, uint amount) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- amount: In underlying units
Pay off dToken liability with eTokens ("self-repay")
function burn(uint subAccountId, uint amount) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- amount: In underlying units (use max uint256 to repay the debt in full or up to the available underlying balance)
Allow spender to access an amount of your eTokens in sub-account 0
function approve(address spender, uint amount) external returns (bool);
Parameters:
- spender: Trusted address
- amount: Use max uint256 for "infinite" allowance
Allow spender to access an amount of your eTokens in a particular sub-account
function approveSubAccount(uint subAccountId, address spender, uint amount) external returns (bool);
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- spender: Trusted address
- amount: Use max uint256 for "infinite" allowance
Retrieve the current allowance
function allowance(address holder, address spender) external view returns (uint);
Parameters:
- holder: Xor with the desired sub-account ID (if applicable)
- spender: Trusted address
Transfer eTokens to another address (from sub-account 0)
function transfer(address to, uint amount) external returns (bool);
Parameters:
- to: Xor with the desired sub-account ID (if applicable)
- amount: In internal book-keeping units (as returned from balanceOf).
Transfer the full eToken balance of an address to another
function transferFromMax(address from, address to) external returns (bool);
Parameters:
- from: This address must've approved the to address, or be a sub-account of msg.sender
- to: Xor with the desired sub-account ID (if applicable)
Transfer eTokens from one address to another
function transferFrom(address from, address to, uint amount) external returns (bool);
Parameters:
- from: This address must've approved the to address, or be a sub-account of msg.sender
- to: Xor with the desired sub-account ID (if applicable)
- amount: In internal book-keeping units (as returned from balanceOf).
Donate eTokens to the reserves
function donateToReserves(uint subAccountId, uint amount) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- amount: In internal book-keeping units (as returned from balanceOf).
Tokenised representation of debts
Debt token name, ie "Euler Debt: DAI"
function name() external view returns (string memory);
Debt token symbol, ie "dDAI"
function symbol() external view returns (string memory);
Decimals of underlying
function decimals() external view returns (uint8);
Address of underlying asset
function underlyingAsset() external view returns (address);
Sum of all outstanding debts, in underlying units (increases as interest is accrued)
function totalSupply() external view returns (uint);
Sum of all outstanding debts, in underlying units normalized to 27 decimals (increases as interest is accrued)
function totalSupplyExact() external view returns (uint);
Debt owed by a particular account, in underlying units
function balanceOf(address account) external view returns (uint);
Debt owed by a particular account, in underlying units normalized to 27 decimals
function balanceOfExact(address account) external view returns (uint);
Transfer underlying tokens from the Euler pool to the sender, and increase sender's dTokens
function borrow(uint subAccountId, uint amount) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- amount: In underlying units (use max uint256 for all available tokens)
Transfer underlying tokens from the sender to the Euler pool, and decrease sender's dTokens
function repay(uint subAccountId, uint amount) external;
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- amount: In underlying units (use max uint256 for full debt owed)
Request a flash-loan. A onFlashLoan() callback in msg.sender will be invoked, which must repay the loan to the main Euler address prior to returning.
function flashLoan(uint amount, bytes calldata data) external;
Parameters:
- amount: In underlying units
- data: Passed through to the onFlashLoan() callback, so contracts don't need to store transient data in storage
Allow spender to send an amount of dTokens to a particular sub-account
function approveDebt(uint subAccountId, address spender, uint amount) external returns (bool);
Parameters:
- subAccountId: 0 for primary, 1-255 for a sub-account
- spender: Trusted address
- amount: In underlying units (use max uint256 for "infinite" allowance)
Retrieve the current debt allowance
function debtAllowance(address holder, address spender) external view returns (uint);
Parameters:
- holder: Xor with the desired sub-account ID (if applicable)
- spender: Trusted address
Transfer dTokens to another address (from sub-account 0)
function transfer(address to, uint amount) external returns (bool);
Parameters:
- to: Xor with the desired sub-account ID (if applicable)
- amount: In underlying units. Use max uint256 for full balance.
Transfer dTokens from one address to another
function transferFrom(address from, address to, uint amount) external returns (bool);
Parameters:
- from: Xor with the desired sub-account ID (if applicable)
- to: This address must've approved the from address, or be a sub-account of msg.sender
- amount: In underlying units. Use max uint256 for full balance.
Liquidate users who are in collateral violation to protect lenders
Information about a prospective liquidation opportunity
struct LiquidationOpportunity {
uint repay;
uint yield;
uint healthScore;
// Only populated if repay > 0:
uint baseDiscount;
uint discount;
uint conversionRate;
}
Checks to see if a liquidation would be profitable, without actually doing anything
function checkLiquidation(address liquidator, address violator, address underlying, address collateral) external returns (LiquidationOpportunity memory liqOpp);
Parameters:
- liquidator: Address that will initiate the liquidation
- violator: Address that may be in collateral violation
- underlying: Token that is to be repayed
- collateral: Token that is to be seized
Returns:
- liqOpp: The details about the liquidation opportunity
Attempts to perform a liquidation
function liquidate(address violator, address underlying, address collateral, uint repay, uint minYield) external;
Parameters:
- violator: Address that may be in collateral violation
- underlying: Token that is to be repayed
- collateral: Token that is to be seized
- repay: The amount of underlying DTokens to be transferred from violator to sender, in units of underlying
- minYield: The minimum acceptable amount of collateral ETokens to be transferred from violator to sender, in units of collateral
Trading assets on Uniswap V3 and 1Inch V4 DEXs
Params for Uniswap V3 exact input trade on a single pool
struct SwapUniExactInputSingleParams {
uint subAccountIdIn;
uint subAccountIdOut;
address underlyingIn;
address underlyingOut;
uint amountIn;
uint amountOutMinimum;
uint deadline;
uint24 fee;
uint160 sqrtPriceLimitX96;
}
Parameters:
- subAccountIdIn: subaccount id to trade from
- subAccountIdOut: subaccount id to trade to
- underlyingIn: sold token address
- underlyingOut: bought token address
- amountIn: amount of token to sell
- amountOutMinimum: minimum amount of bought token
- deadline: trade must complete before this timestamp
- fee: uniswap pool fee to use
- sqrtPriceLimitX96: maximum acceptable price
Params for Uniswap V3 exact input trade routed through multiple pools
struct SwapUniExactInputParams {
uint subAccountIdIn;
uint subAccountIdOut;
uint amountIn;
uint amountOutMinimum;
uint deadline;
bytes path; // list of pools to hop - constructed with uni SDK
}
Parameters:
- subAccountIdIn: subaccount id to trade from
- subAccountIdOut: subaccount id to trade to
- underlyingIn: sold token address
- underlyingOut: bought token address
- amountIn: amount of token to sell
- amountOutMinimum: minimum amount of bought token
- deadline: trade must complete before this timestamp
- path: list of pools to use for the trade
Params for Uniswap V3 exact output trade on a single pool
struct SwapUniExactOutputSingleParams {
uint subAccountIdIn;
uint subAccountIdOut;
address underlyingIn;
address underlyingOut;
uint amountOut;
uint amountInMaximum;
uint deadline;
uint24 fee;
uint160 sqrtPriceLimitX96;
}
Parameters:
- subAccountIdIn: subaccount id to trade from
- subAccountIdOut: subaccount id to trade to
- underlyingIn: sold token address
- underlyingOut: bought token address
- amountOut: amount of token to buy
- amountInMaximum: maximum amount of sold token
- deadline: trade must complete before this timestamp
- fee: uniswap pool fee to use
- sqrtPriceLimitX96: maximum acceptable price
Params for Uniswap V3 exact output trade routed through multiple pools
struct SwapUniExactOutputParams {
uint subAccountIdIn;
uint subAccountIdOut;
uint amountOut;
uint amountInMaximum;
uint deadline;
bytes path;
}
Parameters:
- subAccountIdIn: subaccount id to trade from
- subAccountIdOut: subaccount id to trade to
- underlyingIn: sold token address
- underlyingOut: bought token address
- amountOut: amount of token to buy
- amountInMaximum: maximum amount of sold token
- deadline: trade must complete before this timestamp
- path: list of pools to use for the trade
Params for 1Inch trade
struct Swap1InchParams {
uint subAccountIdIn;
uint subAccountIdOut;
address underlyingIn;
address underlyingOut;
uint amount;
uint amountOutMinimum;
bytes payload;
}
Parameters:
- subAccountIdIn: subaccount id to trade from
- subAccountIdOut: subaccount id to trade to
- underlyingIn: sold token address
- underlyingOut: bought token address
- amount: amount of token to sell
- amountOutMinimum: minimum amount of bought token
- payload: call data passed to 1Inch contract
Execute Uniswap V3 exact input trade on a single pool
function swapUniExactInputSingle(SwapUniExactInputSingleParams memory params) external;
Parameters:
- params: struct defining trade parameters
Execute Uniswap V3 exact input trade routed through multiple pools
function swapUniExactInput(SwapUniExactInputParams memory params) external;
Parameters:
- params: struct defining trade parameters
Execute Uniswap V3 exact output trade on a single pool
function swapUniExactOutputSingle(SwapUniExactOutputSingleParams memory params) external;
Parameters:
- params: struct defining trade parameters
Execute Uniswap V3 exact output trade routed through multiple pools
function swapUniExactOutput(SwapUniExactOutputParams memory params) external;
Parameters:
- params: struct defining trade parameters
Trade on Uniswap V3 single pool and repay debt with bought asset
function swapAndRepayUniSingle(SwapUniExactOutputSingleParams memory params, uint targetDebt) external;
Parameters:
- params: struct defining trade parameters (amountOut is ignored)
- targetDebt: amount of debt that is expected to remain after trade and repay (0 to repay full debt)
Trade on Uniswap V3 through multiple pools pool and repay debt with bought asset
function swapAndRepayUni(SwapUniExactOutputParams memory params, uint targetDebt) external;
Parameters:
- params: struct defining trade parameters (amountOut is ignored)
- targetDebt: amount of debt that is expected to remain after trade and repay (0 to repay full debt)
Execute 1Inch V4 trade
function swap1Inch(Swap1InchParams memory params) external;
Parameters:
- params: struct defining trade parameters
Common logic for executing and processing trades through external swap handler contracts
Params defining a swap request
struct SwapParams {
address underlyingIn;
address underlyingOut;
uint mode;
uint amountIn;
uint amountOut;
uint exactOutTolerance;
bytes payload;
}
Execute a trade using the requested swap handler
function swap(uint subAccountIdIn, uint subAccountIdOut, address swapHandler, SwapParams memory params) external;
Parameters:
- subAccountIdIn: sub-account holding the sold token. 0 for primary, 1-255 for a sub-account
- subAccountIdOut: sub-account to receive the bought token. 0 for primary, 1-255 for a sub-account
- swapHandler: address of a swap handler to use
- params: struct defining the requested trade
Repay debt by selling another deposited token
function swapAndRepay(uint subAccountIdIn, uint subAccountIdOut, address swapHandler, SwapParams memory params, uint targetDebt) external;
Parameters:
- subAccountIdIn: sub-account holding the sold token. 0 for primary, 1-255 for a sub-account
- subAccountIdOut: sub-account to receive the bought token. 0 for primary, 1-255 for a sub-account
- swapHandler: address of a swap handler to use
- params: struct defining the requested trade
- targetDebt: how much debt should remain after calling the function
Protected Tokens are simple wrappers for tokens, allowing you to use tokens as collateral without permitting borrowing
PToken name, ie "Euler Protected DAI"
function name() external view returns (string memory);
PToken symbol, ie "pDAI"
function symbol() external view returns (string memory);
Number of decimals, which is same as the underlying's
function decimals() external view returns (uint8);
Address of the underlying asset
function underlying() external view returns (address);
Balance of an account's wrapped tokens
function balanceOf(address who) external view returns (uint);
Sum of all wrapped token balances
function totalSupply() external view returns (uint);
Retrieve the current allowance
function allowance(address holder, address spender) external view returns (uint);
Parameters:
- holder: Address giving permission to access tokens
- spender: Trusted address
Transfer your own pTokens to another address
function transfer(address recipient, uint amount) external returns (bool);
Parameters:
- recipient: Recipient address
- amount: Amount of wrapped token to transfer
Transfer pTokens from one address to another. The euler address is automatically granted approval.
function transferFrom(address from, address recipient, uint amount) external returns (bool);
Parameters:
- from: This address must've approved the to address
- recipient: Recipient address
- amount: Amount to transfer
Allow spender to access an amount of your pTokens. It is not necessary to approve the euler address.
function approve(address spender, uint amount) external returns (bool);
Parameters:
- spender: Trusted address
- amount: Use max uint256 for "infinite" allowance
Convert underlying tokens to pTokens
function wrap(uint amount) external;
Parameters:
- amount: In underlying units (which are equivalent to pToken units)
Convert pTokens to underlying tokens
function unwrap(uint amount) external;
Parameters:
- amount: In pToken units (which are equivalent to underlying units)
Claim any surplus tokens held by the PToken contract. This should only be used by contracts.
function claimSurplus(address who) external;
Parameters:
- who: Beneficiary to be credited for the surplus token amount
Claim distributed tokens
function claim(address account, address token, uint claimable, bytes32[] calldata proof, address stake) external;
Parameters:
- account: Address that should receive tokens
- token: Address of token being claimed (ie EUL)
- proof: Merkle proof that validates this claim
- stake: If non-zero, then the address of a token to auto-stake to, instead of claiming
Retrieve current amount staked
function staked(address account, address underlying) external view returns (uint);
Parameters:
- account: User address
- underlying: Token staked upon
Returns:
- Amount of EUL token staked
Staking operation item. Positive amount means to increase stake on this underlying, negative to decrease.
struct StakeOp {
address underlying;
int amount;
}
Modify stake of a series of underlyings. If the sum of all amounts is positive, then this amount of EUL will be transferred in from the sender's wallet. If negative, EUL will be transferred out to the sender's wallet.
function stake(StakeOp[] memory ops) external;
Parameters:
- ops: Array of operations to perform
Increase stake on an underlying, and transfer this stake to a beneficiary
function stakeGift(address beneficiary, address underlying, uint amount) external;
Parameters:
- beneficiary: Who is given credit for this staked EUL
- underlying: The underlying token to be staked upon
- amount: How much EUL to stake
Applies a permit() signature to EUL and then applies a sequence of staking operations
function stakePermit(StakeOp[] memory ops, uint value, uint deadline, uint8 v, bytes32 r, bytes32 s) external;
Parameters:
- ops: Array of operations to perform
- value: The value field of the permit message
- deadline: The deadline field of the permit message
- v: Signature field
- r: Signature field
- s: Signature field