Overview
ETH Balance
0 ETH
Eth Value
$0.00More Info
Private Name Tags
ContractCreator
Transaction Hash |
Method
|
Block
|
From
|
To
|
|||||
---|---|---|---|---|---|---|---|---|---|
Latest 1 internal transaction
Advanced mode:
Parent Transaction Hash | Block |
From
|
To
|
|||
---|---|---|---|---|---|---|
17392071 | 599 days ago | Contract Creation | 0 ETH |
Loading...
Loading
Contract Name:
InterestRatesManager
Compiler Version
v0.8.13+commit.abaa5c0e
Optimization Enabled:
Yes with 200 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity 0.8.13; import "./interfaces/aave/IAToken.sol"; import "./interfaces/lido/ILido.sol"; import "./libraries/InterestRatesModel.sol"; import "@morpho-dao/morpho-utils/math/WadRayMath.sol"; import "./MorphoStorage.sol"; /// @title InterestRatesManager. /// @author Morpho Labs. /// @custom:contact [email protected] /// @notice Smart contract handling the computation of indexes used for peer-to-peer interactions. /// @dev This contract inherits from MorphoStorage so that Morpho can delegate calls to this contract. contract InterestRatesManager is IInterestRatesManager, MorphoStorage { using WadRayMath for uint256; /// STRUCTS /// struct Params { uint256 lastP2PSupplyIndex; // The peer-to-peer supply index at last update. uint256 lastP2PBorrowIndex; // The peer-to-peer borrow index at last update. uint256 poolSupplyIndex; // The current pool supply index. uint256 poolBorrowIndex; // The current pool borrow index. Types.PoolIndexes lastPoolIndexes; // The pool indexes at last update. uint256 reserveFactor; // The reserve factor percentage (10 000 = 100%). uint256 p2pIndexCursor; // The peer-to-peer index cursor (10 000 = 100%). Types.Delta delta; // The deltas and peer-to-peer amounts. } /// EVENTS /// /// @notice Emitted when the peer-to-peer indexes of a market are updated. /// @param _poolToken The address of the market updated. /// @param _p2pSupplyIndex The updated supply index from peer-to-peer unit to underlying. /// @param _p2pBorrowIndex The updated borrow index from peer-to-peer unit to underlying. /// @param _poolSupplyIndex The updated pool supply index. /// @param _poolBorrowIndex The updated pool borrow index. event P2PIndexesUpdated( address indexed _poolToken, uint256 _p2pSupplyIndex, uint256 _p2pBorrowIndex, uint256 _poolSupplyIndex, uint256 _poolBorrowIndex ); /// EXTERNAL /// /// @notice Updates the peer-to-peer indexes and pool indexes (only stored locally). /// @param _poolToken The address of the market to update. function updateIndexes(address _poolToken) external { Types.PoolIndexes storage marketPoolIndexes = poolIndexes[_poolToken]; Types.Market storage market = market[_poolToken]; (uint256 newPoolSupplyIndex, uint256 newPoolBorrowIndex) = _getPoolIndexes( market.underlyingToken ); (uint256 newP2PSupplyIndex, uint256 newP2PBorrowIndex) = _computeP2PIndexes( Params({ lastP2PSupplyIndex: p2pSupplyIndex[_poolToken], lastP2PBorrowIndex: p2pBorrowIndex[_poolToken], poolSupplyIndex: newPoolSupplyIndex, poolBorrowIndex: newPoolBorrowIndex, lastPoolIndexes: marketPoolIndexes, reserveFactor: market.reserveFactor, p2pIndexCursor: market.p2pIndexCursor, delta: deltas[_poolToken] }) ); p2pSupplyIndex[_poolToken] = newP2PSupplyIndex; p2pBorrowIndex[_poolToken] = newP2PBorrowIndex; marketPoolIndexes.lastUpdateTimestamp = uint32(block.timestamp); marketPoolIndexes.poolSupplyIndex = uint112(newPoolSupplyIndex); marketPoolIndexes.poolBorrowIndex = uint112(newPoolBorrowIndex); emit P2PIndexesUpdated( _poolToken, newP2PSupplyIndex, newP2PBorrowIndex, newPoolSupplyIndex, newPoolBorrowIndex ); } /// INTERNAL /// /// @notice Returns the current pool indexes. /// @param _underlyingToken The address of the underlying token. /// @return poolSupplyIndex The pool supply index. /// @return poolBorrowIndex The pool borrow index. function _getPoolIndexes(address _underlyingToken) internal view returns (uint256 poolSupplyIndex, uint256 poolBorrowIndex) { poolSupplyIndex = pool.getReserveNormalizedIncome(_underlyingToken); poolBorrowIndex = pool.getReserveNormalizedVariableDebt(_underlyingToken); if (_underlyingToken == ST_ETH) { uint256 rebaseIndex = ILido(ST_ETH).getPooledEthByShares(WadRayMath.RAY); poolSupplyIndex = poolSupplyIndex.rayMul(rebaseIndex).rayDiv(ST_ETH_BASE_REBASE_INDEX); poolBorrowIndex = poolBorrowIndex.rayMul(rebaseIndex).rayDiv(ST_ETH_BASE_REBASE_INDEX); } } /// @notice Computes and returns new peer-to-peer indexes. /// @param _params Computation parameters. /// @return newP2PSupplyIndex The updated p2pSupplyIndex. /// @return newP2PBorrowIndex The updated p2pBorrowIndex. function _computeP2PIndexes(Params memory _params) internal pure returns (uint256 newP2PSupplyIndex, uint256 newP2PBorrowIndex) { InterestRatesModel.GrowthFactors memory growthFactors = InterestRatesModel .computeGrowthFactors( _params.poolSupplyIndex, _params.poolBorrowIndex, _params.lastPoolIndexes, _params.p2pIndexCursor, _params.reserveFactor ); newP2PSupplyIndex = InterestRatesModel.computeP2PIndex( InterestRatesModel.P2PIndexComputeParams({ poolGrowthFactor: growthFactors.poolSupplyGrowthFactor, p2pGrowthFactor: growthFactors.p2pSupplyGrowthFactor, lastPoolIndex: _params.lastPoolIndexes.poolSupplyIndex, lastP2PIndex: _params.lastP2PSupplyIndex, p2pDelta: _params.delta.p2pSupplyDelta, p2pAmount: _params.delta.p2pSupplyAmount }) ); newP2PBorrowIndex = InterestRatesModel.computeP2PIndex( InterestRatesModel.P2PIndexComputeParams({ poolGrowthFactor: growthFactors.poolBorrowGrowthFactor, p2pGrowthFactor: growthFactors.p2pBorrowGrowthFactor, lastPoolIndex: _params.lastPoolIndexes.poolBorrowIndex, lastP2PIndex: _params.lastP2PBorrowIndex, p2pDelta: _params.delta.p2pBorrowDelta, p2pAmount: _params.delta.p2pBorrowAmount }) ); } }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; import {IERC20} from "./IERC20.sol"; import {IScaledBalanceToken} from "./IScaledBalanceToken.sol"; interface IAToken is IERC20, IScaledBalanceToken { /** * @dev Emitted after the mint action * @param from The address performing the mint * @param value The amount being * @param index The new liquidity index of the reserve **/ event Mint(address indexed from, uint256 value, uint256 index); /** * @dev Mints `amount` aTokens to `user` * @param user The address receiving the minted tokens * @param amount The amount of tokens getting minted * @param index The new liquidity index of the reserve * @return `true` if the the previous balance of the user was 0 */ function mint( address user, uint256 amount, uint256 index ) external returns (bool); /** * @dev Emitted after aTokens are burned * @param from The owner of the aTokens, getting them burned * @param target The address that will receive the underlying * @param value The amount being burned * @param index The new liquidity index of the reserve **/ event Burn(address indexed from, address indexed target, uint256 value, uint256 index); /** * @dev Emitted during the transfer action * @param from The user whose tokens are being transferred * @param to The recipient * @param value The amount being transferred * @param index The new liquidity index of the reserve **/ event BalanceTransfer(address indexed from, address indexed to, uint256 value, uint256 index); /** * @dev Burns aTokens from `user` and sends the equivalent amount of underlying to `receiverOfUnderlying` * @param user The owner of the aTokens, getting them burned * @param receiverOfUnderlying The address that will receive the underlying * @param amount The amount being burned * @param index The new liquidity index of the reserve **/ function burn( address user, address receiverOfUnderlying, uint256 amount, uint256 index ) external; /** * @dev Mints aTokens to the reserve treasury * @param amount The amount of tokens getting minted * @param index The new liquidity index of the reserve */ function mintToTreasury(uint256 amount, uint256 index) external; /** * @dev Transfers aTokens in the event of a borrow being liquidated, in case the liquidators reclaims the aToken * @param from The address getting liquidated, current owner of the aTokens * @param to The recipient * @param value The amount of tokens getting transferred **/ function transferOnLiquidation( address from, address to, uint256 value ) external; /** * @dev Transfers the underlying asset to `target`. Used by the LendingPool to transfer * assets in borrow(), withdraw() and flashLoan() * @param user The recipient of the aTokens * @param amount The amount getting transferred * @return The amount transferred **/ function transferUnderlyingTo(address user, uint256 amount) external returns (uint256); function UNDERLYING_ASSET_ADDRESS() external view returns (address); }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; interface ILido { function getPooledEthByShares(uint256 _sharesAmount) external view returns (uint256); function submit(address _referral) external payable returns (uint256); }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity ^0.8.0; import "@morpho-dao/morpho-utils/math/PercentageMath.sol"; import "@morpho-dao/morpho-utils/math/WadRayMath.sol"; import "@morpho-dao/morpho-utils/math/Math.sol"; import "./Types.sol"; library InterestRatesModel { using PercentageMath for uint256; using WadRayMath for uint256; /// STRUCTS /// struct GrowthFactors { uint256 poolSupplyGrowthFactor; // The pool supply index growth factor (in ray). uint256 poolBorrowGrowthFactor; // The pool borrow index growth factor (in ray). uint256 p2pSupplyGrowthFactor; // Peer-to-peer supply index growth factor (in ray). uint256 p2pBorrowGrowthFactor; // Peer-to-peer borrow index growth factor (in ray). } struct P2PIndexComputeParams { uint256 poolGrowthFactor; // The pool index growth factor (in ray). uint256 p2pGrowthFactor; // Morpho's peer-to-peer median index growth factor (in ray). uint256 lastPoolIndex; // The last stored pool index (in ray). uint256 lastP2PIndex; // The last stored peer-to-peer index (in ray). uint256 p2pDelta; // The peer-to-peer delta for the given market (in pool unit). uint256 p2pAmount; // The peer-to-peer amount for the given market (in peer-to-peer unit). } struct P2PRateComputeParams { uint256 poolSupplyRatePerYear; // The pool supply rate per year (in ray). uint256 poolBorrowRatePerYear; // The pool borrow rate per year (in ray). uint256 poolIndex; // The last stored pool index (in ray). uint256 p2pIndex; // The last stored peer-to-peer index (in ray). uint256 p2pDelta; // The peer-to-peer delta for the given market (in pool unit). uint256 p2pAmount; // The peer-to-peer amount for the given market (in peer-to-peer unit). uint256 p2pIndexCursor; // The index cursor of the given market (in bps). uint256 reserveFactor; // The reserve factor of the given market (in bps). } /// @notice Computes and returns the new supply/borrow growth factors associated to the given market's pool & peer-to-peer indexes. /// @param _newPoolSupplyIndex The current pool supply index. /// @param _newPoolBorrowIndex The current pool borrow index. /// @param _lastPoolIndexes The last stored pool indexes. /// @param _p2pIndexCursor The peer-to-peer index cursor for the given market. /// @param _reserveFactor The reserve factor of the given market. /// @return growthFactors The market's indexes growth factors (in ray). function computeGrowthFactors( uint256 _newPoolSupplyIndex, uint256 _newPoolBorrowIndex, Types.PoolIndexes memory _lastPoolIndexes, uint256 _p2pIndexCursor, uint256 _reserveFactor ) internal pure returns (GrowthFactors memory growthFactors) { growthFactors.poolSupplyGrowthFactor = _newPoolSupplyIndex.rayDiv( _lastPoolIndexes.poolSupplyIndex ); growthFactors.poolBorrowGrowthFactor = _newPoolBorrowIndex.rayDiv( _lastPoolIndexes.poolBorrowIndex ); if (growthFactors.poolSupplyGrowthFactor <= growthFactors.poolBorrowGrowthFactor) { uint256 p2pGrowthFactor = PercentageMath.weightedAvg( growthFactors.poolSupplyGrowthFactor, growthFactors.poolBorrowGrowthFactor, _p2pIndexCursor ); growthFactors.p2pSupplyGrowthFactor = p2pGrowthFactor - (p2pGrowthFactor - growthFactors.poolSupplyGrowthFactor).percentMul(_reserveFactor); growthFactors.p2pBorrowGrowthFactor = p2pGrowthFactor + (growthFactors.poolBorrowGrowthFactor - p2pGrowthFactor).percentMul(_reserveFactor); } else { // The case poolSupplyGrowthFactor > poolBorrowGrowthFactor happens because someone has done a flashloan on Aave, or because the interests // generated by the stable rate borrowing are high (making the supply rate higher than the variable borrow rate). In this case the peer-to-peer // growth factors are set to the pool borrow growth factor. growthFactors.p2pSupplyGrowthFactor = growthFactors.poolBorrowGrowthFactor; growthFactors.p2pBorrowGrowthFactor = growthFactors.poolBorrowGrowthFactor; } } /// @notice Computes and returns the new peer-to-peer supply/borrow index of a market given its parameters. /// @param _params The computation parameters. /// @return newP2PIndex The updated peer-to-peer index (in ray). function computeP2PIndex(P2PIndexComputeParams memory _params) internal pure returns (uint256 newP2PIndex) { if (_params.p2pAmount == 0 || _params.p2pDelta == 0) { newP2PIndex = _params.lastP2PIndex.rayMul(_params.p2pGrowthFactor); } else { uint256 shareOfTheDelta = Math.min( _params.p2pDelta.rayMul(_params.lastPoolIndex).rayDiv( _params.p2pAmount.rayMul(_params.lastP2PIndex) ), // Using ray division of an amount in underlying decimals by an amount in underlying decimals yields a value in ray. WadRayMath.RAY // To avoid shareOfTheDelta > 1 with rounding errors. ); // In ray. newP2PIndex = _params.lastP2PIndex.rayMul( (WadRayMath.RAY - shareOfTheDelta).rayMul(_params.p2pGrowthFactor) + shareOfTheDelta.rayMul(_params.poolGrowthFactor) ); } } /// @notice Computes and returns the peer-to-peer supply rate per year of a market given its parameters. /// @param _params The computation parameters. /// @return p2pSupplyRate The peer-to-peer supply rate per year (in ray). function computeP2PSupplyRatePerYear(P2PRateComputeParams memory _params) internal pure returns (uint256 p2pSupplyRate) { if (_params.poolSupplyRatePerYear > _params.poolBorrowRatePerYear) { p2pSupplyRate = _params.poolBorrowRatePerYear; // The p2pSupplyRate is set to the poolBorrowRatePerYear because there is no rate spread. } else { uint256 p2pRate = PercentageMath.weightedAvg( _params.poolSupplyRatePerYear, _params.poolBorrowRatePerYear, _params.p2pIndexCursor ); p2pSupplyRate = p2pRate - (p2pRate - _params.poolSupplyRatePerYear).percentMul(_params.reserveFactor); } if (_params.p2pDelta > 0 && _params.p2pAmount > 0) { uint256 shareOfTheDelta = Math.min( _params.p2pDelta.rayMul(_params.poolIndex).rayDiv( _params.p2pAmount.rayMul(_params.p2pIndex) ), // Using ray division of an amount in underlying decimals by an amount in underlying decimals yields a value in ray. WadRayMath.RAY // To avoid shareOfTheDelta > 1 with rounding errors. ); // In ray. p2pSupplyRate = p2pSupplyRate.rayMul(WadRayMath.RAY - shareOfTheDelta) + _params.poolSupplyRatePerYear.rayMul(shareOfTheDelta); } } /// @notice Computes and returns the peer-to-peer borrow rate per year of a market given its parameters. /// @param _params The computation parameters. /// @return p2pBorrowRate The peer-to-peer borrow rate per year (in ray). function computeP2PBorrowRatePerYear(P2PRateComputeParams memory _params) internal pure returns (uint256 p2pBorrowRate) { if (_params.poolSupplyRatePerYear > _params.poolBorrowRatePerYear) { p2pBorrowRate = _params.poolBorrowRatePerYear; // The p2pBorrowRate is set to the poolBorrowRatePerYear because there is no rate spread. } else { uint256 p2pRate = PercentageMath.weightedAvg( _params.poolSupplyRatePerYear, _params.poolBorrowRatePerYear, _params.p2pIndexCursor ); p2pBorrowRate = p2pRate + (_params.poolBorrowRatePerYear - p2pRate).percentMul(_params.reserveFactor); } if (_params.p2pDelta > 0 && _params.p2pAmount > 0) { uint256 shareOfTheDelta = Math.min( _params.p2pDelta.rayMul(_params.poolIndex).rayDiv( _params.p2pAmount.rayMul(_params.p2pIndex) ), // Using ray division of an amount in underlying decimals by an amount in underlying decimals yields a value in ray. WadRayMath.RAY // To avoid shareOfTheDelta > 1 with rounding errors. ); // In ray. p2pBorrowRate = p2pBorrowRate.rayMul(WadRayMath.RAY - shareOfTheDelta) + _params.poolBorrowRatePerYear.rayMul(shareOfTheDelta); } } }
// SPDX-License-Identifier: GNU AGPLv3 pragma solidity ^0.8.0; /// @title WadRayMath. /// @author Morpho Labs. /// @custom:contact [email protected] /// @notice Optimized version of Aave V3 math library WadRayMath to conduct wad and ray manipulations: https://github.com/aave/aave-v3-core/blob/master/contracts/protocol/libraries/math/WadRayMath.sol library WadRayMath { /// CONSTANTS /// uint256 internal constant WAD = 1e18; uint256 internal constant HALF_WAD = 0.5e18; uint256 internal constant RAY = 1e27; uint256 internal constant HALF_RAY = 0.5e27; uint256 internal constant WAD_RAY_RATIO = 1e9; uint256 internal constant HALF_WAD_RAY_RATIO = 0.5e9; uint256 internal constant MAX_UINT256 = 2**256 - 1; // Not possible to use type(uint256).max in yul. uint256 internal constant MAX_UINT256_MINUS_HALF_WAD = 2**256 - 1 - 0.5e18; uint256 internal constant MAX_UINT256_MINUS_HALF_RAY = 2**256 - 1 - 0.5e27; /// INTERNAL /// /// @dev Multiplies two wad, rounding half up to the nearest wad. /// @param x Wad. /// @param y Wad. /// @return z The result of x * y, in wad. function wadMul(uint256 x, uint256 y) internal pure returns (uint256 z) { // Let y > 0 // Overflow if (x * y + HALF_WAD) > type(uint256).max // <=> x * y > type(uint256).max - HALF_WAD // <=> x > (type(uint256).max - HALF_WAD) / y assembly { if mul(y, gt(x, div(MAX_UINT256_MINUS_HALF_WAD, y))) { revert(0, 0) } z := div(add(mul(x, y), HALF_WAD), WAD) } } /// @dev Divides two wad, rounding half up to the nearest wad. /// @param x Wad. /// @param y Wad. /// @return z The result of x / y, in wad. function wadDiv(uint256 x, uint256 y) internal pure returns (uint256 z) { // Overflow if y == 0 // Overflow if (x * WAD + y / 2) > type(uint256).max // <=> x * WAD > type(uint256).max - y / 2 // <=> x > (type(uint256).max - y / 2) / WAD assembly { z := div(y, 2) if iszero(mul(y, iszero(gt(x, div(sub(MAX_UINT256, z), WAD))))) { revert(0, 0) } z := div(add(mul(WAD, x), z), y) } } /// @dev Multiplies two ray, rounding half up to the nearest ray. /// @param x Ray. /// @param y Ray. /// @return z The result of x * y, in ray. function rayMul(uint256 x, uint256 y) internal pure returns (uint256 z) { // Let y > 0 // Overflow if (x * y + HALF_RAY) > type(uint256).max // <=> x * y > type(uint256).max - HALF_RAY // <=> x > (type(uint256).max - HALF_RAY) / y assembly { if mul(y, gt(x, div(MAX_UINT256_MINUS_HALF_RAY, y))) { revert(0, 0) } z := div(add(mul(x, y), HALF_RAY), RAY) } } /// @dev Divides two ray, rounding half up to the nearest ray. /// @param x Ray. /// @param y Ray. /// @return z The result of x / y, in ray. function rayDiv(uint256 x, uint256 y) internal pure returns (uint256 z) { // Overflow if y == 0 // Overflow if (x * RAY + y / 2) > type(uint256).max // <=> x * RAY > type(uint256).max - y / 2 // <=> x > (type(uint256).max - y / 2) / RAY assembly { z := div(y, 2) if iszero(mul(y, iszero(gt(x, div(sub(MAX_UINT256, z), RAY))))) { revert(0, 0) } z := div(add(mul(RAY, x), z), y) } } /// @dev Casts ray down to wad. /// @param x Ray. /// @return y = x converted to wad, rounded half up to the nearest wad. function rayToWad(uint256 x) internal pure returns (uint256 y) { assembly { // If x % WAD_RAY_RATIO >= HALF_WAD_RAY_RATIO, round up. y := add(div(x, WAD_RAY_RATIO), iszero(lt(mod(x, WAD_RAY_RATIO), HALF_WAD_RAY_RATIO))) } } /// @dev Converts wad up to ray. /// @param x Wad. /// @return y = x converted in ray. function wadToRay(uint256 x) internal pure returns (uint256 y) { assembly { y := mul(WAD_RAY_RATIO, x) // Revert if y / WAD_RAY_RATIO != x if iszero(eq(div(y, WAD_RAY_RATIO), x)) { revert(0, 0) } } } }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity 0.8.13; import "./interfaces/aave/ILendingPool.sol"; import "./interfaces/IEntryPositionsManager.sol"; import "./interfaces/IExitPositionsManager.sol"; import "./interfaces/IInterestRatesManager.sol"; import "@morpho-dao/morpho-data-structures/HeapOrdering.sol"; import "./libraries/Types.sol"; import "@openzeppelin/contracts-upgradeable/security/ReentrancyGuardUpgradeable.sol"; import "@openzeppelin/contracts-upgradeable/access/OwnableUpgradeable.sol"; /// @title MorphoStorage. /// @author Morpho Labs. /// @custom:contact [email protected] /// @notice All storage variables used in Morpho contracts. abstract contract MorphoStorage is OwnableUpgradeable, ReentrancyGuardUpgradeable { /// GLOBAL STORAGE /// uint8 public constant NO_REFERRAL_CODE = 0; uint8 public constant VARIABLE_INTEREST_MODE = 2; uint16 public constant MAX_BASIS_POINTS = 100_00; // 100% in basis points. uint256 public constant DEFAULT_LIQUIDATION_CLOSE_FACTOR = 50_00; // 50% in basis points. uint256 public constant HEALTH_FACTOR_LIQUIDATION_THRESHOLD = 1e18; // Health factor below which the positions can be liquidated. uint256 public constant MAX_NB_OF_MARKETS = 128; bytes32 public constant BORROWING_MASK = 0x5555555555555555555555555555555555555555555555555555555555555555; bytes32 public constant ONE = 0x0000000000000000000000000000000000000000000000000000000000000001; address public constant ST_ETH = 0xae7ab96520DE3A18E5e111B5EaAb095312D7fE84; // stETH is a rebasing token, so the rebase index's value when the astEth market was created is stored // and used for internal calculations to convert `stEth.balanceOf` into an amount in pool supply unit. uint256 public constant ST_ETH_BASE_REBASE_INDEX = 1_086492192583716523804482274; bool public isClaimRewardsPaused; // Deprecated: whether claiming rewards is paused or not. uint256 public maxSortedUsers; // The max number of users to sort in the data structure. Types.MaxGasForMatching public defaultMaxGasForMatching; // The default max gas to consume within loops in matching engine functions. /// POSITIONS STORAGE /// mapping(address => HeapOrdering.HeapArray) internal suppliersInP2P; // For a given market, the suppliers in peer-to-peer. mapping(address => HeapOrdering.HeapArray) internal suppliersOnPool; // For a given market, the suppliers on Aave. mapping(address => HeapOrdering.HeapArray) internal borrowersInP2P; // For a given market, the borrowers in peer-to-peer. mapping(address => HeapOrdering.HeapArray) internal borrowersOnPool; // For a given market, the borrowers on Aave. mapping(address => mapping(address => Types.SupplyBalance)) public supplyBalanceInOf; // For a given market, the supply balance of a user. aToken -> user -> balances. mapping(address => mapping(address => Types.BorrowBalance)) public borrowBalanceInOf; // For a given market, the borrow balance of a user. aToken -> user -> balances. mapping(address => bytes32) public userMarkets; // The markets entered by a user as a bitmask. /// MARKETS STORAGE /// address[] internal marketsCreated; // Keeps track of the created markets. mapping(address => uint256) public p2pSupplyIndex; // Current index from supply peer-to-peer unit to underlying (in ray). mapping(address => uint256) public p2pBorrowIndex; // Current index from borrow peer-to-peer unit to underlying (in ray). mapping(address => Types.PoolIndexes) public poolIndexes; // Last pool index stored. mapping(address => Types.Market) public market; // Market information. mapping(address => Types.Delta) public deltas; // Delta parameters for each market. mapping(address => bytes32) public borrowMask; // Borrow mask of the given market, shift left to get the supply mask. /// CONTRACTS AND ADDRESSES /// ILendingPoolAddressesProvider public addressesProvider; address public aaveIncentivesController; // Deprecated. ILendingPool public pool; IEntryPositionsManager public entryPositionsManager; IExitPositionsManager public exitPositionsManager; IInterestRatesManager public interestRatesManager; address public incentivesVault; // Deprecated. address public rewardsManager; // Deprecated. address public treasuryVault; /// APPENDIX STORAGE /// mapping(address => Types.MarketPauseStatus) public marketPauseStatus; // The pause and deprecated statuses for the given market. /// CONSTRUCTOR /// /// @notice Constructs the contract. /// @dev The contract is automatically marked as initialized when deployed so that nobody can highjack the implementation contract. constructor() initializer {} }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `recipient`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address recipient, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `sender` to `recipient` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom( address sender, address recipient, uint256 amount ) external returns (bool); /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; interface IScaledBalanceToken { /** * @dev Returns the scaled balance of the user. The scaled balance is the sum of all the * updated stored balance divided by the reserve's liquidity index at the moment of the update * @param user The user whose balance is calculated * @return The scaled balance of the user **/ function scaledBalanceOf(address user) external view returns (uint256); /** * @dev Returns the scaled balance of the user and the scaled total supply. * @param user The address of the user * @return The scaled balance of the user * @return The scaled balance and the scaled total supply **/ function getScaledUserBalanceAndSupply(address user) external view returns (uint256, uint256); /** * @dev Returns the scaled total supply of the variable debt token. Represents sum(debt/index) * @return The scaled total supply **/ function scaledTotalSupply() external view returns (uint256); }
// SPDX-License-Identifier: GNU AGPLv3 pragma solidity ^0.8.0; /// @title PercentageMath. /// @author Morpho Labs. /// @custom:contact [email protected] /// @notice Optimized version of Aave V3 math library PercentageMath to conduct percentage manipulations: https://github.com/aave/aave-v3-core/blob/master/contracts/protocol/libraries/math/PercentageMath.sol library PercentageMath { /// CONSTANTS /// uint256 internal constant PERCENTAGE_FACTOR = 1e4; // 100.00% uint256 internal constant HALF_PERCENTAGE_FACTOR = 0.5e4; // 50.00% uint256 internal constant MAX_UINT256 = 2**256 - 1; uint256 internal constant MAX_UINT256_MINUS_HALF_PERCENTAGE = 2**256 - 1 - 0.5e4; /// INTERNAL /// /// @notice Executes a percentage addition (x * (1 + p)), rounded up. /// @param x The value to which to add the percentage. /// @param percentage The percentage of the value to add. /// @return y The result of the addition. function percentAdd(uint256 x, uint256 percentage) internal pure returns (uint256 y) { // Must revert if // PERCENTAGE_FACTOR + percentage > type(uint256).max // or x * (PERCENTAGE_FACTOR + percentage) + HALF_PERCENTAGE_FACTOR > type(uint256).max // <=> percentage > type(uint256).max - PERCENTAGE_FACTOR // or x > (type(uint256).max - HALF_PERCENTAGE_FACTOR) / (PERCENTAGE_FACTOR + percentage) // Note: PERCENTAGE_FACTOR + percentage >= PERCENTAGE_FACTOR > 0 assembly { y := add(PERCENTAGE_FACTOR, percentage) // Temporary assignment to save gas. if or( gt(percentage, sub(MAX_UINT256, PERCENTAGE_FACTOR)), gt(x, div(MAX_UINT256_MINUS_HALF_PERCENTAGE, y)) ) { revert(0, 0) } y := div(add(mul(x, y), HALF_PERCENTAGE_FACTOR), PERCENTAGE_FACTOR) } } /// @notice Executes a percentage subtraction (x * (1 - p)), rounded up. /// @param x The value to which to subtract the percentage. /// @param percentage The percentage of the value to subtract. /// @return y The result of the subtraction. function percentSub(uint256 x, uint256 percentage) internal pure returns (uint256 y) { // Must revert if // percentage > PERCENTAGE_FACTOR // or x * (PERCENTAGE_FACTOR - percentage) + HALF_PERCENTAGE_FACTOR > type(uint256).max // <=> percentage > PERCENTAGE_FACTOR // or ((PERCENTAGE_FACTOR - percentage) > 0 and x > (type(uint256).max - HALF_PERCENTAGE_FACTOR) / (PERCENTAGE_FACTOR - percentage)) assembly { y := sub(PERCENTAGE_FACTOR, percentage) // Temporary assignment to save gas. if or(gt(percentage, PERCENTAGE_FACTOR), mul(y, gt(x, div(MAX_UINT256_MINUS_HALF_PERCENTAGE, y)))) { revert(0, 0) } y := div(add(mul(x, y), HALF_PERCENTAGE_FACTOR), PERCENTAGE_FACTOR) } } /// @notice Executes a percentage multiplication (x * p), rounded up. /// @param x The value to multiply by the percentage. /// @param percentage The percentage of the value to multiply. /// @return y The result of the multiplication. function percentMul(uint256 x, uint256 percentage) internal pure returns (uint256 y) { // Must revert if // x * percentage + HALF_PERCENTAGE_FACTOR > type(uint256).max // <=> percentage > 0 and x > (type(uint256).max - HALF_PERCENTAGE_FACTOR) / percentage assembly { if mul(percentage, gt(x, div(MAX_UINT256_MINUS_HALF_PERCENTAGE, percentage))) { revert(0, 0) } y := div(add(mul(x, percentage), HALF_PERCENTAGE_FACTOR), PERCENTAGE_FACTOR) } } /// @notice Executes a percentage division (x / p), rounded up. /// @param x The value to divide by the percentage. /// @param percentage The percentage of the value to divide. /// @return y The result of the division. function percentDiv(uint256 x, uint256 percentage) internal pure returns (uint256 y) { // Must revert if // percentage == 0 // or x * PERCENTAGE_FACTOR + percentage / 2 > type(uint256).max // <=> percentage == 0 // or x > (type(uint256).max - percentage / 2) / PERCENTAGE_FACTOR assembly { y := div(percentage, 2) // Temporary assignment to save gas. if iszero(mul(percentage, iszero(gt(x, div(sub(MAX_UINT256, y), PERCENTAGE_FACTOR))))) { revert(0, 0) } y := div(add(mul(PERCENTAGE_FACTOR, x), y), percentage) } } /// @notice Executes a weighted average (x * (1 - p) + y * p), rounded up. /// @param x The first value, with a weight of 1 - percentage. /// @param y The second value, with a weight of percentage. /// @param percentage The weight of y, and complement of the weight of x. /// @return z The result of the weighted average. function weightedAvg( uint256 x, uint256 y, uint256 percentage ) internal pure returns (uint256 z) { // Must revert if // percentage > PERCENTAGE_FACTOR // or if // y * percentage + HALF_PERCENTAGE_FACTOR > type(uint256).max // <=> percentage > 0 and y > (type(uint256).max - HALF_PERCENTAGE_FACTOR) / percentage // or if // x * (PERCENTAGE_FACTOR - percentage) + y * percentage + HALF_PERCENTAGE_FACTOR > type(uint256).max // <=> (PERCENTAGE_FACTOR - percentage) > 0 and x > (type(uint256).max - HALF_PERCENTAGE_FACTOR - y * percentage) / (PERCENTAGE_FACTOR - percentage) assembly { z := sub(PERCENTAGE_FACTOR, percentage) // Temporary assignment to save gas. if or( gt(percentage, PERCENTAGE_FACTOR), or( mul(percentage, gt(y, div(MAX_UINT256_MINUS_HALF_PERCENTAGE, percentage))), mul(z, gt(x, div(sub(MAX_UINT256_MINUS_HALF_PERCENTAGE, mul(y, percentage)), z))) ) ) { revert(0, 0) } z := div(add(add(mul(x, z), mul(y, percentage)), HALF_PERCENTAGE_FACTOR), PERCENTAGE_FACTOR) } } }
// SPDX-License-Identifier: GNU AGPLv3 pragma solidity ^0.8.0; library Math { function min(uint256 x, uint256 y) internal pure returns (uint256 z) { assembly { z := xor(x, mul(xor(x, y), lt(y, x))) } } function max(uint256 x, uint256 y) internal pure returns (uint256 z) { assembly { z := xor(x, mul(xor(x, y), gt(y, x))) } } /// @dev Returns max(x - y, 0). function zeroFloorSub(uint256 x, uint256 y) internal pure returns (uint256 z) { assembly { z := mul(gt(x, y), sub(x, y)) } } /// @dev Returns x / y rounded up (x / y + boolAsInt(x % y > 0)). function divUp(uint256 x, uint256 y) internal pure returns (uint256 z) { assembly { // Revert if y = 0 if iszero(y) { revert(0, 0) } z := add(gt(mod(x, y), 0), div(x, y)) } } }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity ^0.8.0; /// @title Types. /// @author Morpho Labs. /// @custom:contact [email protected] /// @dev Common types and structs used in Morpho contracts. library Types { /// ENUMS /// enum PositionType { SUPPLIERS_IN_P2P, SUPPLIERS_ON_POOL, BORROWERS_IN_P2P, BORROWERS_ON_POOL } /// STRUCTS /// struct SupplyBalance { uint256 inP2P; // In peer-to-peer supply unit, a unit that grows in underlying value, to keep track of the interests earned by suppliers in peer-to-peer. Multiply by the peer-to-peer supply index to get the underlying amount. uint256 onPool; // In pool supply unit. Multiply by the pool supply index to get the underlying amount. } struct BorrowBalance { uint256 inP2P; // In peer-to-peer borrow unit, a unit that grows in underlying value, to keep track of the interests paid by borrowers in peer-to-peer. Multiply by the peer-to-peer borrow index to get the underlying amount. uint256 onPool; // In pool borrow unit, a unit that grows in value, to keep track of the debt increase when borrowers are on Aave. Multiply by the pool borrow index to get the underlying amount. } struct Indexes { uint256 p2pSupplyIndex; // The peer-to-peer supply index (in ray), used to multiply the peer-to-peer supply scaled balance and get the peer-to-peer supply balance (in underlying). uint256 p2pBorrowIndex; // The peer-to-peer borrow index (in ray), used to multiply the peer-to-peer borrow scaled balance and get the peer-to-peer borrow balance (in underlying). uint256 poolSupplyIndex; // The pool supply index (in ray), used to multiply the pool supply scaled balance and get the pool supply balance (in underlying). uint256 poolBorrowIndex; // The pool borrow index (in ray), used to multiply the pool borrow scaled balance and get the pool borrow balance (in underlying). } // Max gas to consume during the matching process for supply, borrow, withdraw and repay functions. struct MaxGasForMatching { uint64 supply; uint64 borrow; uint64 withdraw; uint64 repay; } struct Delta { uint256 p2pSupplyDelta; // Difference between the stored peer-to-peer supply amount and the real peer-to-peer supply amount (in pool supply unit). uint256 p2pBorrowDelta; // Difference between the stored peer-to-peer borrow amount and the real peer-to-peer borrow amount (in pool borrow unit). uint256 p2pSupplyAmount; // Sum of all stored peer-to-peer supply (in peer-to-peer supply unit). uint256 p2pBorrowAmount; // Sum of all stored peer-to-peer borrow (in peer-to-peer borrow unit). } struct AssetLiquidityData { uint256 decimals; // The number of decimals of the underlying token. uint256 tokenUnit; // The token unit considering its decimals. uint256 liquidationThreshold; // The liquidation threshold applied on this token (in basis point). uint256 ltv; // The LTV applied on this token (in basis point). uint256 underlyingPrice; // The price of the token (in ETH). uint256 collateralEth; // The collateral value of the asset (in ETH). uint256 debtEth; // The debt value of the asset (in ETH). } struct LiquidityData { uint256 collateralEth; // The collateral value (in ETH). uint256 borrowableEth; // The maximum debt value allowed to borrow (in ETH). uint256 maxDebtEth; // The maximum debt value allowed before being liquidatable (in ETH). uint256 debtEth; // The debt value (in ETH). } // Variables are packed together to save gas (will not exceed their limit during Morpho's lifetime). struct PoolIndexes { uint32 lastUpdateTimestamp; // The last time the local pool and peer-to-peer indexes were updated. uint112 poolSupplyIndex; // Last pool supply index. Note that for the stEth market, the pool supply index is tweaked to take into account the staking rewards. uint112 poolBorrowIndex; // Last pool borrow index. Note that for the stEth market, the pool borrow index is tweaked to take into account the staking rewards. } struct Market { address underlyingToken; // The address of the market's underlying token. uint16 reserveFactor; // Proportion of the additional interest earned being matched peer-to-peer on Morpho compared to being on the pool. It is sent to the DAO for each market. The default value is 0. In basis point (100% = 10 000). uint16 p2pIndexCursor; // Position of the peer-to-peer rate in the pool's spread. Determine the weights of the weighted arithmetic average in the indexes computations ((1 - p2pIndexCursor) * r^S + p2pIndexCursor * r^B) (in basis point). bool isCreated; // Whether or not this market is created. bool isPaused; // Deprecated. bool isPartiallyPaused; // Deprecated. bool isP2PDisabled; // Whether the peer-to-peer market is open or not. } struct MarketPauseStatus { bool isSupplyPaused; // Whether the supply is paused or not. bool isBorrowPaused; // Whether the borrow is paused or not bool isWithdrawPaused; // Whether the withdraw is paused or not. Note that a "withdraw" is still possible using a liquidation (if not paused). bool isRepayPaused; // Whether the repay is paused or not. Note that a "repay" is still possible using a liquidation (if not paused). bool isLiquidateCollateralPaused; // Whether the liquidation on this market as collateral is paused or not. bool isLiquidateBorrowPaused; // Whether the liquidatation on this market as borrow is paused or not. bool isDeprecated; // Whether a market is deprecated or not. } }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; pragma experimental ABIEncoderV2; import {ILendingPoolAddressesProvider} from "./ILendingPoolAddressesProvider.sol"; import {DataTypes} from "../../libraries/aave/DataTypes.sol"; interface ILendingPool { /** * @dev Emitted on deposit() * @param reserve The address of the underlying asset of the reserve * @param user The address initiating the deposit * @param onBehalfOf The beneficiary of the deposit, receiving the aTokens * @param amount The amount deposited * @param referral The referral code used **/ event Deposit( address indexed reserve, address user, address indexed onBehalfOf, uint256 amount, uint16 indexed referral ); /** * @dev Emitted on withdraw() * @param reserve The address of the underlyng asset being withdrawn * @param user The address initiating the withdrawal, owner of aTokens * @param to Address that will receive the underlying * @param amount The amount to be withdrawn **/ event Withdraw( address indexed reserve, address indexed user, address indexed to, uint256 amount ); /** * @dev Emitted on borrow() and flashLoan() when debt needs to be opened * @param reserve The address of the underlying asset being borrowed * @param user The address of the user initiating the borrow(), receiving the funds on borrow() or just * initiator of the transaction on flashLoan() * @param onBehalfOf The address that will be getting the debt * @param amount The amount borrowed out * @param borrowRateMode The rate mode: 1 for Stable, 2 for Variable * @param borrowRate The numeric rate at which the user has borrowed * @param referral The referral code used **/ event Borrow( address indexed reserve, address user, address indexed onBehalfOf, uint256 amount, uint256 borrowRateMode, uint256 borrowRate, uint16 indexed referral ); /** * @dev Emitted on repay() * @param reserve The address of the underlying asset of the reserve * @param user The beneficiary of the repayment, getting his debt reduced * @param repayer The address of the user initiating the repay(), providing the funds * @param amount The amount repaid **/ event Repay( address indexed reserve, address indexed user, address indexed repayer, uint256 amount ); /** * @dev Emitted on swapBorrowRateMode() * @param reserve The address of the underlying asset of the reserve * @param user The address of the user swapping his rate mode * @param rateMode The rate mode that the user wants to swap to **/ event Swap(address indexed reserve, address indexed user, uint256 rateMode); /** * @dev Emitted on setUserUseReserveAsCollateral() * @param reserve The address of the underlying asset of the reserve * @param user The address of the user enabling the usage as collateral **/ event ReserveUsedAsCollateralEnabled(address indexed reserve, address indexed user); /** * @dev Emitted on setUserUseReserveAsCollateral() * @param reserve The address of the underlying asset of the reserve * @param user The address of the user enabling the usage as collateral **/ event ReserveUsedAsCollateralDisabled(address indexed reserve, address indexed user); /** * @dev Emitted on rebalanceStableBorrowRate() * @param reserve The address of the underlying asset of the reserve * @param user The address of the user for which the rebalance has been executed **/ event RebalanceStableBorrowRate(address indexed reserve, address indexed user); /** * @dev Emitted on flashLoan() * @param target The address of the flash loan receiver contract * @param initiator The address initiating the flash loan * @param asset The address of the asset being flash borrowed * @param amount The amount flash borrowed * @param premium The fee flash borrowed * @param referralCode The referral code used **/ event FlashLoan( address indexed target, address indexed initiator, address indexed asset, uint256 amount, uint256 premium, uint16 referralCode ); /** * @dev Emitted when the pause is triggered. */ event Paused(); /** * @dev Emitted when the pause is lifted. */ event Unpaused(); /** * @dev Emitted when a borrower is liquidated. This event is emitted by the LendingPool via * LendingPoolCollateral manager using a DELEGATECALL * This allows to have the events in the generated ABI for LendingPool. * @param collateralAsset The address of the underlying asset used as collateral, to receive as result of the liquidation * @param debtAsset The address of the underlying borrowed asset to be repaid with the liquidation * @param user The address of the borrower getting liquidated * @param debtToCover The debt amount of borrowed `asset` the liquidator wants to cover * @param liquidatedCollateralAmount The amount of collateral received by the liiquidator * @param liquidator The address of the liquidator * @param receiveAToken `true` if the liquidators wants to receive the collateral aTokens, `false` if he wants * to receive the underlying collateral asset directly **/ event LiquidationCall( address indexed collateralAsset, address indexed debtAsset, address indexed user, uint256 debtToCover, uint256 liquidatedCollateralAmount, address liquidator, bool receiveAToken ); /** * @dev Emitted when the state of a reserve is updated. NOTE: This event is actually declared * in the ReserveLogic library and emitted in the updateInterestRates() function. Since the function is internal, * the event will actually be fired by the LendingPool contract. The event is therefore replicated here so it * gets added to the LendingPool ABI * @param reserve The address of the underlying asset of the reserve * @param liquidityRate The new liquidity rate * @param stableBorrowRate The new stable borrow rate * @param variableBorrowRate The new variable borrow rate * @param liquidityIndex The new liquidity index * @param variableBorrowIndex The new variable borrow index **/ event ReserveDataUpdated( address indexed reserve, uint256 liquidityRate, uint256 stableBorrowRate, uint256 variableBorrowRate, uint256 liquidityIndex, uint256 variableBorrowIndex ); /** * @dev Deposits an `amount` of underlying asset into the reserve, receiving in return overlying aTokens. * - E.g. User deposits 100 USDC and gets in return 100 aUSDC * @param asset The address of the underlying asset to deposit * @param amount The amount to be deposited * @param onBehalfOf The address that will receive the aTokens, same as msg.sender if the user * wants to receive them on his own wallet, or a different address if the beneficiary of aTokens * is a different wallet * @param referralCode Code used to register the integrator originating the operation, for potential rewards. * 0 if the action is executed directly by the user, without any middle-man **/ function deposit( address asset, uint256 amount, address onBehalfOf, uint16 referralCode ) external; /** * @dev Withdraws an `amount` of underlying asset from the reserve, burning the equivalent aTokens owned * E.g. User has 100 aUSDC, calls withdraw() and receives 100 USDC, burning the 100 aUSDC * @param asset The address of the underlying asset to withdraw * @param amount The underlying amount to be withdrawn * - Send the value type(uint256).max in order to withdraw the whole aToken balance * @param to Address that will receive the underlying, same as msg.sender if the user * wants to receive it on his own wallet, or a different address if the beneficiary is a * different wallet * @return The final amount withdrawn **/ function withdraw( address asset, uint256 amount, address to ) external returns (uint256); /** * @dev Allows users to borrow a specific `amount` of the reserve underlying asset, provided that the borrower * already deposited enough collateral, or he was given enough allowance by a credit delegator on the * corresponding debt token (StableDebtToken or VariableDebtToken) * - E.g. User borrows 100 USDC passing as `onBehalfOf` his own address, receiving the 100 USDC in his wallet * and 100 stable/variable debt tokens, depending on the `interestRateMode` * @param asset The address of the underlying asset to borrow * @param amount The amount to be borrowed * @param interestRateMode The interest rate mode at which the user wants to borrow: 1 for Stable, 2 for Variable * @param referralCode Code used to register the integrator originating the operation, for potential rewards. * 0 if the action is executed directly by the user, without any middle-man * @param onBehalfOf Address of the user who will receive the debt. Should be the address of the borrower itself * calling the function if he wants to borrow against his own collateral, or the address of the credit delegator * if he has been given credit delegation allowance **/ function borrow( address asset, uint256 amount, uint256 interestRateMode, uint16 referralCode, address onBehalfOf ) external; /** * @notice Repays a borrowed `amount` on a specific reserve, burning the equivalent debt tokens owned * - E.g. User repays 100 USDC, burning 100 variable/stable debt tokens of the `onBehalfOf` address * @param asset The address of the borrowed underlying asset previously borrowed * @param amount The amount to repay * - Send the value type(uint256).max in order to repay the whole debt for `asset` on the specific `debtMode` * @param rateMode The interest rate mode at of the debt the user wants to repay: 1 for Stable, 2 for Variable * @param onBehalfOf Address of the user who will get his debt reduced/removed. Should be the address of the * user calling the function if he wants to reduce/remove his own debt, or the address of any other * other borrower whose debt should be removed * @return The final amount repaid **/ function repay( address asset, uint256 amount, uint256 rateMode, address onBehalfOf ) external returns (uint256); /** * @dev Allows a borrower to swap his debt between stable and variable mode, or viceversa * @param asset The address of the underlying asset borrowed * @param rateMode The rate mode that the user wants to swap to **/ function swapBorrowRateMode(address asset, uint256 rateMode) external; /** * @dev Rebalances the stable interest rate of a user to the current stable rate defined on the reserve. * - Users can be rebalanced if the following conditions are satisfied: * 1. Usage ratio is above 95% * 2. the current deposit APY is below REBALANCE_UP_THRESHOLD * maxVariableBorrowRate, which means that too much has been * borrowed at a stable rate and depositors are not earning enough * @param asset The address of the underlying asset borrowed * @param user The address of the user to be rebalanced **/ function rebalanceStableBorrowRate(address asset, address user) external; /** * @dev Allows depositors to enable/disable a specific deposited asset as collateral * @param asset The address of the underlying asset deposited * @param useAsCollateral `true` if the user wants to use the deposit as collateral, `false` otherwise **/ function setUserUseReserveAsCollateral(address asset, bool useAsCollateral) external; /** * @dev Function to liquidate a non-healthy position collateral-wise, with Health Factor below 1 * - The caller (liquidator) covers `debtToCover` amount of debt of the user getting liquidated, and receives * a proportionally amount of the `collateralAsset` plus a bonus to cover market risk * @param collateralAsset The address of the underlying asset used as collateral, to receive as result of the liquidation * @param debtAsset The address of the underlying borrowed asset to be repaid with the liquidation * @param user The address of the borrower getting liquidated * @param debtToCover The debt amount of borrowed `asset` the liquidator wants to cover * @param receiveAToken `true` if the liquidators wants to receive the collateral aTokens, `false` if he wants * to receive the underlying collateral asset directly **/ function liquidationCall( address collateralAsset, address debtAsset, address user, uint256 debtToCover, bool receiveAToken ) external; /** * @dev Allows smartcontracts to access the liquidity of the pool within one transaction, * as long as the amount taken plus a fee is returned. * IMPORTANT There are security concerns for developers of flashloan receiver contracts that must be kept into consideration. * For further details please visit https://developers.aave.com * @param receiverAddress The address of the contract receiving the funds, implementing the IFlashLoanReceiver interface * @param assets The addresses of the assets being flash-borrowed * @param amounts The amounts amounts being flash-borrowed * @param modes Types of the debt to open if the flash loan is not returned: * 0 -> Don't open any debt, just revert if funds can't be transferred from the receiver * 1 -> Open debt at stable rate for the value of the amount flash-borrowed to the `onBehalfOf` address * 2 -> Open debt at variable rate for the value of the amount flash-borrowed to the `onBehalfOf` address * @param onBehalfOf The address that will receive the debt in the case of using on `modes` 1 or 2 * @param params Variadic packed params to pass to the receiver as extra information * @param referralCode Code used to register the integrator originating the operation, for potential rewards. * 0 if the action is executed directly by the user, without any middle-man **/ function flashLoan( address receiverAddress, address[] calldata assets, uint256[] calldata amounts, uint256[] calldata modes, address onBehalfOf, bytes calldata params, uint16 referralCode ) external; /** * @dev Returns the user account data across all the reserves * @param user The address of the user * @return totalCollateralETH the total collateral in ETH of the user * @return totalDebtETH the total debt in ETH of the user * @return availableBorrowsETH the borrowing power left of the user * @return currentLiquidationThreshold the liquidation threshold of the user * @return ltv the loan to value of the user * @return healthFactor the current health factor of the user **/ function getUserAccountData(address user) external view returns ( uint256 totalCollateralETH, uint256 totalDebtETH, uint256 availableBorrowsETH, uint256 currentLiquidationThreshold, uint256 ltv, uint256 healthFactor ); function initReserve( address reserve, address aTokenAddress, address stableDebtAddress, address variableDebtAddress, address interestRateStrategyAddress ) external; function setReserveInterestRateStrategyAddress(address reserve, address rateStrategyAddress) external; function setConfiguration(address reserve, uint256 configuration) external; /** * @dev Returns the configuration of the reserve * @param asset The address of the underlying asset of the reserve * @return The configuration of the reserve **/ function getConfiguration(address asset) external view returns (DataTypes.ReserveConfigurationMap memory); /** * @dev Returns the configuration of the user across all the reserves * @param user The user address * @return The configuration of the user **/ function getUserConfiguration(address user) external view returns (DataTypes.UserConfigurationMap memory); /** * @dev Returns the normalized income normalized income of the reserve * @param asset The address of the underlying asset of the reserve * @return The reserve's normalized income */ function getReserveNormalizedIncome(address asset) external view returns (uint256); /** * @dev Returns the normalized variable debt per unit of asset * @param asset The address of the underlying asset of the reserve * @return The reserve normalized variable debt */ function getReserveNormalizedVariableDebt(address asset) external view returns (uint256); /** * @dev Returns the state and configuration of the reserve * @param asset The address of the underlying asset of the reserve * @return The state of the reserve **/ function getReserveData(address asset) external view returns (DataTypes.ReserveData memory); function finalizeTransfer( address asset, address from, address to, uint256 amount, uint256 balanceFromAfter, uint256 balanceToBefore ) external; function getReservesList() external view returns (address[] memory); function getAddressesProvider() external view returns (ILendingPoolAddressesProvider); function setPause(bool val) external; function paused() external view returns (bool); function FLASHLOAN_PREMIUM_TOTAL() external view returns (uint256); }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; interface IEntryPositionsManager { function supplyLogic( address _poolToken, address _supplier, address _onBehalf, uint256 _amount, uint256 _maxGasForMatching ) external; function borrowLogic( address _poolToken, uint256 _amount, uint256 _maxGasForMatching ) external; }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; interface IExitPositionsManager { function withdrawLogic( address _poolToken, uint256 _amount, address _supplier, address _receiver, uint256 _maxGasForMatching ) external; function repayLogic( address _poolToken, address _repayer, address _onBehalf, uint256 _amount, uint256 _maxGasForMatching ) external; function liquidateLogic( address _poolTokenBorrowed, address _poolTokenCollateral, address _borrower, uint256 _amount ) external; function increaseP2PDeltasLogic(address _poolToken, uint256 _amount) external; }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; interface IInterestRatesManager { function updateIndexes(address _marketAddress) external; }
// SPDX-License-Identifier: GNU AGPLv3 pragma solidity ^0.8.0; import "@openzeppelin/contracts/utils/math/SafeCast.sol"; library HeapOrdering { struct Account { address id; // The address of the account. uint96 value; // The value of the account. } struct HeapArray { Account[] accounts; // All the accounts. uint256 size; // The size of the heap portion of the structure, should be less than accounts length, the rest is an unordered array. mapping(address => uint256) ranks; // A mapping from an address to a rank in accounts. Beware: ranks are shifted by one compared to indexes, so the first rank is 1 and not 0. } /// CONSTANTS /// uint256 private constant ROOT = 1; /// ERRORS /// /// @notice Thrown when the address is zero at insertion. error AddressIsZero(); /// INTERNAL /// /// @notice Updates an account in the `_heap`. /// @dev Only call this function when `_id` is in the `_heap` with value `_formerValue` or when `_id` is not in the `_heap` with `_formerValue` equal to 0. /// @param _heap The heap to modify. /// @param _id The address of the account to update. /// @param _formerValue The former value of the account to update. /// @param _newValue The new value of the account to update. /// @param _maxSortedUsers The maximum size of the heap. function update( HeapArray storage _heap, address _id, uint256 _formerValue, uint256 _newValue, uint256 _maxSortedUsers ) internal { uint96 formerValue = SafeCast.toUint96(_formerValue); uint96 newValue = SafeCast.toUint96(_newValue); uint256 size = _heap.size; uint256 newSize = computeSize(size, _maxSortedUsers); if (size != newSize) _heap.size = newSize; if (formerValue != newValue) { if (newValue == 0) remove(_heap, _id, formerValue); else if (formerValue == 0) insert(_heap, _id, newValue, _maxSortedUsers); else if (formerValue < newValue) increase(_heap, _id, newValue, _maxSortedUsers); else decrease(_heap, _id, newValue); } } /// PRIVATE /// /// @notice Computes a new suitable size from `_size` that is smaller than `_maxSortedUsers`. /// @dev We use division by 2 to remove the leaves of the heap. /// @param _size The old size of the heap. /// @param _maxSortedUsers The maximum size of the heap. /// @return The new size computed. function computeSize(uint256 _size, uint256 _maxSortedUsers) private pure returns (uint256) { while (_size >= _maxSortedUsers) _size >>= 1; return _size; } /// @notice Returns the account of rank `_rank`. /// @dev The first rank is 1 and the last one is length of the array. /// @dev Only call this function with positive numbers. /// @param _heap The heap to search in. /// @param _rank The rank of the account. /// @return The account of rank `_rank`. function getAccount(HeapArray storage _heap, uint256 _rank) private view returns (Account storage) { return _heap.accounts[_rank - 1]; } /// @notice Sets the value at `_rank` in the `_heap` to be `_newValue`. /// @dev The heap may lose its invariant about the order of the values stored. /// @dev Only call this function with a rank within array's bounds. /// @param _heap The heap to modify. /// @param _rank The rank of the account in the heap to be set. /// @param _newValue The new value to set the `_rank` to. function setAccountValue( HeapArray storage _heap, uint256 _rank, uint96 _newValue ) private { _heap.accounts[_rank - 1].value = _newValue; } /// @notice Sets `_rank` in the `_heap` to be `_account`. /// @dev The heap may lose its invariant about the order of the values stored. /// @dev Only call this function with a rank within array's bounds. /// @param _heap The heap to modify. /// @param _rank The rank of the account in the heap to be set. /// @param _account The account to set the `_rank` to. function setAccount( HeapArray storage _heap, uint256 _rank, Account memory _account ) private { _heap.accounts[_rank - 1] = _account; _heap.ranks[_account.id] = _rank; } /// @notice Swaps two accounts in the `_heap`. /// @dev The heap may lose its invariant about the order of the values stored. /// @dev Only call this function with ranks within array's bounds. /// @param _heap The heap to modify. /// @param _rank1 The rank of the first account in the heap. /// @param _rank2 The rank of the second account in the heap. function swap( HeapArray storage _heap, uint256 _rank1, uint256 _rank2 ) private { if (_rank1 == _rank2) return; Account memory accountOldRank1 = getAccount(_heap, _rank1); Account memory accountOldRank2 = getAccount(_heap, _rank2); setAccount(_heap, _rank1, accountOldRank2); setAccount(_heap, _rank2, accountOldRank1); } /// @notice Moves an account up the heap until its value is smaller than the one of its parent. /// @dev This functions restores the invariant about the order of the values stored when the account at `_rank` is the only one with value greater than what it should be. /// @param _heap The heap to modify. /// @param _rank The rank of the account to move. function shiftUp(HeapArray storage _heap, uint256 _rank) private { Account memory accountToShift = getAccount(_heap, _rank); uint256 valueToShift = accountToShift.value; Account memory parentAccount; while ( _rank > ROOT && valueToShift > (parentAccount = getAccount(_heap, _rank >> 1)).value ) { setAccount(_heap, _rank, parentAccount); _rank >>= 1; } setAccount(_heap, _rank, accountToShift); } /// @notice Moves an account down the heap until its value is greater than the ones of its children. /// @dev This functions restores the invariant about the order of the values stored when the account at `_rank` is the only one with value smaller than what it should be. /// @param _heap The heap to modify. /// @param _rank The rank of the account to move. function shiftDown(HeapArray storage _heap, uint256 _rank) private { uint256 size = _heap.size; Account memory accountToShift = getAccount(_heap, _rank); uint256 valueToShift = accountToShift.value; uint256 childRank = _rank << 1; // At this point, childRank (resp. childRank+1) is the rank of the left (resp. right) child. while (childRank <= size) { Account memory childToSwap = getAccount(_heap, childRank); // Find the child with largest value. if (childRank < size) { Account memory rightChild = getAccount(_heap, childRank + 1); if (rightChild.value > childToSwap.value) { unchecked { ++childRank; // This cannot overflow because childRank < size. } childToSwap = rightChild; } } if (childToSwap.value > valueToShift) { setAccount(_heap, _rank, childToSwap); _rank = childRank; childRank <<= 1; } else break; } setAccount(_heap, _rank, accountToShift); } /// @notice Inserts an account in the `_heap`. /// @dev Only call this function when `_id` is not in the `_heap`. /// @dev Reverts with AddressIsZero if `_value` is 0. /// @param _heap The heap to modify. /// @param _id The address of the account to insert. /// @param _value The value of the account to insert. /// @param _maxSortedUsers The maximum size of the heap. function insert( HeapArray storage _heap, address _id, uint96 _value, uint256 _maxSortedUsers ) private { // `_heap` cannot contain the 0 address. if (_id == address(0)) revert AddressIsZero(); // Put the account at the end of accounts. _heap.accounts.push(Account(_id, _value)); uint256 accountsLength = _heap.accounts.length; _heap.ranks[_id] = accountsLength; // Move the account at the end of the heap and restore the invariant. uint256 newSize = _heap.size + 1; swap(_heap, newSize, accountsLength); shiftUp(_heap, newSize); _heap.size = computeSize(newSize, _maxSortedUsers); } /// @notice Decreases the amount of an account in the `_heap`. /// @dev Only call this function when `_id` is in the `_heap` with a value greater than `_newValue`. /// @param _heap The heap to modify. /// @param _id The address of the account to decrease the amount. /// @param _newValue The new value of the account. function decrease( HeapArray storage _heap, address _id, uint96 _newValue ) private { uint256 rank = _heap.ranks[_id]; setAccountValue(_heap, rank, _newValue); // We only need to restore the invariant if the account is a node in the heap if (rank <= _heap.size >> 1) shiftDown(_heap, rank); } /// @notice Increases the amount of an account in the `_heap`. /// @dev Only call this function when `_id` is in the `_heap` with a smaller value than `_newValue`. /// @param _heap The heap to modify. /// @param _id The address of the account to increase the amount. /// @param _newValue The new value of the account. /// @param _maxSortedUsers The maximum size of the heap. function increase( HeapArray storage _heap, address _id, uint96 _newValue, uint256 _maxSortedUsers ) private { uint256 rank = _heap.ranks[_id]; setAccountValue(_heap, rank, _newValue); uint256 nextSize = _heap.size + 1; if (rank < nextSize) shiftUp(_heap, rank); else { swap(_heap, nextSize, rank); shiftUp(_heap, nextSize); _heap.size = computeSize(nextSize, _maxSortedUsers); } } /// @notice Removes an account in the `_heap`. /// @dev Only call when this function `_id` is in the `_heap` with value `_removedValue`. /// @param _heap The heap to modify. /// @param _id The address of the account to remove. /// @param _removedValue The value of the account to remove. function remove( HeapArray storage _heap, address _id, uint96 _removedValue ) private { uint256 rank = _heap.ranks[_id]; uint256 accountsLength = _heap.accounts.length; // Swap the last account and the account to remove, then pop it. swap(_heap, rank, accountsLength); if (_heap.size == accountsLength) _heap.size--; _heap.accounts.pop(); delete _heap.ranks[_id]; // If the swapped account is in the heap, restore the invariant: its value can be smaller or larger than the removed value. if (rank <= _heap.size) { if (_removedValue > getAccount(_heap, rank).value) shiftDown(_heap, rank); else shiftUp(_heap, rank); } } /// GETTERS /// /// @notice Returns the number of users in the `_heap`. /// @param _heap The heap parameter. /// @return The length of the heap. function length(HeapArray storage _heap) internal view returns (uint256) { return _heap.accounts.length; } /// @notice Returns the value of the account linked to `_id`. /// @param _heap The heap to search in. /// @param _id The address of the account. /// @return The value of the account. function getValueOf(HeapArray storage _heap, address _id) internal view returns (uint256) { uint256 rank = _heap.ranks[_id]; if (rank == 0) return 0; else return getAccount(_heap, rank).value; } /// @notice Returns the address at the head of the `_heap`. /// @param _heap The heap to get the head. /// @return The address of the head. function getHead(HeapArray storage _heap) internal view returns (address) { if (_heap.accounts.length > 0) return getAccount(_heap, ROOT).id; else return address(0); } /// @notice Returns the address at the tail of unsorted portion of the `_heap`. /// @param _heap The heap to get the tail. /// @return The address of the tail. function getTail(HeapArray storage _heap) internal view returns (address) { if (_heap.accounts.length > 0) return getAccount(_heap, _heap.accounts.length).id; else return address(0); } /// @notice Returns the address coming before `_id` in accounts. /// @dev The account associated to the returned address does not necessarily have a lower value than the one of the account associated to `_id`. /// @param _heap The heap to search in. /// @param _id The address of the account. /// @return The address of the previous account. function getPrev(HeapArray storage _heap, address _id) internal view returns (address) { uint256 rank = _heap.ranks[_id]; if (rank > ROOT) return getAccount(_heap, rank - 1).id; else return address(0); } /// @notice Returns the address coming after `_id` in accounts. /// @dev The account associated to the returned address does not necessarily have a greater value than the one of the account associated to `_id`. /// @param _heap The heap to search in. /// @param _id The address of the account. /// @return The address of the next account. function getNext(HeapArray storage _heap, address _id) internal view returns (address) { uint256 rank = _heap.ranks[_id]; if (rank == 0 || rank >= _heap.accounts.length) return address(0); return getAccount(_heap, rank + 1).id; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (security/ReentrancyGuard.sol) pragma solidity ^0.8.0; import "../proxy/utils/Initializable.sol"; /** * @dev Contract module that helps prevent reentrant calls to a function. * * Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier * available, which can be applied to functions to make sure there are no nested * (reentrant) calls to them. * * Note that because there is a single `nonReentrant` guard, functions marked as * `nonReentrant` may not call one another. This can be worked around by making * those functions `private`, and then adding `external` `nonReentrant` entry * points to them. * * TIP: If you would like to learn more about reentrancy and alternative ways * to protect against it, check out our blog post * https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul]. */ abstract contract ReentrancyGuardUpgradeable is Initializable { // Booleans are more expensive than uint256 or any type that takes up a full // word because each write operation emits an extra SLOAD to first read the // slot's contents, replace the bits taken up by the boolean, and then write // back. This is the compiler's defense against contract upgrades and // pointer aliasing, and it cannot be disabled. // The values being non-zero value makes deployment a bit more expensive, // but in exchange the refund on every call to nonReentrant will be lower in // amount. Since refunds are capped to a percentage of the total // transaction's gas, it is best to keep them low in cases like this one, to // increase the likelihood of the full refund coming into effect. uint256 private constant _NOT_ENTERED = 1; uint256 private constant _ENTERED = 2; uint256 private _status; function __ReentrancyGuard_init() internal onlyInitializing { __ReentrancyGuard_init_unchained(); } function __ReentrancyGuard_init_unchained() internal onlyInitializing { _status = _NOT_ENTERED; } /** * @dev Prevents a contract from calling itself, directly or indirectly. * Calling a `nonReentrant` function from another `nonReentrant` * function is not supported. It is possible to prevent this from happening * by making the `nonReentrant` function external, and making it call a * `private` function that does the actual work. */ modifier nonReentrant() { // On the first call to nonReentrant, _notEntered will be true require(_status != _ENTERED, "ReentrancyGuard: reentrant call"); // Any calls to nonReentrant after this point will fail _status = _ENTERED; _; // By storing the original value once again, a refund is triggered (see // https://eips.ethereum.org/EIPS/eip-2200) _status = _NOT_ENTERED; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[49] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (access/Ownable.sol) pragma solidity ^0.8.0; import "../utils/ContextUpgradeable.sol"; import "../proxy/utils/Initializable.sol"; /** * @dev Contract module which provides a basic access control mechanism, where * there is an account (an owner) that can be granted exclusive access to * specific functions. * * By default, the owner account will be the one that deploys the contract. This * can later be changed with {transferOwnership}. * * This module is used through inheritance. It will make available the modifier * `onlyOwner`, which can be applied to your functions to restrict their use to * the owner. */ abstract contract OwnableUpgradeable is Initializable, ContextUpgradeable { address private _owner; event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); /** * @dev Initializes the contract setting the deployer as the initial owner. */ function __Ownable_init() internal onlyInitializing { __Ownable_init_unchained(); } function __Ownable_init_unchained() internal onlyInitializing { _transferOwnership(_msgSender()); } /** * @dev Returns the address of the current owner. */ function owner() public view virtual returns (address) { return _owner; } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { require(owner() == _msgSender(), "Ownable: caller is not the owner"); _; } /** * @dev Leaves the contract without owner. It will not be possible to call * `onlyOwner` functions anymore. Can only be called by the current owner. * * NOTE: Renouncing ownership will leave the contract without an owner, * thereby removing any functionality that is only available to the owner. */ function renounceOwnership() public virtual onlyOwner { _transferOwnership(address(0)); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Can only be called by the current owner. */ function transferOwnership(address newOwner) public virtual onlyOwner { require(newOwner != address(0), "Ownable: new owner is the zero address"); _transferOwnership(newOwner); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _transferOwnership(address newOwner) internal virtual { address oldOwner = _owner; _owner = newOwner; emit OwnershipTransferred(oldOwner, newOwner); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[49] private __gap; }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.5.0; /** * @title LendingPoolAddressesProvider contract * @dev Main registry of addresses part of or connected to the protocol, including permissioned roles * - Acting also as factory of proxies and admin of those, so with right to change its implementations * - Owned by the Aave Governance * @author Aave **/ interface ILendingPoolAddressesProvider { event MarketIdSet(string newMarketId); event LendingPoolUpdated(address indexed newAddress); event ConfigurationAdminUpdated(address indexed newAddress); event EmergencyAdminUpdated(address indexed newAddress); event LendingPoolConfiguratorUpdated(address indexed newAddress); event LendingPoolCollateralManagerUpdated(address indexed newAddress); event PriceOracleUpdated(address indexed newAddress); event LendingRateOracleUpdated(address indexed newAddress); event ProxyCreated(bytes32 id, address indexed newAddress); event AddressSet(bytes32 id, address indexed newAddress, bool hasProxy); function getMarketId() external view returns (string memory); function setMarketId(string calldata marketId) external; function setAddress(bytes32 id, address newAddress) external; function setAddressAsProxy(bytes32 id, address impl) external; function getAddress(bytes32 id) external view returns (address); function getLendingPool() external view returns (address); function setLendingPoolImpl(address pool) external; function getLendingPoolConfigurator() external view returns (address); function setLendingPoolConfiguratorImpl(address configurator) external; function getLendingPoolCollateralManager() external view returns (address); function setLendingPoolCollateralManager(address manager) external; function getPoolAdmin() external view returns (address); function setPoolAdmin(address admin) external; function getEmergencyAdmin() external view returns (address); function setEmergencyAdmin(address admin) external; function getPriceOracle() external view returns (address); function setPriceOracle(address priceOracle) external; function getLendingRateOracle() external view returns (address); function setLendingRateOracle(address lendingRateOracle) external; }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity ^0.8.0; library DataTypes { // refer to the whitepaper, section 1.1 basic concepts for a formal description of these properties. struct ReserveData { //stores the reserve configuration ReserveConfigurationMap configuration; //the liquidity index. Expressed in ray uint128 liquidityIndex; //variable borrow index. Expressed in ray uint128 variableBorrowIndex; //the current supply rate. Expressed in ray uint128 currentLiquidityRate; //the current variable borrow rate. Expressed in ray uint128 currentVariableBorrowRate; //the current stable borrow rate. Expressed in ray uint128 currentStableBorrowRate; uint40 lastUpdateTimestamp; //tokens addresses address aTokenAddress; address stableDebtTokenAddress; address variableDebtTokenAddress; //address of the interest rate strategy address interestRateStrategyAddress; //the id of the reserve. Represents the position in the list of the active reserves uint8 id; } struct ReserveConfigurationMap { //bit 0-15: LTV //bit 16-31: Liq. threshold //bit 32-47: Liq. bonus //bit 48-55: Decimals //bit 56: Reserve is active //bit 57: reserve is frozen //bit 58: borrowing is enabled //bit 59: stable rate borrowing enabled //bit 60-63: reserved //bit 64-79: reserve factor uint256 data; } struct UserConfigurationMap { uint256 data; } enum InterestRateMode { NONE, STABLE, VARIABLE } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/math/SafeCast.sol) pragma solidity ^0.8.0; /** * @dev Wrappers over Solidity's uintXX/intXX casting operators with added overflow * checks. * * Downcasting from uint256/int256 in Solidity does not revert on overflow. This can * easily result in undesired exploitation or bugs, since developers usually * assume that overflows raise errors. `SafeCast` restores this intuition by * reverting the transaction when such an operation overflows. * * Using this library instead of the unchecked operations eliminates an entire * class of bugs, so it's recommended to use it always. * * Can be combined with {SafeMath} and {SignedSafeMath} to extend it to smaller types, by performing * all math on `uint256` and `int256` and then downcasting. */ library SafeCast { /** * @dev Returns the downcasted uint224 from uint256, reverting on * overflow (when the input is greater than largest uint224). * * Counterpart to Solidity's `uint224` operator. * * Requirements: * * - input must fit into 224 bits */ function toUint224(uint256 value) internal pure returns (uint224) { require(value <= type(uint224).max, "SafeCast: value doesn't fit in 224 bits"); return uint224(value); } /** * @dev Returns the downcasted uint128 from uint256, reverting on * overflow (when the input is greater than largest uint128). * * Counterpart to Solidity's `uint128` operator. * * Requirements: * * - input must fit into 128 bits */ function toUint128(uint256 value) internal pure returns (uint128) { require(value <= type(uint128).max, "SafeCast: value doesn't fit in 128 bits"); return uint128(value); } /** * @dev Returns the downcasted uint96 from uint256, reverting on * overflow (when the input is greater than largest uint96). * * Counterpart to Solidity's `uint96` operator. * * Requirements: * * - input must fit into 96 bits */ function toUint96(uint256 value) internal pure returns (uint96) { require(value <= type(uint96).max, "SafeCast: value doesn't fit in 96 bits"); return uint96(value); } /** * @dev Returns the downcasted uint64 from uint256, reverting on * overflow (when the input is greater than largest uint64). * * Counterpart to Solidity's `uint64` operator. * * Requirements: * * - input must fit into 64 bits */ function toUint64(uint256 value) internal pure returns (uint64) { require(value <= type(uint64).max, "SafeCast: value doesn't fit in 64 bits"); return uint64(value); } /** * @dev Returns the downcasted uint32 from uint256, reverting on * overflow (when the input is greater than largest uint32). * * Counterpart to Solidity's `uint32` operator. * * Requirements: * * - input must fit into 32 bits */ function toUint32(uint256 value) internal pure returns (uint32) { require(value <= type(uint32).max, "SafeCast: value doesn't fit in 32 bits"); return uint32(value); } /** * @dev Returns the downcasted uint16 from uint256, reverting on * overflow (when the input is greater than largest uint16). * * Counterpart to Solidity's `uint16` operator. * * Requirements: * * - input must fit into 16 bits */ function toUint16(uint256 value) internal pure returns (uint16) { require(value <= type(uint16).max, "SafeCast: value doesn't fit in 16 bits"); return uint16(value); } /** * @dev Returns the downcasted uint8 from uint256, reverting on * overflow (when the input is greater than largest uint8). * * Counterpart to Solidity's `uint8` operator. * * Requirements: * * - input must fit into 8 bits. */ function toUint8(uint256 value) internal pure returns (uint8) { require(value <= type(uint8).max, "SafeCast: value doesn't fit in 8 bits"); return uint8(value); } /** * @dev Converts a signed int256 into an unsigned uint256. * * Requirements: * * - input must be greater than or equal to 0. */ function toUint256(int256 value) internal pure returns (uint256) { require(value >= 0, "SafeCast: value must be positive"); return uint256(value); } /** * @dev Returns the downcasted int128 from int256, reverting on * overflow (when the input is less than smallest int128 or * greater than largest int128). * * Counterpart to Solidity's `int128` operator. * * Requirements: * * - input must fit into 128 bits * * _Available since v3.1._ */ function toInt128(int256 value) internal pure returns (int128) { require(value >= type(int128).min && value <= type(int128).max, "SafeCast: value doesn't fit in 128 bits"); return int128(value); } /** * @dev Returns the downcasted int64 from int256, reverting on * overflow (when the input is less than smallest int64 or * greater than largest int64). * * Counterpart to Solidity's `int64` operator. * * Requirements: * * - input must fit into 64 bits * * _Available since v3.1._ */ function toInt64(int256 value) internal pure returns (int64) { require(value >= type(int64).min && value <= type(int64).max, "SafeCast: value doesn't fit in 64 bits"); return int64(value); } /** * @dev Returns the downcasted int32 from int256, reverting on * overflow (when the input is less than smallest int32 or * greater than largest int32). * * Counterpart to Solidity's `int32` operator. * * Requirements: * * - input must fit into 32 bits * * _Available since v3.1._ */ function toInt32(int256 value) internal pure returns (int32) { require(value >= type(int32).min && value <= type(int32).max, "SafeCast: value doesn't fit in 32 bits"); return int32(value); } /** * @dev Returns the downcasted int16 from int256, reverting on * overflow (when the input is less than smallest int16 or * greater than largest int16). * * Counterpart to Solidity's `int16` operator. * * Requirements: * * - input must fit into 16 bits * * _Available since v3.1._ */ function toInt16(int256 value) internal pure returns (int16) { require(value >= type(int16).min && value <= type(int16).max, "SafeCast: value doesn't fit in 16 bits"); return int16(value); } /** * @dev Returns the downcasted int8 from int256, reverting on * overflow (when the input is less than smallest int8 or * greater than largest int8). * * Counterpart to Solidity's `int8` operator. * * Requirements: * * - input must fit into 8 bits. * * _Available since v3.1._ */ function toInt8(int256 value) internal pure returns (int8) { require(value >= type(int8).min && value <= type(int8).max, "SafeCast: value doesn't fit in 8 bits"); return int8(value); } /** * @dev Converts an unsigned uint256 into a signed int256. * * Requirements: * * - input must be less than or equal to maxInt256. */ function toInt256(uint256 value) internal pure returns (int256) { // Note: Unsafe cast below is okay because `type(int256).max` is guaranteed to be positive require(value <= uint256(type(int256).max), "SafeCast: value doesn't fit in an int256"); return int256(value); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (proxy/utils/Initializable.sol) pragma solidity ^0.8.0; import "../../utils/AddressUpgradeable.sol"; /** * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect. * * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}. * * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity. * * [CAUTION] * ==== * Avoid leaving a contract uninitialized. * * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation * contract, which may impact the proxy. To initialize the implementation contract, you can either invoke the * initializer manually, or you can include a constructor to automatically mark it as initialized when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() initializer {} * ``` * ==== */ abstract contract Initializable { /** * @dev Indicates that the contract has been initialized. */ bool private _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private _initializing; /** * @dev Modifier to protect an initializer function from being invoked twice. */ modifier initializer() { // If the contract is initializing we ignore whether _initialized is set in order to support multiple // inheritance patterns, but we only do this in the context of a constructor, because in other contexts the // contract may have been reentered. require(_initializing ? _isConstructor() : !_initialized, "Initializable: contract is already initialized"); bool isTopLevelCall = !_initializing; if (isTopLevelCall) { _initializing = true; _initialized = true; } _; if (isTopLevelCall) { _initializing = false; } } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} modifier, directly or indirectly. */ modifier onlyInitializing() { require(_initializing, "Initializable: contract is not initializing"); _; } function _isConstructor() private view returns (bool) { return !AddressUpgradeable.isContract(address(this)); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Context.sol) pragma solidity ^0.8.0; import "../proxy/utils/Initializable.sol"; /** * @dev Provides information about the current execution context, including the * sender of the transaction and its data. While these are generally available * via msg.sender and msg.data, they should not be accessed in such a direct * manner, since when dealing with meta-transactions the account sending and * paying for execution may not be the actual sender (as far as an application * is concerned). * * This contract is only required for intermediate, library-like contracts. */ abstract contract ContextUpgradeable is Initializable { function __Context_init() internal onlyInitializing { } function __Context_init_unchained() internal onlyInitializing { } function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (utils/Address.sol) pragma solidity ^0.8.1; /** * @dev Collection of functions related to the address type */ library AddressUpgradeable { /** * @dev Returns true if `account` is a contract. * * [IMPORTANT] * ==== * It is unsafe to assume that an address for which this function returns * false is an externally-owned account (EOA) and not a contract. * * Among others, `isContract` will return false for the following * types of addresses: * * - an externally-owned account * - a contract in construction * - an address where a contract will be created * - an address where a contract lived, but was destroyed * ==== * * [IMPORTANT] * ==== * You shouldn't rely on `isContract` to protect against flash loan attacks! * * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract * constructor. * ==== */ function isContract(address account) internal view returns (bool) { // This method relies on extcodesize/address.code.length, which returns 0 // for contracts in construction, since the code is only stored at the end // of the constructor execution. return account.code.length > 0; } /** * @dev Replacement for Solidity's `transfer`: sends `amount` wei to * `recipient`, forwarding all available gas and reverting on errors. * * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost * of certain opcodes, possibly making contracts go over the 2300 gas limit * imposed by `transfer`, making them unable to receive funds via * `transfer`. {sendValue} removes this limitation. * * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more]. * * IMPORTANT: because control is transferred to `recipient`, care must be * taken to not create reentrancy vulnerabilities. Consider using * {ReentrancyGuard} or the * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern]. */ function sendValue(address payable recipient, uint256 amount) internal { require(address(this).balance >= amount, "Address: insufficient balance"); (bool success, ) = recipient.call{value: amount}(""); require(success, "Address: unable to send value, recipient may have reverted"); } /** * @dev Performs a Solidity function call using a low level `call`. A * plain `call` is an unsafe replacement for a function call: use this * function instead. * * If `target` reverts with a revert reason, it is bubbled up by this * function (like regular Solidity function calls). * * Returns the raw returned data. To convert to the expected return value, * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`]. * * Requirements: * * - `target` must be a contract. * - calling `target` with `data` must not revert. * * _Available since v3.1._ */ function functionCall(address target, bytes memory data) internal returns (bytes memory) { return functionCall(target, data, "Address: low-level call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with * `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { return functionCallWithValue(target, data, 0, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but also transferring `value` wei to `target`. * * Requirements: * * - the calling contract must have an ETH balance of at least `value`. * - the called Solidity function must be `payable`. * * _Available since v3.1._ */ function functionCallWithValue( address target, bytes memory data, uint256 value ) internal returns (bytes memory) { return functionCallWithValue(target, data, value, "Address: low-level call with value failed"); } /** * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but * with `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCallWithValue( address target, bytes memory data, uint256 value, string memory errorMessage ) internal returns (bytes memory) { require(address(this).balance >= value, "Address: insufficient balance for call"); require(isContract(target), "Address: call to non-contract"); (bool success, bytes memory returndata) = target.call{value: value}(data); return verifyCallResult(success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) { return functionStaticCall(target, data, "Address: low-level static call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall( address target, bytes memory data, string memory errorMessage ) internal view returns (bytes memory) { require(isContract(target), "Address: static call to non-contract"); (bool success, bytes memory returndata) = target.staticcall(data); return verifyCallResult(success, returndata, errorMessage); } /** * @dev Tool to verifies that a low level call was successful, and revert if it wasn't, either by bubbling the * revert reason using the provided one. * * _Available since v4.3._ */ function verifyCallResult( bool success, bytes memory returndata, string memory errorMessage ) internal pure returns (bytes memory) { if (success) { return returndata; } else { // Look for revert reason and bubble it up if present if (returndata.length > 0) { // The easiest way to bubble the revert reason is using memory via assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } } }
{ "remappings": [ "@aave/core-v3/=lib/morpho-utils/lib/aave-v3-core/", "@forge-std/=lib/forge-std/src/", "@morpho-dao/morpho-data-structures/=lib/morpho-data-structures/contracts/", "@morpho-dao/morpho-utils/=lib/morpho-utils/src/", "@openzeppelin/=node_modules/@openzeppelin/", "@rari-capital/solmate/=lib/solmate/", "aave-v3-core/=lib/morpho-utils/lib/aave-v3-core/", "config/=config/", "ds-test/=lib/forge-std/lib/ds-test/src/", "forge-std/=lib/forge-std/src/", "hardhat-deploy/=node_modules/hardhat-deploy/", "hardhat/=node_modules/hardhat/", "morpho-data-structures/=lib/morpho-data-structures/", "morpho-utils/=lib/morpho-utils/src/", "openzeppelin-contracts/=lib/morpho-utils/lib/openzeppelin-contracts/", "solmate/=lib/solmate/src/", "src/=src/", "test/=test/" ], "optimizer": { "enabled": true, "runs": 200 }, "metadata": { "bytecodeHash": "ipfs" }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "evmVersion": "london", "debug": { "revertStrings": "default" }, "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"_poolToken","type":"address"},{"indexed":false,"internalType":"uint256","name":"_p2pSupplyIndex","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_p2pBorrowIndex","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_poolSupplyIndex","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_poolBorrowIndex","type":"uint256"}],"name":"P2PIndexesUpdated","type":"event"},{"inputs":[],"name":"BORROWING_MASK","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"DEFAULT_LIQUIDATION_CLOSE_FACTOR","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"HEALTH_FACTOR_LIQUIDATION_THRESHOLD","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MAX_BASIS_POINTS","outputs":[{"internalType":"uint16","name":"","type":"uint16"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MAX_NB_OF_MARKETS","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"NO_REFERRAL_CODE","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"ONE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"ST_ETH","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"ST_ETH_BASE_REBASE_INDEX","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"VARIABLE_INTEREST_MODE","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"aaveIncentivesController","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"addressesProvider","outputs":[{"internalType":"contract ILendingPoolAddressesProvider","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"},{"internalType":"address","name":"","type":"address"}],"name":"borrowBalanceInOf","outputs":[{"internalType":"uint256","name":"inP2P","type":"uint256"},{"internalType":"uint256","name":"onPool","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"borrowMask","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"defaultMaxGasForMatching","outputs":[{"internalType":"uint64","name":"supply","type":"uint64"},{"internalType":"uint64","name":"borrow","type":"uint64"},{"internalType":"uint64","name":"withdraw","type":"uint64"},{"internalType":"uint64","name":"repay","type":"uint64"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"deltas","outputs":[{"internalType":"uint256","name":"p2pSupplyDelta","type":"uint256"},{"internalType":"uint256","name":"p2pBorrowDelta","type":"uint256"},{"internalType":"uint256","name":"p2pSupplyAmount","type":"uint256"},{"internalType":"uint256","name":"p2pBorrowAmount","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"entryPositionsManager","outputs":[{"internalType":"contract IEntryPositionsManager","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"exitPositionsManager","outputs":[{"internalType":"contract IExitPositionsManager","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"incentivesVault","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"interestRatesManager","outputs":[{"internalType":"contract IInterestRatesManager","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"isClaimRewardsPaused","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"market","outputs":[{"internalType":"address","name":"underlyingToken","type":"address"},{"internalType":"uint16","name":"reserveFactor","type":"uint16"},{"internalType":"uint16","name":"p2pIndexCursor","type":"uint16"},{"internalType":"bool","name":"isCreated","type":"bool"},{"internalType":"bool","name":"isPaused","type":"bool"},{"internalType":"bool","name":"isPartiallyPaused","type":"bool"},{"internalType":"bool","name":"isP2PDisabled","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"marketPauseStatus","outputs":[{"internalType":"bool","name":"isSupplyPaused","type":"bool"},{"internalType":"bool","name":"isBorrowPaused","type":"bool"},{"internalType":"bool","name":"isWithdrawPaused","type":"bool"},{"internalType":"bool","name":"isRepayPaused","type":"bool"},{"internalType":"bool","name":"isLiquidateCollateralPaused","type":"bool"},{"internalType":"bool","name":"isLiquidateBorrowPaused","type":"bool"},{"internalType":"bool","name":"isDeprecated","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"maxSortedUsers","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"p2pBorrowIndex","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"p2pSupplyIndex","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pool","outputs":[{"internalType":"contract ILendingPool","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"poolIndexes","outputs":[{"internalType":"uint32","name":"lastUpdateTimestamp","type":"uint32"},{"internalType":"uint112","name":"poolSupplyIndex","type":"uint112"},{"internalType":"uint112","name":"poolBorrowIndex","type":"uint112"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"rewardsManager","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"},{"internalType":"address","name":"","type":"address"}],"name":"supplyBalanceInOf","outputs":[{"internalType":"uint256","name":"inP2P","type":"uint256"},{"internalType":"uint256","name":"onPool","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"treasuryVault","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_poolToken","type":"address"}],"name":"updateIndexes","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"userMarkets","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"}]
Contract Creation Code
608060405234801561001057600080fd5b50600054610100900460ff1661002c5760005460ff1615610034565b6100346100d5565b61009b5760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201526d191e481a5b9a5d1a585b1a5e995960921b606482015260840160405180910390fd5b600054610100900460ff161580156100bd576000805461ffff19166101011790555b80156100cf576000805461ff00191690555b506100ff565b60006100ea306100f060201b610ad21760201c565b15905090565b6001600160a01b03163b151590565b6111a18061010e6000396000f3fe608060405234801561001057600080fd5b506004361061021c5760003560e01c8063af8b1c6f11610125578063de2bdf50116100ad578063f2f4ca161161007c578063f2f4ca16146106e9578063f2fde38b14610755578063f4ea93d814610768578063f8180c6614610784578063fb8b758d1461079757600080fd5b8063de2bdf50146105f6578063defe20531461069b578063e501ed04146106ae578063e61c6d6f146106e057600080fd5b8063c2ee3a08116100f4578063c2ee3a08146105a6578063c3525c28146105ae578063c72c4d10146105bd578063cb830d03146105d0578063d664f72c146105ed57600080fd5b8063af8b1c6f14610539578063b24be6871461054c578063b505e7a21461055f578063bc45d1901461058657600080fd5b80637f3ad056116101a85780639f382f6a116101775780639f382f6a146103fe578063a086fc22146104b6578063a10c02501461050b578063a2253eec14610513578063a74e472b1461052657600080fd5b80637f3ad05614610373578063854f7ebb146103865780638da5cb5b146103a6578063947574ac146103b757600080fd5b8063381adc6b116101ef578063381adc6b146102b45780633b0a79ec146102d45780635f2475ca146102e7578063661cd5fc146102fa578063715018a61461036957600080fd5b806316f0115b146102215780632ebf4be01461025157806331bc99591461027f578063338346d214610299575b600080fd5b60aa54610234906001600160a01b031681565b6040516001600160a01b0390911681526020015b60405180910390f35b61027161025f3660046110b8565b60a36020526000908152604090205481565b604051908152602001610248565b610287600081565b60405160ff9091168152602001610248565b61023473ae7ab96520de3a18e5e111b5eaab095312d7fe8481565b6102716102c23660046110b8565b60a76020526000908152604090205481565b60ac54610234906001600160a01b031681565b60a954610234906001600160a01b031681565b61033d6103083660046110b8565b60a46020526000908152604090205463ffffffff8116906001600160701b036401000000008204811691600160901b90041683565b6040805163ffffffff90941684526001600160701b039283166020850152911690820152606001610248565b61037161079f565b005b60ad54610234906001600160a01b031681565b6102716103943660046110b8565b60a26020526000908152604090205481565b6033546001600160a01b0316610234565b6103e96103c53660046110da565b609f6020908152600092835260408084209091529082529020805460019091015482565b60408051928352602083019190915201610248565b61046961040c3660046110b8565b60a5602052600090815260409020546001600160a01b0381169061ffff600160a01b8204811691600160b01b81049091169060ff600160c01b8204811691600160c81b8104821691600160d01b8204811691600160d81b90041687565b604080516001600160a01b03909816885261ffff9687166020890152959094169486019490945290151560608501521515608084015290151560a0830152151560c082015260e001610248565b6104eb6104c43660046110b8565b60a66020526000908152604090208054600182015460028301546003909301549192909184565b604080519485526020850193909352918301526060820152608001610248565b610287600281565b6103716105213660046110b8565b61080a565b6102716b0382b9abc7861e2c57645ae281565b60b054610234906001600160a01b031681565b60ae54610234906001600160a01b031681565b6102717f555555555555555555555555555555555555555555555555555555555555555581565b6102716105943660046110b8565b60a06020526000908152604090205481565b610271600181565b610271670de0b6b3a764000081565b60a854610234906001600160a01b031681565b6097546105dd9060ff1681565b6040519015158152602001610248565b61027161138881565b61065a6106043660046110b8565b60b16020526000908152604090205460ff80821691610100810482169162010000820481169163010000008104821691640100000000820481169165010000000000810482169166010000000000009091041687565b60408051971515885295151560208801529315159486019490945290151560608501521515608084015290151560a0830152151560c082015260e001610248565b60af54610234906001600160a01b031681565b6103e96106bc3660046110da565b609e6020908152600092835260408084209091529082529020805460019091015482565b61027160985481565b6099546107219067ffffffffffffffff80821691680100000000000000008104821691600160801b8204811691600160c01b90041684565b6040805167ffffffffffffffff95861681529385166020850152918416918301919091529091166060820152608001610248565b6103716107633660046110b8565b610a07565b61077161271081565b60405161ffff9091168152602001610248565b60ab54610234906001600160a01b031681565b610271608081565b6033546001600160a01b031633146107fe5760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e657260448201526064015b60405180910390fd5b6108086000610ae1565b565b6001600160a01b03808216600090815260a46020908152604080832060a590925282208054919390929182916108409116610b33565b60408051610100810182526001600160a01b038916600081815260a2602090815284822054845282825260a3815284822054818501528385018790526060808501879052855180820187528c5463ffffffff811682526001600160701b036401000000008204811683860152600160901b90910416818801526080808701919091528b5461ffff600160a01b8204811660a0890152600160b01b9091041660c087015293835260a682528583208651948501875280548552600181015492850192909252600282015495840195909552600301549382019390935260e082015292945090925090819061093290610d05565b6001600160a01b038916600081815260a26020908152604080832086905560a38252918290208490558a546001600160701b03898116600160901b0271ffffffffffffffffffffffffffffffffffff918c166401000000000271ffffffffffffffffffffffffffffffffffff1990931663ffffffff4216179290921716178b55815185815290810184905290810188905260608101879052929450909250907fe9f571cc89dec9d3545848be792adb166a35fd4ac7f853471f9b5a16db51b9e89060800160405180910390a250505050505050565b6033546001600160a01b03163314610a615760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e657260448201526064016107f5565b6001600160a01b038116610ac65760405162461bcd60e51b815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201526564647265737360d01b60648201526084016107f5565b610acf81610ae1565b50565b6001600160a01b03163b151590565b603380546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b60aa5460405163d15e005360e01b81526001600160a01b038381166004830152600092839291169063d15e005390602401602060405180830381865afa158015610b81573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ba5919061110d565b60aa5460405163386497fd60e01b81526001600160a01b03868116600483015292945091169063386497fd90602401602060405180830381865afa158015610bf1573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c15919061110d565b905073ae7ab96520de3a18e5e111b5eaab095312d7fe83196001600160a01b03841601610d0057604051630f451f7160e31b81526b033b2e3c9fd0803ce8000000600482015260009073ae7ab96520de3a18e5e111b5eaab095312d7fe8490637a28fb8890602401602060405180830381865afa158015610c9a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610cbe919061110d565b9050610ce06b0382b9abc7861e2c57645ae2610cda8584610df3565b90610e35565b9250610cfc6b0382b9abc7861e2c57645ae2610cda8484610df3565b9150505b915091565b6000806000610d2b8460400151856060015186608001518760c001518860a00151610e6e565b9050610d8f6040518060c0016040528083600001518152602001836040015181526020018660800151602001516001600160701b03168152602001866000015181526020018660e001516000015181526020018660e0015160400151815250610f61565b9250610cfc6040518060c0016040528083602001518152602001836060015181526020018660800151604001516001600160701b03168152602001866020015181526020018660e001516020015181526020018660e0015160600151815250610f61565b6000816b019d971e4fe8401e7400000019048311820215610e1357600080fd5b506b033b2e3c9fd0803ce800000091026b019d971e4fe8401e74000000010490565b600281046b033b2e3c9fd0803ce80000008119048311158202610e5757600080fd5b6b033b2e3c9fd0803ce80000009092029091010490565b610e996040518060800160405280600081526020016000815260200160008152602001600081525090565b6020840151610eb29087906001600160701b0316610e35565b81526040840151610ecd9086906001600160701b0316610e35565b60208201819052815111610f46576000610ef0826000015183602001518661103b565b9050610f0c83836000015183610f06919061113c565b9061107d565b610f16908261113c565b60408301526020820151610f31908490610f0690849061113c565b610f3b9082611153565b606083015250610f58565b60208101516040820181905260608201525b95945050505050565b60008160a0015160001480610f7857506080820151155b15610f965760208201516060830151610f9091610df3565b92915050565b6000610fe4610fcc610fb985606001518660a00151610df390919063ffffffff16565b60408601516080870151610cda91610df3565b6b033b2e3c9fd0803ce8000000808218908211021890565b835190915061103290610ff8908390610df3565b602085015161101d90611017856b033b2e3c9fd0803ce800000061113c565b90610df3565b6110279190611153565b606085015190610df3565b9150505b919050565b600081612710039050808284026113881903048411810282611388190484118302176127108311171561106d57600080fd5b6127109302910201611388010490565b6000816113881904831182021561109357600080fd5b506127109102611388010490565b80356001600160a01b038116811461103657600080fd5b6000602082840312156110ca57600080fd5b6110d3826110a1565b9392505050565b600080604083850312156110ed57600080fd5b6110f6836110a1565b9150611104602084016110a1565b90509250929050565b60006020828403121561111f57600080fd5b5051919050565b634e487b7160e01b600052601160045260246000fd5b60008282101561114e5761114e611126565b500390565b6000821982111561116657611166611126565b50019056fea2646970667358221220fc6a6e374f0c7ae287376d39b1b2fb9ec44a3f84c51349c0033ead78cf1c7d1064736f6c634300080d0033
Deployed Bytecode
0x608060405234801561001057600080fd5b506004361061021c5760003560e01c8063af8b1c6f11610125578063de2bdf50116100ad578063f2f4ca161161007c578063f2f4ca16146106e9578063f2fde38b14610755578063f4ea93d814610768578063f8180c6614610784578063fb8b758d1461079757600080fd5b8063de2bdf50146105f6578063defe20531461069b578063e501ed04146106ae578063e61c6d6f146106e057600080fd5b8063c2ee3a08116100f4578063c2ee3a08146105a6578063c3525c28146105ae578063c72c4d10146105bd578063cb830d03146105d0578063d664f72c146105ed57600080fd5b8063af8b1c6f14610539578063b24be6871461054c578063b505e7a21461055f578063bc45d1901461058657600080fd5b80637f3ad056116101a85780639f382f6a116101775780639f382f6a146103fe578063a086fc22146104b6578063a10c02501461050b578063a2253eec14610513578063a74e472b1461052657600080fd5b80637f3ad05614610373578063854f7ebb146103865780638da5cb5b146103a6578063947574ac146103b757600080fd5b8063381adc6b116101ef578063381adc6b146102b45780633b0a79ec146102d45780635f2475ca146102e7578063661cd5fc146102fa578063715018a61461036957600080fd5b806316f0115b146102215780632ebf4be01461025157806331bc99591461027f578063338346d214610299575b600080fd5b60aa54610234906001600160a01b031681565b6040516001600160a01b0390911681526020015b60405180910390f35b61027161025f3660046110b8565b60a36020526000908152604090205481565b604051908152602001610248565b610287600081565b60405160ff9091168152602001610248565b61023473ae7ab96520de3a18e5e111b5eaab095312d7fe8481565b6102716102c23660046110b8565b60a76020526000908152604090205481565b60ac54610234906001600160a01b031681565b60a954610234906001600160a01b031681565b61033d6103083660046110b8565b60a46020526000908152604090205463ffffffff8116906001600160701b036401000000008204811691600160901b90041683565b6040805163ffffffff90941684526001600160701b039283166020850152911690820152606001610248565b61037161079f565b005b60ad54610234906001600160a01b031681565b6102716103943660046110b8565b60a26020526000908152604090205481565b6033546001600160a01b0316610234565b6103e96103c53660046110da565b609f6020908152600092835260408084209091529082529020805460019091015482565b60408051928352602083019190915201610248565b61046961040c3660046110b8565b60a5602052600090815260409020546001600160a01b0381169061ffff600160a01b8204811691600160b01b81049091169060ff600160c01b8204811691600160c81b8104821691600160d01b8204811691600160d81b90041687565b604080516001600160a01b03909816885261ffff9687166020890152959094169486019490945290151560608501521515608084015290151560a0830152151560c082015260e001610248565b6104eb6104c43660046110b8565b60a66020526000908152604090208054600182015460028301546003909301549192909184565b604080519485526020850193909352918301526060820152608001610248565b610287600281565b6103716105213660046110b8565b61080a565b6102716b0382b9abc7861e2c57645ae281565b60b054610234906001600160a01b031681565b60ae54610234906001600160a01b031681565b6102717f555555555555555555555555555555555555555555555555555555555555555581565b6102716105943660046110b8565b60a06020526000908152604090205481565b610271600181565b610271670de0b6b3a764000081565b60a854610234906001600160a01b031681565b6097546105dd9060ff1681565b6040519015158152602001610248565b61027161138881565b61065a6106043660046110b8565b60b16020526000908152604090205460ff80821691610100810482169162010000820481169163010000008104821691640100000000820481169165010000000000810482169166010000000000009091041687565b60408051971515885295151560208801529315159486019490945290151560608501521515608084015290151560a0830152151560c082015260e001610248565b60af54610234906001600160a01b031681565b6103e96106bc3660046110da565b609e6020908152600092835260408084209091529082529020805460019091015482565b61027160985481565b6099546107219067ffffffffffffffff80821691680100000000000000008104821691600160801b8204811691600160c01b90041684565b6040805167ffffffffffffffff95861681529385166020850152918416918301919091529091166060820152608001610248565b6103716107633660046110b8565b610a07565b61077161271081565b60405161ffff9091168152602001610248565b60ab54610234906001600160a01b031681565b610271608081565b6033546001600160a01b031633146107fe5760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e657260448201526064015b60405180910390fd5b6108086000610ae1565b565b6001600160a01b03808216600090815260a46020908152604080832060a590925282208054919390929182916108409116610b33565b60408051610100810182526001600160a01b038916600081815260a2602090815284822054845282825260a3815284822054818501528385018790526060808501879052855180820187528c5463ffffffff811682526001600160701b036401000000008204811683860152600160901b90910416818801526080808701919091528b5461ffff600160a01b8204811660a0890152600160b01b9091041660c087015293835260a682528583208651948501875280548552600181015492850192909252600282015495840195909552600301549382019390935260e082015292945090925090819061093290610d05565b6001600160a01b038916600081815260a26020908152604080832086905560a38252918290208490558a546001600160701b03898116600160901b0271ffffffffffffffffffffffffffffffffffff918c166401000000000271ffffffffffffffffffffffffffffffffffff1990931663ffffffff4216179290921716178b55815185815290810184905290810188905260608101879052929450909250907fe9f571cc89dec9d3545848be792adb166a35fd4ac7f853471f9b5a16db51b9e89060800160405180910390a250505050505050565b6033546001600160a01b03163314610a615760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e657260448201526064016107f5565b6001600160a01b038116610ac65760405162461bcd60e51b815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201526564647265737360d01b60648201526084016107f5565b610acf81610ae1565b50565b6001600160a01b03163b151590565b603380546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b60aa5460405163d15e005360e01b81526001600160a01b038381166004830152600092839291169063d15e005390602401602060405180830381865afa158015610b81573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ba5919061110d565b60aa5460405163386497fd60e01b81526001600160a01b03868116600483015292945091169063386497fd90602401602060405180830381865afa158015610bf1573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c15919061110d565b905073ae7ab96520de3a18e5e111b5eaab095312d7fe83196001600160a01b03841601610d0057604051630f451f7160e31b81526b033b2e3c9fd0803ce8000000600482015260009073ae7ab96520de3a18e5e111b5eaab095312d7fe8490637a28fb8890602401602060405180830381865afa158015610c9a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610cbe919061110d565b9050610ce06b0382b9abc7861e2c57645ae2610cda8584610df3565b90610e35565b9250610cfc6b0382b9abc7861e2c57645ae2610cda8484610df3565b9150505b915091565b6000806000610d2b8460400151856060015186608001518760c001518860a00151610e6e565b9050610d8f6040518060c0016040528083600001518152602001836040015181526020018660800151602001516001600160701b03168152602001866000015181526020018660e001516000015181526020018660e0015160400151815250610f61565b9250610cfc6040518060c0016040528083602001518152602001836060015181526020018660800151604001516001600160701b03168152602001866020015181526020018660e001516020015181526020018660e0015160600151815250610f61565b6000816b019d971e4fe8401e7400000019048311820215610e1357600080fd5b506b033b2e3c9fd0803ce800000091026b019d971e4fe8401e74000000010490565b600281046b033b2e3c9fd0803ce80000008119048311158202610e5757600080fd5b6b033b2e3c9fd0803ce80000009092029091010490565b610e996040518060800160405280600081526020016000815260200160008152602001600081525090565b6020840151610eb29087906001600160701b0316610e35565b81526040840151610ecd9086906001600160701b0316610e35565b60208201819052815111610f46576000610ef0826000015183602001518661103b565b9050610f0c83836000015183610f06919061113c565b9061107d565b610f16908261113c565b60408301526020820151610f31908490610f0690849061113c565b610f3b9082611153565b606083015250610f58565b60208101516040820181905260608201525b95945050505050565b60008160a0015160001480610f7857506080820151155b15610f965760208201516060830151610f9091610df3565b92915050565b6000610fe4610fcc610fb985606001518660a00151610df390919063ffffffff16565b60408601516080870151610cda91610df3565b6b033b2e3c9fd0803ce8000000808218908211021890565b835190915061103290610ff8908390610df3565b602085015161101d90611017856b033b2e3c9fd0803ce800000061113c565b90610df3565b6110279190611153565b606085015190610df3565b9150505b919050565b600081612710039050808284026113881903048411810282611388190484118302176127108311171561106d57600080fd5b6127109302910201611388010490565b6000816113881904831182021561109357600080fd5b506127109102611388010490565b80356001600160a01b038116811461103657600080fd5b6000602082840312156110ca57600080fd5b6110d3826110a1565b9392505050565b600080604083850312156110ed57600080fd5b6110f6836110a1565b9150611104602084016110a1565b90509250929050565b60006020828403121561111f57600080fd5b5051919050565b634e487b7160e01b600052601160045260246000fd5b60008282101561114e5761114e611126565b500390565b6000821982111561116657611166611126565b50019056fea2646970667358221220fc6a6e374f0c7ae287376d39b1b2fb9ec44a3f84c51349c0033ead78cf1c7d1064736f6c634300080d0033
Loading...
Loading
Loading...
Loading
Multichain Portfolio | 30 Chains
Chain | Token | Portfolio % | Price | Amount | Value |
---|
Loading...
Loading
[ Download: CSV Export ]
A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.