Feature Tip: Add private address tag to any address under My Name Tag !
More Info
Private Name Tags
ContractCreator
Transaction Hash |
Method
|
Block
|
From
|
To
|
|||||
---|---|---|---|---|---|---|---|---|---|
Latest 25 internal transactions (View All)
Advanced mode:
Parent Transaction Hash | Block |
From
|
To
|
|||
---|---|---|---|---|---|---|
19134517 | 377 days ago | 0.69884 ETH | ||||
19134517 | 377 days ago | 0.69884 ETH | ||||
19132935 | 377 days ago | 354.67562737 ETH | ||||
19132935 | 377 days ago | 354.67562737 ETH | ||||
19124215 | 379 days ago | 20.06190505 ETH | ||||
19124215 | 379 days ago | 20.06190505 ETH | ||||
19122977 | 379 days ago | 4.94289397 ETH | ||||
19122977 | 379 days ago | 4.94289397 ETH | ||||
19120796 | 379 days ago | 0.4387918 ETH | ||||
19120796 | 379 days ago | 0.4387918 ETH | ||||
19106448 | 381 days ago | 9.49050949 ETH | ||||
19106448 | 381 days ago | 9.49050949 ETH | ||||
19104668 | 381 days ago | 1.49850149 ETH | ||||
19104668 | 381 days ago | 1.49850149 ETH | ||||
19100999 | 382 days ago | 1.01027986 ETH | ||||
19100999 | 382 days ago | 1.01027986 ETH | ||||
19095761 | 383 days ago | 2.99700299 ETH | ||||
19095761 | 383 days ago | 2.99700299 ETH | ||||
19074354 | 386 days ago | 2.47389776 ETH | ||||
19074354 | 386 days ago | 2.47389776 ETH | ||||
19070347 | 386 days ago | 1.20753246 ETH | ||||
19070347 | 386 days ago | 1.20753246 ETH | ||||
19058709 | 388 days ago | 1.01430576 ETH | ||||
19058709 | 388 days ago | 1.01430576 ETH | ||||
19049058 | 389 days ago | 1.02297702 ETH |
Loading...
Loading
Contract Source Code Verified (Exact Match)
Contract Name:
LidoLevEthStrategy
Compiler Version
v0.8.16+commit.07a7930e
Optimization Enabled:
Yes with 1 runs
Other Settings:
london EvmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {AffineVault} from "src/vaults/AffineVault.sol"; import {LidoLevV3} from "src/strategies/LidoLevV3.sol"; ///@dev deployed on 12/01/2023 /** * Vault eth lev eth staking * Strategy info: Lido Lev eth using aave and balancer flash loan * withdrawal requires curve to swap steth to eth * vault address: 0x1196B60c9ceFBF02C9a3960883213f47257BecdB */ contract LidoLevEthStrategy is LidoLevV3 { constructor(AffineVault _vault, address[] memory strategists) LidoLevV3(_vault, strategists) {} }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {AccessControlUpgradeable} from "@openzeppelin/contracts-upgradeable/access/AccessControlUpgradeable.sol"; import {Math} from "@openzeppelin/contracts/utils/math/Math.sol"; import {ERC20} from "solmate/src/tokens/ERC20.sol"; import {SafeTransferLib} from "solmate/src/utils/SafeTransferLib.sol"; import {AffineGovernable} from "src/utils/AffineGovernable.sol"; import {BaseStrategy as Strategy} from "src/strategies/BaseStrategy.sol"; import {uncheckedInc} from "src/libs/Unchecked.sol"; /** * @notice A core contract to be inherited by the L1 and L2 vault contracts. This contract handles adding * and removing strategies, investing in (and divesting from) strategies, harvesting gains/losses, and * strategy liquidation. */ contract AffineVault is AffineGovernable, AccessControlUpgradeable { using SafeTransferLib for ERC20; /*////////////////////////////////////////////////////////////// INITIALIZATION //////////////////////////////////////////////////////////////*/ ERC20 _asset; /// @notice The token that the vault takes in and tries to get more of, e.g. USDC function asset() public view virtual returns (address) { return address(_asset); } /** * @dev Initialize the vault. * @param _governance The governance address. * @param vaultAsset The vault's input asset. */ function baseInitialize(address _governance, ERC20 vaultAsset) internal virtual { governance = _governance; _asset = vaultAsset; // All roles use the default admin role // Governance has the admin role and all roles _grantRole(DEFAULT_ADMIN_ROLE, governance); _grantRole(HARVESTER, governance); lastHarvest = uint128(block.timestamp); } /*////////////////////////////////////////////////////////////// AUTHENTICATION //////////////////////////////////////////////////////////////*/ /// @notice Role with authority to call "harvest", i.e. update this vault's tvl bytes32 public constant HARVESTER = keccak256("HARVESTER"); /*////////////////////////////////////////////////////////////// WITHDRAWAL QUEUE //////////////////////////////////////////////////////////////*/ uint8 constant MAX_STRATEGIES = 20; /** * @notice An ordered array of strategies representing the withdrawal queue. The withdrawal queue is used * whenever the vault wants to pull money out of strategies. * @dev The first strategy in the array (index 0) is withdrawn from first. * This is a list of the currently active strategies (all non-zero addresses are active). */ Strategy[MAX_STRATEGIES] public withdrawalQueue; /** * @notice Gets the full withdrawal queue. * @return The withdrawal queue. * @dev This gives easy access to the whole array (by default we can only get one index at a time) */ function getWithdrawalQueue() external view returns (Strategy[MAX_STRATEGIES] memory) { return withdrawalQueue; } /** * @notice Sets a new withdrawal queue. * @param newQueue The new withdrawal queue. */ function setWithdrawalQueue(Strategy[MAX_STRATEGIES] calldata newQueue) external onlyGovernance { // Maintain queue size require(newQueue.length == MAX_STRATEGIES, "BV: bad qu size"); // Replace the withdrawal queue. withdrawalQueue = newQueue; emit WithdrawalQueueSet(newQueue); } /** * @notice Emitted when the withdrawal queue is updated. * @param newQueue The new withdrawal queue. */ event WithdrawalQueueSet(Strategy[MAX_STRATEGIES] newQueue); /*////////////////////////////////////////////////////////////// STRATEGIES //////////////////////////////////////////////////////////////*/ /// @notice The total amount of underlying assets held in strategies at the time of the last harvest. uint256 public totalStrategyHoldings; struct StrategyInfo { bool isActive; uint16 tvlBps; uint232 balance; } /// @notice A map of strategy addresses to details mapping(Strategy => StrategyInfo) public strategies; uint256 constant MAX_BPS = 10_000; /// @notice The number of bps of the vault's tvl which may be given to strategies (at most MAX_BPS) uint256 public totalBps; /// @notice Emitted when a strategy is added by governance event StrategyAdded(Strategy indexed strategy); /// @notice Emitted when a strategy is removed by governance event StrategyRemoved(Strategy indexed strategy); /** * @notice Add a strategy * @param strategy The strategy to add * @param tvlBps The number of bps of our tvl the strategy will get when funds are distributed to strategies */ function addStrategy(Strategy strategy, uint16 tvlBps) external onlyGovernance { _increaseTVLBps(tvlBps); strategies[strategy] = StrategyInfo({isActive: true, tvlBps: tvlBps, balance: 0}); // Add strategy to withdrawal queue withdrawalQueue[MAX_STRATEGIES - 1] = strategy; emit StrategyAdded(strategy); _organizeWithdrawalQueue(); } /// @notice A helper function for increasing `totalBps`. Used when adding strategies or updating strategy allocs function _increaseTVLBps(uint256 tvlBps) internal { uint256 newTotalBps = totalBps + tvlBps; require(newTotalBps <= MAX_BPS, "BV: too many bps"); totalBps = newTotalBps; } /** * @notice Push all zero addresses to the end of the array. This function is used whenever a strategy is * added or removed from the withdrawal queue * @dev Relative ordering of non-zero values is maintained. */ function _organizeWithdrawalQueue() internal { // number or empty values we've seen iterating from left to right uint256 offset; for (uint256 i = 0; i < MAX_STRATEGIES; i = uncheckedInc(i)) { Strategy strategy = withdrawalQueue[i]; if (address(strategy) == address(0)) { offset += 1; } else if (offset > 0) { // index of first empty value seen takes on value of `strategy` withdrawalQueue[i - offset] = strategy; withdrawalQueue[i] = Strategy(address(0)); } } } /** * @notice Remove a strategy from the withdrawal queue. Fully divest from the strategy. * @param strategy The strategy to remove * @dev removeStrategy MUST be called with harvest via multicall. This helps get the most accurate tvl numbers * and allows us to add any realized profits to our lockedProfit */ function removeStrategy(Strategy strategy) external onlyGovernance { for (uint256 i = 0; i < MAX_STRATEGIES; i = uncheckedInc(i)) { if (strategy != withdrawalQueue[i]) { continue; } strategies[strategy].isActive = false; // The vault can re-allocate bps to a new strategy totalBps -= strategies[strategy].tvlBps; strategies[strategy].tvlBps = 0; // Remove strategy from withdrawal queue withdrawalQueue[i] = Strategy(address(0)); emit StrategyRemoved(strategy); _organizeWithdrawalQueue(); // Take all money out of strategy. _withdrawFromStrategy(strategy, strategy.totalLockedValue()); break; } } /** * @notice Update tvl bps assigned to the given list of strategies * @param strategyList The list of strategies * @param strategyBps The new bps */ function updateStrategyAllocations(Strategy[] calldata strategyList, uint16[] calldata strategyBps) external onlyRole(HARVESTER) { for (uint256 i = 0; i < strategyList.length; i = uncheckedInc(i)) { // Get the strategy at the current index. Strategy strategy = strategyList[i]; // Ignore inactive (removed) strategies if (!strategies[strategy].isActive) continue; // update tvl bps totalBps -= strategies[strategy].tvlBps; _increaseTVLBps(strategyBps[i]); strategies[strategy].tvlBps = strategyBps[i]; } emit StrategyAllocsUpdated(strategyList, strategyBps); } /** * @notice Emitted when we update tvl bps for a list of strategies. * @param strategyList The list of strategies. * @param strategyBps The new tvl bps for the strategies */ event StrategyAllocsUpdated(Strategy[] strategyList, uint16[] strategyBps); /*////////////////////////////////////////////////////////////// STRATEGY DEPOSIT/WITHDRAWAL //////////////////////////////////////////////////////////////*/ /** * @notice Emitted after the Vault deposits into a strategy contract. * @param strategy The strategy that was deposited into. * @param assets The amount of assets deposited. */ event StrategyDeposit(Strategy indexed strategy, uint256 assets); /** * @notice Emitted after the Vault withdraws funds from a strategy contract. * @param strategy The strategy that was withdrawn from. * @param assetsRequested The amount of assets we tried to divest from the strategy. * @param assetsReceived The amount of assets actually withdrawn. */ event StrategyWithdrawal(Strategy indexed strategy, uint256 assetsRequested, uint256 assetsReceived); function depositIntoStrategy(Strategy strategy, uint256 assets) external virtual onlyRole(HARVESTER) { _depositIntoStrategy(strategy, assets); } /// @notice Deposit `assetAmount` amount of `asset` into strategies according to each strategy's `tvlBps`. function _depositIntoStrategies(uint256 assetAmount) internal { // All non-zero strategies are active for (uint256 i = 0; i < MAX_STRATEGIES; i = uncheckedInc(i)) { Strategy strategy = withdrawalQueue[i]; if (address(strategy) == address(0)) { break; } _depositIntoStrategy(strategy, (assetAmount * strategies[strategy].tvlBps) / MAX_BPS); } } function _depositIntoStrategy(Strategy strategy, uint256 assets) internal { // Don't allow empty investments if (assets == 0) return; // Increase totalStrategyHoldings to account for the deposit. totalStrategyHoldings += assets; unchecked { // Without this the next harvest would count the deposit as profit. // Cannot overflow as the balance of one strategy can't exceed the sum of all. strategies[strategy].balance += uint232(assets); } // Approve assets to the strategy so we can deposit. _asset.safeApprove(address(strategy), assets); // Deposit into the strategy, will revert upon failure strategy.invest(assets); emit StrategyDeposit(strategy, assets); } function withdrawFromStrategy(Strategy strategy, uint256 assets) external virtual onlyRole(HARVESTER) { _withdrawFromStrategy(strategy, assets); } /** * @notice Withdraw a specific amount of underlying tokens from a strategy. * @dev This is a "best effort" withdrawal. It could potentially withdraw nothing. * @param strategy The strategy to withdraw from. * @param assets The amount of underlying tokens to withdraw. * @return The amount of assets actually received. */ function _withdrawFromStrategy(Strategy strategy, uint256 assets) internal returns (uint256) { // Withdraw from the strategy uint256 amountWithdrawn = _divest(strategy, assets); // Without this the next harvest would count the withdrawal as a loss. // We update the balance to the current tvl because a withdrawal can reduce the tvl by more than the amount // withdrawn (e.g. fees during a swap) uint256 oldStratTVL = strategies[strategy].balance; uint256 newStratTvl = strategy.totalLockedValue(); strategies[strategy].balance = uint232(newStratTvl); // Decrease totalStrategyHoldings to account for the withdrawal. // If we haven't harvested in a long time, newStratTvl could be bigger than oldStratTvl totalStrategyHoldings -= oldStratTVL > newStratTvl ? oldStratTVL - newStratTvl : 0; emit StrategyWithdrawal({strategy: strategy, assetsRequested: assets, assetsReceived: amountWithdrawn}); return amountWithdrawn; } /// @dev A small wrapper around divest(). We try-catch to make sure that a bad strategy does not pause withdrawals. function _divest(Strategy strategy, uint256 assets) internal returns (uint256) { try strategy.divest(assets) returns (uint256 amountDivested) { return amountDivested; } catch { return 0; } } /*////////////////////////////////////////////////////////////// HARVESTING //////////////////////////////////////////////////////////////*/ /** * @notice A timestamp representing when the most recent harvest occurred. * @dev Since the time since the last harvest is used to calculate management fees, this is set * to `block.timestamp` (instead of 0) during initialization. */ uint128 public lastHarvest; /// @notice The amount of profit *originally* locked after harvesting from a strategy uint128 public maxLockedProfit; /// @notice Amount of time in seconds that profit takes to fully unlock. See lockedProfit(). uint256 public constant LOCK_INTERVAL = 24 hours; /** * @notice Emitted after a successful harvest. * @param user The authorized user who triggered the harvest. * @param strategies The trusted strategies that were harvested. */ event Harvest(address indexed user, Strategy[] strategies); /** * @notice Harvest a set of trusted strategies. * @param strategyList The trusted strategies to harvest. * @dev Will always revert if profit from last harvest has not finished unlocking. */ function harvest(Strategy[] calldata strategyList) external virtual onlyRole(HARVESTER) { // Profit must not be unlocking require(block.timestamp >= lastHarvest + LOCK_INTERVAL, "BV: profit unlocking"); // Get the Vault's current total strategy holdings. uint256 oldTotalStrategyHoldings = totalStrategyHoldings; // Used to store the new total strategy holdings after harvesting. uint256 newTotalStrategyHoldings = oldTotalStrategyHoldings; // Used to store the total profit accrued by the strategies. uint256 totalProfitAccrued; for (uint256 i = 0; i < strategyList.length; i = uncheckedInc(i)) { // Get the strategy at the current index. Strategy strategy = strategyList[i]; // Ignore inactive (removed) strategies if (!strategies[strategy].isActive) { continue; } // Get the strategy's previous and current balance. uint232 balanceLastHarvest = strategies[strategy].balance; uint256 balanceThisHarvest = strategy.totalLockedValue(); // Update the strategy's stored balance. strategies[strategy].balance = uint232(balanceThisHarvest); // Increase/decrease newTotalStrategyHoldings based on the profit/loss registered. // We cannot wrap the subtraction in parenthesis as it would underflow if the strategy had a loss. newTotalStrategyHoldings = newTotalStrategyHoldings + balanceThisHarvest - balanceLastHarvest; unchecked { // Update the total profit accrued while counting losses as zero profit. // Cannot overflow as we already increased total holdings without reverting. totalProfitAccrued += balanceThisHarvest > balanceLastHarvest ? balanceThisHarvest - balanceLastHarvest // Profits since last harvest. : 0; // If the strategy registered a net loss we don't have any new profit. } } // Update max unlocked profit based on any remaining locked profit plus new profit. maxLockedProfit = uint128(lockedProfit() + totalProfitAccrued); // Set strategy holdings to our new total. totalStrategyHoldings = newTotalStrategyHoldings; // Assess fees (using old lastHarvest) and update the last harvest timestamp. _assessFees(); lastHarvest = uint128(block.timestamp); emit Harvest(msg.sender, strategyList); } /** * @notice Current locked profit amount. * @dev Profit unlocks uniformly over `LOCK_INTERVAL` seconds after the last harvest */ function lockedProfit() public view virtual returns (uint256) { if (block.timestamp >= lastHarvest + LOCK_INTERVAL) { return 0; } uint256 unlockedProfit = (maxLockedProfit * (block.timestamp - lastHarvest)) / LOCK_INTERVAL; return maxLockedProfit - unlockedProfit; } /*////////////////////////////////////////////////////////////// LIQUIDATION/REBALANCING //////////////////////////////////////////////////////////////*/ /// @notice The total amount of the underlying asset the vault has. function vaultTVL() public view returns (uint256) { return _asset.balanceOf(address(this)) + totalStrategyHoldings; } /** * @notice Emitted when the vault must make a certain amount of assets available * @dev We liquidate during cross chain rebalancing or withdrawals. * @param assetsRequested The amount we wanted to make available for withdrawal. * @param assetsLiquidated The amount we actually liquidated. */ event Liquidation(uint256 assetsRequested, uint256 assetsLiquidated); /** * @notice Withdraw `amount` of underlying asset from strategies. * @dev Always check the return value when using this function, we might not liquidate anything! * @param amount The amount we want to liquidate * @return The amount we actually liquidated */ function _liquidate(uint256 amount) internal returns (uint256) { uint256 amountLiquidated; for (uint256 i = 0; i < MAX_STRATEGIES; i = uncheckedInc(i)) { Strategy strategy = withdrawalQueue[i]; if (address(strategy) == address(0)) { break; } uint256 balance = _asset.balanceOf(address(this)); if (balance >= amount) { break; } uint256 amountNeeded = amount - balance; amountNeeded = Math.min(amountNeeded, strategies[strategy].balance); // Force withdraw of token from strategy uint256 withdrawn = _withdrawFromStrategy(strategy, amountNeeded); amountLiquidated += withdrawn; } emit Liquidation({assetsRequested: amount, assetsLiquidated: amountLiquidated}); return amountLiquidated; } /** * @notice Assess fees. * @dev This is called during harvest() to assess management fees. */ function _assessFees() internal virtual {} /** * @notice Emitted when we do a strategy rebalance, i.e. when we make the strategy tvls match their tvl bps * @param caller The caller */ event Rebalance(address indexed caller); /// @notice Rebalance strategies according to given tvl bps function rebalance() external onlyRole(HARVESTER) { uint256 tvl = vaultTVL(); // Loop through all strategies. Divesting from those whose tvl is too high, // Invest in those whose tvl is too low // MAX_STRATEGIES is always equal to withdrawalQueue.length uint256[MAX_STRATEGIES] memory amountsToInvest; for (uint256 i = 0; i < MAX_STRATEGIES; i = uncheckedInc(i)) { Strategy strategy = withdrawalQueue[i]; if (address(strategy) == address(0)) { break; } uint256 idealStrategyTVL = (tvl * strategies[strategy].tvlBps) / MAX_BPS; uint256 currStrategyTVL = strategy.totalLockedValue(); if (idealStrategyTVL < currStrategyTVL) { _withdrawFromStrategy(strategy, currStrategyTVL - idealStrategyTVL); } if (idealStrategyTVL > currStrategyTVL) { amountsToInvest[i] = idealStrategyTVL - currStrategyTVL; } } // Loop through the strategies to invest in, and invest in them for (uint256 i = 0; i < MAX_STRATEGIES; i = uncheckedInc(i)) { uint256 amountToInvest = amountsToInvest[i]; if (amountToInvest == 0) { continue; } // We aren't guaranteed that the vault has `amountToInvest` since there can be slippage // when divesting from strategies // NOTE: Strategies closer to the start of the queue are more likely to get the exact // amount of money needed amountToInvest = Math.min(amountToInvest, _asset.balanceOf(address(this))); if (amountToInvest == 0) { break; } // Deposit into strategy, making sure to not count this investment as a profit _depositIntoStrategy(withdrawalQueue[i], amountToInvest); } emit Rebalance(msg.sender); } }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {ERC20} from "solmate/src/tokens/ERC20.sol"; import {WETH as IWETH} from "solmate/src/tokens/WETH.sol"; import {SafeTransferLib} from "solmate/src/utils/SafeTransferLib.sol"; import {FixedPointMathLib} from "solmate/src/utils/FixedPointMathLib.sol"; import {Math} from "@openzeppelin/contracts/utils/math/Math.sol"; import {IPool} from "@aave/core-v3/contracts/interfaces/IPool.sol"; import {AffineVault, Strategy} from "src/vaults/AffineVault.sol"; import {AccessStrategy} from "src/strategies/AccessStrategy.sol"; import {IBalancerVault, IFlashLoanRecipient} from "src/interfaces/balancer.sol"; import {IWSTETH} from "src/interfaces/lido/IWSTETH.sol"; import {ICurvePool} from "src/interfaces/curve/ICurvePool.sol"; import {AggregatorV3Interface} from "src/interfaces/AggregatorV3Interface.sol"; import {SlippageUtils} from "src/libs/SlippageUtils.sol"; contract LidoLevV3 is AccessStrategy, IFlashLoanRecipient { using SafeTransferLib for ERC20; using SafeTransferLib for IWETH; using SafeTransferLib for IWSTETH; using FixedPointMathLib for uint256; using SlippageUtils for uint256; constructor(AffineVault _vault, address[] memory strategists) AccessStrategy(_vault, strategists) { /* Deposit flow */ // Trade wEth for wstETH (or equivalent, e.g. cbETH) WETH.safeApprove(address(CURVE), type(uint256).max); // Deposit wstETH in AAVE WSTETH.safeApprove(address(AAVE), type(uint256).max); /* Withdrawal flow */ // Pay wETH debt in aave WETH.safeApprove(address(AAVE), type(uint256).max); STETH.approve(address(CURVE), type(uint256).max); /* Get/Set aave information */ aToken = ERC20(AAVE.getReserveData(address(WSTETH)).aTokenAddress); debtToken = ERC20(AAVE.getReserveData(address(WETH)).variableDebtTokenAddress); // This enables E-mode. It allows us to borrow at 90% of the value of our collateral. AAVE.setUserEMode(1); } /*////////////////////////////////////////////////////////////// FLASH LOANS //////////////////////////////////////////////////////////////*/ /// @notice The balancer vault. We'll flashloan wETH from here. IBalancerVault public constant BALANCER = IBalancerVault(0xBA12222222228d8Ba445958a75a0704d566BF2C8); /// @notice The different reasons for a flashloan. enum LoanType { invest, divest, upgrade, incLev, decLev } error onlyBalancerVault(); /// @notice Callback called by balancer vault after flashloan is initiated. function _flashLoan(uint256 amount, LoanType loan, address recipient) internal { ERC20[] memory tokens = new ERC20[](1); tokens[0] = WETH; uint256[] memory amounts = new uint256[](1); amounts[0] = amount; BALANCER.flashLoan({ recipient: IFlashLoanRecipient(address(this)), tokens: tokens, amounts: amounts, userData: abi.encode(loan, recipient) }); } function receiveFlashLoan( ERC20[] memory, /* tokens */ uint256[] memory amounts, uint256[] memory, /* feeAmounts */ bytes memory userData ) external override { if (msg.sender != address(BALANCER)) revert onlyBalancerVault(); uint256 ethBorrowed = amounts[0]; // There will only be a new strategy in the case of an upgrade. (LoanType loan, address newStrategy) = abi.decode(userData, (LoanType, address)); if (loan == LoanType.divest) { _endPosition(ethBorrowed); } else if (loan == LoanType.invest) { _addToPosition(ethBorrowed); } else if (loan == LoanType.upgrade) { _payDebtAndTransferCollateral(LidoLevV3(payable(newStrategy))); } else { _rebalancePosition(ethBorrowed, loan); } // Payback wETH loan WETH.safeTransfer(address(BALANCER), ethBorrowed); } /*////////////////////////////////////////////////////////////// INVESTMENT/DIVESTMENT //////////////////////////////////////////////////////////////*/ /// @dev Add to leveraged position upon investment from vault. function _afterInvest(uint256 amount) internal override { _flashLoan(amount.mulDivDown(MAX_BPS, MAX_BPS - borrowBps), LoanType.invest, address(0)); } /// @dev Add to leveraged position. Trade ETH to wstETH, deposit in AAVE, and borrow to repay balancer loan. function _addToPosition(uint256 ethBorrowed) internal { // withdraw eth from weth WETH.withdraw(ethBorrowed); (bool success,) = payable(address(WSTETH)).call{value: ethBorrowed}(""); require(success, "LLV3: WstEth failed"); // Deposit wstETH in AAVE AAVE.deposit(address(WSTETH), WSTETH.balanceOf(address(this)), address(this), 0); // Borrow 90% of wstETH value in ETH using e-mode uint256 ethToBorrow = ethBorrowed - WETH.balanceOf(address(this)); AAVE.borrow(address(WETH), ethToBorrow, 2, 0, address(this)); } /// @dev We need this to receive ETH when calling wETH.withdraw() receive() external payable {} /// @dev Unlock wstETH collateral via flashloan, then repay balancer loan with unlocked collateral. function _divest(uint256 amount) internal override returns (uint256) { uint256 ethNeeded = _getDivestFlashLoanAmounts(amount); uint256 origAssets = WETH.balanceOf(address(this)); _flashLoan(ethNeeded, LoanType.divest, address(0)); // The loan has been paid, any other unlocked collateral belongs to user uint256 unlockedWeth = WETH.balanceOf(address(this)) - origAssets; WETH.safeTransfer(address(vault), Math.min(unlockedWeth, amount)); return unlockedWeth; } /// @dev Calculate the amount of ETH needed to flashloan to divest `wethToDivest` wETH. function _getDivestFlashLoanAmounts(uint256 wethToDivest) internal view returns (uint256 ethNeeded) { // Proportion of tvl == proportion of debt to pay back uint256 tvl = totalLockedValue(); ethNeeded = _debt(); if (tvl > wethToDivest) { ethNeeded = _debt().mulDivDown(wethToDivest, tvl); } } function _convertStEthToWeth(uint256 amount, uint256 minAmount) internal { uint256 ethReceived = CURVE.exchange({x: int128(1), y: int128(0), dx: amount, min_dy: minAmount}); // convert eth to weth WETH.deposit{value: ethReceived}(); } function _endPosition(uint256 ethBorrowed) internal { // Proportion of collateral to unlock is same as proportion of debt to pay back (ethBorrowed / debt) // We need to calculate this number before paying back debt, since the fraction will change. uint256 wstEthToRedeem = aToken.balanceOf(address(this)).mulDivDown(ethBorrowed, _debt()); // Pay debt in aave AAVE.repay(address(WETH), ethBorrowed, 2, address(this)); // Withdraw same proportion of collateral from aave AAVE.withdraw(address(WSTETH), wstEthToRedeem, address(this)); // withdraw eth from wsteth WSTETH.unwrap(WSTETH.balanceOf(address(this))); // convert stEth to eth _convertStEthToWeth(STETH.balanceOf(address(this)), STETH.balanceOf(address(this)).slippageDown(slippageBps)); } /*////////////////////////////////////////////////////////////// REBALANCING //////////////////////////////////////////////////////////////*/ function rebalance() external onlyRole(STRATEGIST_ROLE) { uint256 debt = _debt(); uint256 collateral = _collateral(); uint256 expectedDebt = collateral.mulDivDown(borrowBps, MAX_BPS); if (expectedDebt > debt) { // inc lev _flashLoan((expectedDebt - debt).mulDivDown(MAX_BPS, MAX_BPS - borrowBps), LoanType.incLev, address(0)); } else { _flashLoan((debt - expectedDebt).mulDivDown(MAX_BPS, MAX_BPS - borrowBps), LoanType.decLev, address(0)); } } function _rebalancePosition(uint256 ethBorrowed, LoanType loan) internal { if (loan == LoanType.incLev) { _addToPosition(ethBorrowed); } else { // repay AAVE.repay(address(WETH), ethBorrowed, 2, address(this)); // get wsteth amount from eth uint256 wstEthToRedeem = WSTETH.getWstETHByStETH(ethBorrowed).slippageUp(slippageBps); // withdraw from aave AAVE.withdraw(address(WSTETH), wstEthToRedeem, address(this)); // unwrap wsteth WSTETH.unwrap(WSTETH.balanceOf(address(this))); // conv steth to weth _convertStEthToWeth(STETH.balanceOf(address(this)), ethBorrowed); if (WETH.balanceOf(address(this)) > ethBorrowed) { AAVE.repay(address(WETH), WETH.balanceOf(address(this)) - ethBorrowed, 2, address(this)); } } } /*////////////////////////////////////////////////////////////// VALUATION //////////////////////////////////////////////////////////////*/ function _debt() internal view returns (uint256) { return debtToken.balanceOf(address(this)); } function _collateral() internal view returns (uint256) { return WSTETH.getStETHByWstETH(aToken.balanceOf(address(this))); } /// @notice The tvl function. function totalLockedValue() public view override returns (uint256) { return _collateral() - _debt(); } function getLTVRatio() public view returns (uint256) { return _debt().mulDivDown(MAX_BPS, _collateral()); } /*////////////////////////////////////////////////////////////// STAKED ETHER //////////////////////////////////////////////////////////////*/ /// @notice The wETH address. IWETH public constant WETH = IWETH(payable(0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2)); /// @notice The wstETH address (actually cbETH on Base). IWSTETH public constant WSTETH = IWSTETH(0x7f39C581F595B53c5cb19bD0b3f8dA6c935E2Ca0); // eth ERC20 public constant STETH = ERC20(0xae7ab96520DE3A18E5e111B5EaAb095312D7fE84); // eth /*////////////////////////////////////////////////////////////// TRADES //////////////////////////////////////////////////////////////*/ /// @notice The curve pool used for stETH <=> eth. ICurvePool public constant CURVE = ICurvePool(0xDC24316b9AE028F1497c275EB9192a3Ea0f67022); // eth address /// @notice The acceptable slippage on trades. uint256 public slippageBps = 10; /// @dev max slippage on curve is around 10pbs for 10 eth /// @notice Set slippageBps. function setSlippageBps(uint256 _slippageBps) external onlyRole(STRATEGIST_ROLE) { slippageBps = _slippageBps; } /*////////////////////////////////////////////////////////////// AAVE //////////////////////////////////////////////////////////////*/ uint256 public constant MAX_BPS = 10_000; /// @notice amount to borrow after lending in the platform uint256 public borrowBps = 8999; // default 90% for aave e-mode /// @notice Set the borrowing factor. /// @param _borrowBps The new borrow factor. function setBorrowBps(uint256 _borrowBps) external onlyRole(STRATEGIST_ROLE) { borrowBps = _borrowBps; } /// @notice The Aave lending pool. IPool public constant AAVE = IPool(0x87870Bca3F3fD6335C3F4ce8392D69350B4fA4E2); // eth address /// @notice The debtToken for wETH. ERC20 public immutable debtToken; /// @notice THe aToken for wstETH. ERC20 public immutable aToken; /*////////////////////////////////////////////////////////////// UPGRADES //////////////////////////////////////////////////////////////*/ error NotAStrategy(); /** * @notice Upgrade to a new strategy. * @dev Transfer all of this strategy's assets to a new one, without any losses. * 1. This strategy flashloans it's current aave debt from balancer, pays it, and transfers it's collateral to the * new strategy. * 2. This strategy calls `createAaveDebt` on the new strategy, such that new strategy has the same aave debt as * this strategy did before the upgrade. * 3. The new strategy transfers the wETH it borrowed back to this strategy, so that the flashloan can be repaid. */ function upgradeTo(LidoLevV3 newStrategy) external onlyGovernance { _checkIfStrategy(newStrategy); ERC20[] memory tokens = new ERC20[](1); tokens[0] = WETH; uint256[] memory amounts = new uint256[](1); amounts[0] = debtToken.balanceOf(address(this)); BALANCER.flashLoan({ recipient: IFlashLoanRecipient(address(this)), tokens: tokens, amounts: amounts, userData: abi.encode(LoanType.upgrade, address(newStrategy)) }); } /// @dev Pay debt and transfer collateral to new strategy. function _payDebtAndTransferCollateral(LidoLevV3 newStrategy) internal { // Pay debt in aave. uint256 debt = debtToken.balanceOf(address(this)); AAVE.repay(address(WETH), debt, 2, address(this)); // Transfer collateral (aTokens) to new Strategy. aToken.safeTransfer(address(newStrategy), aToken.balanceOf(address(this))); // Make the new strategy borrow exactly the same amount as this strategy originally had in debt. newStrategy.createAaveDebt(debt); } /// @notice Callback called by an old strategy that is moving its assets to this strategy. See `upgradeTo`. function createAaveDebt(uint256 wethAmount) external { _checkIfStrategy(Strategy(msg.sender)); AAVE.borrow(address(WETH), wethAmount, 2, 0, address(this)); // Transfer weth to calling strategy (old LidoLevL2) so that it can pay its flashloan. WETH.safeTransfer(msg.sender, wethAmount); } /// @dev Check if the address is a valid strategy. function _checkIfStrategy(Strategy strat) internal view { (bool isActive,,) = vault.strategies(strat); if (!isActive) revert NotAStrategy(); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.0) (access/AccessControl.sol) pragma solidity ^0.8.0; import "./IAccessControlUpgradeable.sol"; import "../utils/ContextUpgradeable.sol"; import "../utils/StringsUpgradeable.sol"; import "../utils/introspection/ERC165Upgradeable.sol"; import "../proxy/utils/Initializable.sol"; /** * @dev Contract module that allows children to implement role-based access * control mechanisms. This is a lightweight version that doesn't allow enumerating role * members except through off-chain means by accessing the contract event logs. Some * applications may benefit from on-chain enumerability, for those cases see * {AccessControlEnumerable}. * * Roles are referred to by their `bytes32` identifier. These should be exposed * in the external API and be unique. The best way to achieve this is by * using `public constant` hash digests: * * ``` * bytes32 public constant MY_ROLE = keccak256("MY_ROLE"); * ``` * * Roles can be used to represent a set of permissions. To restrict access to a * function call, use {hasRole}: * * ``` * function foo() public { * require(hasRole(MY_ROLE, msg.sender)); * ... * } * ``` * * Roles can be granted and revoked dynamically via the {grantRole} and * {revokeRole} functions. Each role has an associated admin role, and only * accounts that have a role's admin role can call {grantRole} and {revokeRole}. * * By default, the admin role for all roles is `DEFAULT_ADMIN_ROLE`, which means * that only accounts with this role will be able to grant or revoke other * roles. More complex role relationships can be created by using * {_setRoleAdmin}. * * WARNING: The `DEFAULT_ADMIN_ROLE` is also its own admin: it has permission to * grant and revoke this role. Extra precautions should be taken to secure * accounts that have been granted it. */ abstract contract AccessControlUpgradeable is Initializable, ContextUpgradeable, IAccessControlUpgradeable, ERC165Upgradeable { function __AccessControl_init() internal onlyInitializing { } function __AccessControl_init_unchained() internal onlyInitializing { } struct RoleData { mapping(address => bool) members; bytes32 adminRole; } mapping(bytes32 => RoleData) private _roles; bytes32 public constant DEFAULT_ADMIN_ROLE = 0x00; /** * @dev Modifier that checks that an account has a specific role. Reverts * with a standardized message including the required role. * * The format of the revert reason is given by the following regular expression: * * /^AccessControl: account (0x[0-9a-f]{40}) is missing role (0x[0-9a-f]{64})$/ * * _Available since v4.1._ */ modifier onlyRole(bytes32 role) { _checkRole(role); _; } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IAccessControlUpgradeable).interfaceId || super.supportsInterface(interfaceId); } /** * @dev Returns `true` if `account` has been granted `role`. */ function hasRole(bytes32 role, address account) public view virtual override returns (bool) { return _roles[role].members[account]; } /** * @dev Revert with a standard message if `_msgSender()` is missing `role`. * Overriding this function changes the behavior of the {onlyRole} modifier. * * Format of the revert message is described in {_checkRole}. * * _Available since v4.6._ */ function _checkRole(bytes32 role) internal view virtual { _checkRole(role, _msgSender()); } /** * @dev Revert with a standard message if `account` is missing `role`. * * The format of the revert reason is given by the following regular expression: * * /^AccessControl: account (0x[0-9a-f]{40}) is missing role (0x[0-9a-f]{64})$/ */ function _checkRole(bytes32 role, address account) internal view virtual { if (!hasRole(role, account)) { revert( string( abi.encodePacked( "AccessControl: account ", StringsUpgradeable.toHexString(uint160(account), 20), " is missing role ", StringsUpgradeable.toHexString(uint256(role), 32) ) ) ); } } /** * @dev Returns the admin role that controls `role`. See {grantRole} and * {revokeRole}. * * To change a role's admin, use {_setRoleAdmin}. */ function getRoleAdmin(bytes32 role) public view virtual override returns (bytes32) { return _roles[role].adminRole; } /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. * * Requirements: * * - the caller must have ``role``'s admin role. * * May emit a {RoleGranted} event. */ function grantRole(bytes32 role, address account) public virtual override onlyRole(getRoleAdmin(role)) { _grantRole(role, account); } /** * @dev Revokes `role` from `account`. * * If `account` had been granted `role`, emits a {RoleRevoked} event. * * Requirements: * * - the caller must have ``role``'s admin role. * * May emit a {RoleRevoked} event. */ function revokeRole(bytes32 role, address account) public virtual override onlyRole(getRoleAdmin(role)) { _revokeRole(role, account); } /** * @dev Revokes `role` from the calling account. * * Roles are often managed via {grantRole} and {revokeRole}: this function's * purpose is to provide a mechanism for accounts to lose their privileges * if they are compromised (such as when a trusted device is misplaced). * * If the calling account had been revoked `role`, emits a {RoleRevoked} * event. * * Requirements: * * - the caller must be `account`. * * May emit a {RoleRevoked} event. */ function renounceRole(bytes32 role, address account) public virtual override { require(account == _msgSender(), "AccessControl: can only renounce roles for self"); _revokeRole(role, account); } /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. Note that unlike {grantRole}, this function doesn't perform any * checks on the calling account. * * May emit a {RoleGranted} event. * * [WARNING] * ==== * This function should only be called from the constructor when setting * up the initial roles for the system. * * Using this function in any other way is effectively circumventing the admin * system imposed by {AccessControl}. * ==== * * NOTE: This function is deprecated in favor of {_grantRole}. */ function _setupRole(bytes32 role, address account) internal virtual { _grantRole(role, account); } /** * @dev Sets `adminRole` as ``role``'s admin role. * * Emits a {RoleAdminChanged} event. */ function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual { bytes32 previousAdminRole = getRoleAdmin(role); _roles[role].adminRole = adminRole; emit RoleAdminChanged(role, previousAdminRole, adminRole); } /** * @dev Grants `role` to `account`. * * Internal function without access restriction. * * May emit a {RoleGranted} event. */ function _grantRole(bytes32 role, address account) internal virtual { if (!hasRole(role, account)) { _roles[role].members[account] = true; emit RoleGranted(role, account, _msgSender()); } } /** * @dev Revokes `role` from `account`. * * Internal function without access restriction. * * May emit a {RoleRevoked} event. */ function _revokeRole(bytes32 role, address account) internal virtual { if (hasRole(role, account)) { _roles[role].members[account] = false; emit RoleRevoked(role, account, _msgSender()); } } /** * @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 (last updated v4.7.0) (utils/math/Math.sol) pragma solidity ^0.8.0; /** * @dev Standard math utilities missing in the Solidity language. */ library Math { enum Rounding { Down, // Toward negative infinity Up, // Toward infinity Zero // Toward zero } /** * @dev Returns the largest of two numbers. */ function max(uint256 a, uint256 b) internal pure returns (uint256) { return a >= b ? a : b; } /** * @dev Returns the smallest of two numbers. */ function min(uint256 a, uint256 b) internal pure returns (uint256) { return a < b ? a : b; } /** * @dev Returns the average of two numbers. The result is rounded towards * zero. */ function average(uint256 a, uint256 b) internal pure returns (uint256) { // (a + b) / 2 can overflow. return (a & b) + (a ^ b) / 2; } /** * @dev Returns the ceiling of the division of two numbers. * * This differs from standard division with `/` in that it rounds up instead * of rounding down. */ function ceilDiv(uint256 a, uint256 b) internal pure returns (uint256) { // (a + b - 1) / b can overflow on addition, so we distribute. return a == 0 ? 0 : (a - 1) / b + 1; } /** * @notice Calculates floor(x * y / denominator) with full precision. Throws if result overflows a uint256 or denominator == 0 * @dev Original credit to Remco Bloemen under MIT license (https://xn--2-umb.com/21/muldiv) * with further edits by Uniswap Labs also under MIT license. */ function mulDiv( uint256 x, uint256 y, uint256 denominator ) internal pure returns (uint256 result) { unchecked { // 512-bit multiply [prod1 prod0] = x * y. Compute the product mod 2^256 and mod 2^256 - 1, then use // use the Chinese Remainder Theorem to reconstruct the 512 bit result. The result is stored in two 256 // variables such that product = prod1 * 2^256 + prod0. uint256 prod0; // Least significant 256 bits of the product uint256 prod1; // Most significant 256 bits of the product assembly { let mm := mulmod(x, y, not(0)) prod0 := mul(x, y) prod1 := sub(sub(mm, prod0), lt(mm, prod0)) } // Handle non-overflow cases, 256 by 256 division. if (prod1 == 0) { return prod0 / denominator; } // Make sure the result is less than 2^256. Also prevents denominator == 0. require(denominator > prod1); /////////////////////////////////////////////// // 512 by 256 division. /////////////////////////////////////////////// // Make division exact by subtracting the remainder from [prod1 prod0]. uint256 remainder; assembly { // Compute remainder using mulmod. remainder := mulmod(x, y, denominator) // Subtract 256 bit number from 512 bit number. prod1 := sub(prod1, gt(remainder, prod0)) prod0 := sub(prod0, remainder) } // Factor powers of two out of denominator and compute largest power of two divisor of denominator. Always >= 1. // See https://cs.stackexchange.com/q/138556/92363. // Does not overflow because the denominator cannot be zero at this stage in the function. uint256 twos = denominator & (~denominator + 1); assembly { // Divide denominator by twos. denominator := div(denominator, twos) // Divide [prod1 prod0] by twos. prod0 := div(prod0, twos) // Flip twos such that it is 2^256 / twos. If twos is zero, then it becomes one. twos := add(div(sub(0, twos), twos), 1) } // Shift in bits from prod1 into prod0. prod0 |= prod1 * twos; // Invert denominator mod 2^256. Now that denominator is an odd number, it has an inverse modulo 2^256 such // that denominator * inv = 1 mod 2^256. Compute the inverse by starting with a seed that is correct for // four bits. That is, denominator * inv = 1 mod 2^4. uint256 inverse = (3 * denominator) ^ 2; // Use the Newton-Raphson iteration to improve the precision. Thanks to Hensel's lifting lemma, this also works // in modular arithmetic, doubling the correct bits in each step. inverse *= 2 - denominator * inverse; // inverse mod 2^8 inverse *= 2 - denominator * inverse; // inverse mod 2^16 inverse *= 2 - denominator * inverse; // inverse mod 2^32 inverse *= 2 - denominator * inverse; // inverse mod 2^64 inverse *= 2 - denominator * inverse; // inverse mod 2^128 inverse *= 2 - denominator * inverse; // inverse mod 2^256 // Because the division is now exact we can divide by multiplying with the modular inverse of denominator. // This will give us the correct result modulo 2^256. Since the preconditions guarantee that the outcome is // less than 2^256, this is the final result. We don't need to compute the high bits of the result and prod1 // is no longer required. result = prod0 * inverse; return result; } } /** * @notice Calculates x * y / denominator with full precision, following the selected rounding direction. */ function mulDiv( uint256 x, uint256 y, uint256 denominator, Rounding rounding ) internal pure returns (uint256) { uint256 result = mulDiv(x, y, denominator); if (rounding == Rounding.Up && mulmod(x, y, denominator) > 0) { result += 1; } return result; } /** * @dev Returns the square root of a number. It the number is not a perfect square, the value is rounded down. * * Inspired by Henry S. Warren, Jr.'s "Hacker's Delight" (Chapter 11). */ function sqrt(uint256 a) internal pure returns (uint256) { if (a == 0) { return 0; } // For our first guess, we get the biggest power of 2 which is smaller than the square root of the target. // We know that the "msb" (most significant bit) of our target number `a` is a power of 2 such that we have // `msb(a) <= a < 2*msb(a)`. // We also know that `k`, the position of the most significant bit, is such that `msb(a) = 2**k`. // This gives `2**k < a <= 2**(k+1)` → `2**(k/2) <= sqrt(a) < 2 ** (k/2+1)`. // Using an algorithm similar to the msb conmputation, we are able to compute `result = 2**(k/2)` which is a // good first aproximation of `sqrt(a)` with at least 1 correct bit. uint256 result = 1; uint256 x = a; if (x >> 128 > 0) { x >>= 128; result <<= 64; } if (x >> 64 > 0) { x >>= 64; result <<= 32; } if (x >> 32 > 0) { x >>= 32; result <<= 16; } if (x >> 16 > 0) { x >>= 16; result <<= 8; } if (x >> 8 > 0) { x >>= 8; result <<= 4; } if (x >> 4 > 0) { x >>= 4; result <<= 2; } if (x >> 2 > 0) { result <<= 1; } // At this point `result` is an estimation with one bit of precision. We know the true value is a uint128, // since it is the square root of a uint256. Newton's method converges quadratically (precision doubles at // every iteration). We thus need at most 7 iteration to turn our partial result with one bit of precision // into the expected uint128 result. unchecked { result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; return min(result, a / result); } } /** * @notice Calculates sqrt(a), following the selected rounding direction. */ function sqrt(uint256 a, Rounding rounding) internal pure returns (uint256) { uint256 result = sqrt(a); if (rounding == Rounding.Up && result * result < a) { result += 1; } return result; } }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.8.0; /// @notice Modern and gas efficient ERC20 + EIP-2612 implementation. /// @author Solmate (https://github.com/Rari-Capital/solmate/blob/main/src/tokens/ERC20.sol) /// @author Modified from Uniswap (https://github.com/Uniswap/uniswap-v2-core/blob/master/contracts/UniswapV2ERC20.sol) /// @dev Do not manually set balances without updating totalSupply, as the sum of all user balances must not exceed it. abstract contract ERC20 { /*////////////////////////////////////////////////////////////// EVENTS //////////////////////////////////////////////////////////////*/ event Transfer(address indexed from, address indexed to, uint256 amount); event Approval(address indexed owner, address indexed spender, uint256 amount); /*////////////////////////////////////////////////////////////// METADATA STORAGE //////////////////////////////////////////////////////////////*/ string public name; string public symbol; uint8 public immutable decimals; /*////////////////////////////////////////////////////////////// ERC20 STORAGE //////////////////////////////////////////////////////////////*/ uint256 public totalSupply; mapping(address => uint256) public balanceOf; mapping(address => mapping(address => uint256)) public allowance; /*////////////////////////////////////////////////////////////// EIP-2612 STORAGE //////////////////////////////////////////////////////////////*/ uint256 internal immutable INITIAL_CHAIN_ID; bytes32 internal immutable INITIAL_DOMAIN_SEPARATOR; mapping(address => uint256) public nonces; /*////////////////////////////////////////////////////////////// CONSTRUCTOR //////////////////////////////////////////////////////////////*/ constructor( string memory _name, string memory _symbol, uint8 _decimals ) { name = _name; symbol = _symbol; decimals = _decimals; INITIAL_CHAIN_ID = block.chainid; INITIAL_DOMAIN_SEPARATOR = computeDomainSeparator(); } /*////////////////////////////////////////////////////////////// ERC20 LOGIC //////////////////////////////////////////////////////////////*/ function approve(address spender, uint256 amount) public virtual returns (bool) { allowance[msg.sender][spender] = amount; emit Approval(msg.sender, spender, amount); return true; } function transfer(address to, uint256 amount) public virtual returns (bool) { balanceOf[msg.sender] -= amount; // Cannot overflow because the sum of all user // balances can't exceed the max uint256 value. unchecked { balanceOf[to] += amount; } emit Transfer(msg.sender, to, amount); return true; } function transferFrom( address from, address to, uint256 amount ) public virtual returns (bool) { uint256 allowed = allowance[from][msg.sender]; // Saves gas for limited approvals. if (allowed != type(uint256).max) allowance[from][msg.sender] = allowed - amount; balanceOf[from] -= amount; // Cannot overflow because the sum of all user // balances can't exceed the max uint256 value. unchecked { balanceOf[to] += amount; } emit Transfer(from, to, amount); return true; } /*////////////////////////////////////////////////////////////// EIP-2612 LOGIC //////////////////////////////////////////////////////////////*/ function permit( address owner, address spender, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s ) public virtual { require(deadline >= block.timestamp, "PERMIT_DEADLINE_EXPIRED"); // Unchecked because the only math done is incrementing // the owner's nonce which cannot realistically overflow. unchecked { address recoveredAddress = ecrecover( keccak256( abi.encodePacked( "\x19\x01", DOMAIN_SEPARATOR(), keccak256( abi.encode( keccak256( "Permit(address owner,address spender,uint256 value,uint256 nonce,uint256 deadline)" ), owner, spender, value, nonces[owner]++, deadline ) ) ) ), v, r, s ); require(recoveredAddress != address(0) && recoveredAddress == owner, "INVALID_SIGNER"); allowance[recoveredAddress][spender] = value; } emit Approval(owner, spender, value); } function DOMAIN_SEPARATOR() public view virtual returns (bytes32) { return block.chainid == INITIAL_CHAIN_ID ? INITIAL_DOMAIN_SEPARATOR : computeDomainSeparator(); } function computeDomainSeparator() internal view virtual returns (bytes32) { return keccak256( abi.encode( keccak256("EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)"), keccak256(bytes(name)), keccak256("1"), block.chainid, address(this) ) ); } /*////////////////////////////////////////////////////////////// INTERNAL MINT/BURN LOGIC //////////////////////////////////////////////////////////////*/ function _mint(address to, uint256 amount) internal virtual { totalSupply += amount; // Cannot overflow because the sum of all user // balances can't exceed the max uint256 value. unchecked { balanceOf[to] += amount; } emit Transfer(address(0), to, amount); } function _burn(address from, uint256 amount) internal virtual { balanceOf[from] -= amount; // Cannot underflow because a user's balance // will never be larger than the total supply. unchecked { totalSupply -= amount; } emit Transfer(from, address(0), amount); } }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.8.0; import {ERC20} from "../tokens/ERC20.sol"; /// @notice Safe ETH and ERC20 transfer library that gracefully handles missing return values. /// @author Solmate (https://github.com/Rari-Capital/solmate/blob/main/src/utils/SafeTransferLib.sol) /// @dev Use with caution! Some functions in this library knowingly create dirty bits at the destination of the free memory pointer. /// @dev Note that none of the functions in this library check that a token has code at all! That responsibility is delegated to the caller. library SafeTransferLib { /*////////////////////////////////////////////////////////////// ETH OPERATIONS //////////////////////////////////////////////////////////////*/ function safeTransferETH(address to, uint256 amount) internal { bool success; assembly { // Transfer the ETH and store if it succeeded or not. success := call(gas(), to, amount, 0, 0, 0, 0) } require(success, "ETH_TRANSFER_FAILED"); } /*////////////////////////////////////////////////////////////// ERC20 OPERATIONS //////////////////////////////////////////////////////////////*/ function safeTransferFrom( ERC20 token, address from, address to, uint256 amount ) internal { bool success; assembly { // Get a pointer to some free memory. let freeMemoryPointer := mload(0x40) // Write the abi-encoded calldata into memory, beginning with the function selector. mstore(freeMemoryPointer, 0x23b872dd00000000000000000000000000000000000000000000000000000000) mstore(add(freeMemoryPointer, 4), from) // Append the "from" argument. mstore(add(freeMemoryPointer, 36), to) // Append the "to" argument. mstore(add(freeMemoryPointer, 68), amount) // Append the "amount" argument. success := and( // Set success to whether the call reverted, if not we check it either // returned exactly 1 (can't just be non-zero data), or had no return data. or(and(eq(mload(0), 1), gt(returndatasize(), 31)), iszero(returndatasize())), // We use 100 because the length of our calldata totals up like so: 4 + 32 * 3. // We use 0 and 32 to copy up to 32 bytes of return data into the scratch space. // Counterintuitively, this call must be positioned second to the or() call in the // surrounding and() call or else returndatasize() will be zero during the computation. call(gas(), token, 0, freeMemoryPointer, 100, 0, 32) ) } require(success, "TRANSFER_FROM_FAILED"); } function safeTransfer( ERC20 token, address to, uint256 amount ) internal { bool success; assembly { // Get a pointer to some free memory. let freeMemoryPointer := mload(0x40) // Write the abi-encoded calldata into memory, beginning with the function selector. mstore(freeMemoryPointer, 0xa9059cbb00000000000000000000000000000000000000000000000000000000) mstore(add(freeMemoryPointer, 4), to) // Append the "to" argument. mstore(add(freeMemoryPointer, 36), amount) // Append the "amount" argument. success := and( // Set success to whether the call reverted, if not we check it either // returned exactly 1 (can't just be non-zero data), or had no return data. or(and(eq(mload(0), 1), gt(returndatasize(), 31)), iszero(returndatasize())), // We use 68 because the length of our calldata totals up like so: 4 + 32 * 2. // We use 0 and 32 to copy up to 32 bytes of return data into the scratch space. // Counterintuitively, this call must be positioned second to the or() call in the // surrounding and() call or else returndatasize() will be zero during the computation. call(gas(), token, 0, freeMemoryPointer, 68, 0, 32) ) } require(success, "TRANSFER_FAILED"); } function safeApprove( ERC20 token, address to, uint256 amount ) internal { bool success; assembly { // Get a pointer to some free memory. let freeMemoryPointer := mload(0x40) // Write the abi-encoded calldata into memory, beginning with the function selector. mstore(freeMemoryPointer, 0x095ea7b300000000000000000000000000000000000000000000000000000000) mstore(add(freeMemoryPointer, 4), to) // Append the "to" argument. mstore(add(freeMemoryPointer, 36), amount) // Append the "amount" argument. success := and( // Set success to whether the call reverted, if not we check it either // returned exactly 1 (can't just be non-zero data), or had no return data. or(and(eq(mload(0), 1), gt(returndatasize(), 31)), iszero(returndatasize())), // We use 68 because the length of our calldata totals up like so: 4 + 32 * 2. // We use 0 and 32 to copy up to 32 bytes of return data into the scratch space. // Counterintuitively, this call must be positioned second to the or() call in the // surrounding and() call or else returndatasize() will be zero during the computation. call(gas(), token, 0, freeMemoryPointer, 68, 0, 32) ) } require(success, "APPROVE_FAILED"); } }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; contract AffineGovernable { /// @notice The governance address address public governance; modifier onlyGovernance() { _onlyGovernance(); _; } function _onlyGovernance() internal view { require(msg.sender == governance, "Only Governance."); } }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {ERC20} from "solmate/src/tokens/ERC20.sol"; import {AffineVault} from "src/vaults/AffineVault.sol"; import {SafeTransferLib} from "solmate/src/utils/SafeTransferLib.sol"; import {Strings} from "@openzeppelin/contracts/utils/Strings.sol"; /// @notice Base strategy contract abstract contract BaseStrategy { using SafeTransferLib for ERC20; constructor(AffineVault _vault) { vault = _vault; asset = ERC20(_vault.asset()); } /// @notice The vault which will deposit/withdraw from the this contract AffineVault public immutable vault; modifier onlyVault() { require(msg.sender == address(vault), "BS: only vault"); _; } modifier onlyGovernance() { require(msg.sender == vault.governance(), "BS: only governance"); _; } /// @notice Returns the underlying ERC20 asset the strategy accepts. ERC20 public immutable asset; /// @notice Strategy's balance of underlying asset. /// @return assets Strategy's balance. function balanceOfAsset() public view returns (uint256 assets) { assets = asset.balanceOf(address(this)); } /// @notice Deposit vault's underlying asset into strategy. /// @param amount The amount to invest. /// @dev This function must revert if investment fails. function invest(uint256 amount) external { asset.safeTransferFrom(msg.sender, address(this), amount); _afterInvest(amount); } /// @notice After getting money from the vault, do something with it. /// @param amount The amount received from the vault. /// @dev Since investment is often gas-intensive and may require off-chain data, this will often be unimplemented. /// @dev Strategists will call custom functions for handling deployment of capital. function _afterInvest(uint256 amount) internal virtual {} /// @notice Withdraw vault's underlying asset from strategy. /// @param amount The amount to withdraw. /// @return The amount of `asset` divested from the strategy function divest(uint256 amount) external onlyVault returns (uint256) { return _divest(amount); } /// @dev This function should not revert if we get less than `amount` out of the strategy function _divest(uint256 amount) internal virtual returns (uint256) {} /// @notice The total amount of `asset` that the strategy is managing /// @dev This should not overestimate, and should account for slippage during divestment /// @return The strategy tvl function totalLockedValue() external virtual returns (uint256); function sweep(ERC20 token) external onlyGovernance { token.safeTransfer(vault.governance(), token.balanceOf(address(this))); } }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; /* solhint-disable func-visibility */ function uncheckedInc(uint256 i) pure returns (uint256) { unchecked { return i + 1; } }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.8.0; import {ERC20} from "./ERC20.sol"; import {SafeTransferLib} from "../utils/SafeTransferLib.sol"; /// @notice Minimalist and modern Wrapped Ether implementation. /// @author Solmate (https://github.com/Rari-Capital/solmate/blob/main/src/tokens/WETH.sol) /// @author Inspired by WETH9 (https://github.com/dapphub/ds-weth/blob/master/src/weth9.sol) contract WETH is ERC20("Wrapped Ether", "WETH", 18) { using SafeTransferLib for address; event Deposit(address indexed from, uint256 amount); event Withdrawal(address indexed to, uint256 amount); function deposit() public payable virtual { _mint(msg.sender, msg.value); emit Deposit(msg.sender, msg.value); } function withdraw(uint256 amount) public virtual { _burn(msg.sender, amount); emit Withdrawal(msg.sender, amount); msg.sender.safeTransferETH(amount); } receive() external payable virtual { deposit(); } }
// SPDX-License-Identifier: AGPL-3.0-only pragma solidity >=0.8.0; /// @notice Arithmetic library with operations for fixed-point numbers. /// @author Solmate (https://github.com/Rari-Capital/solmate/blob/main/src/utils/FixedPointMathLib.sol) /// @author Inspired by USM (https://github.com/usmfum/USM/blob/master/contracts/WadMath.sol) library FixedPointMathLib { /*////////////////////////////////////////////////////////////// SIMPLIFIED FIXED POINT OPERATIONS //////////////////////////////////////////////////////////////*/ uint256 internal constant WAD = 1e18; // The scalar of ETH and most ERC20s. function mulWadDown(uint256 x, uint256 y) internal pure returns (uint256) { return mulDivDown(x, y, WAD); // Equivalent to (x * y) / WAD rounded down. } function mulWadUp(uint256 x, uint256 y) internal pure returns (uint256) { return mulDivUp(x, y, WAD); // Equivalent to (x * y) / WAD rounded up. } function divWadDown(uint256 x, uint256 y) internal pure returns (uint256) { return mulDivDown(x, WAD, y); // Equivalent to (x * WAD) / y rounded down. } function divWadUp(uint256 x, uint256 y) internal pure returns (uint256) { return mulDivUp(x, WAD, y); // Equivalent to (x * WAD) / y rounded up. } /*////////////////////////////////////////////////////////////// LOW LEVEL FIXED POINT OPERATIONS //////////////////////////////////////////////////////////////*/ function mulDivDown( uint256 x, uint256 y, uint256 denominator ) internal pure returns (uint256 z) { assembly { // Store x * y in z for now. z := mul(x, y) // Equivalent to require(denominator != 0 && (x == 0 || (x * y) / x == y)) if iszero(and(iszero(iszero(denominator)), or(iszero(x), eq(div(z, x), y)))) { revert(0, 0) } // Divide z by the denominator. z := div(z, denominator) } } function mulDivUp( uint256 x, uint256 y, uint256 denominator ) internal pure returns (uint256 z) { assembly { // Store x * y in z for now. z := mul(x, y) // Equivalent to require(denominator != 0 && (x == 0 || (x * y) / x == y)) if iszero(and(iszero(iszero(denominator)), or(iszero(x), eq(div(z, x), y)))) { revert(0, 0) } // First, divide z - 1 by the denominator and add 1. // We allow z - 1 to underflow if z is 0, because we multiply the // end result by 0 if z is zero, ensuring we return 0 if z is zero. z := mul(iszero(iszero(z)), add(div(sub(z, 1), denominator), 1)) } } function rpow( uint256 x, uint256 n, uint256 scalar ) internal pure returns (uint256 z) { assembly { switch x case 0 { switch n case 0 { // 0 ** 0 = 1 z := scalar } default { // 0 ** n = 0 z := 0 } } default { switch mod(n, 2) case 0 { // If n is even, store scalar in z for now. z := scalar } default { // If n is odd, store x in z for now. z := x } // Shifting right by 1 is like dividing by 2. let half := shr(1, scalar) for { // Shift n right by 1 before looping to halve it. n := shr(1, n) } n { // Shift n right by 1 each iteration to halve it. n := shr(1, n) } { // Revert immediately if x ** 2 would overflow. // Equivalent to iszero(eq(div(xx, x), x)) here. if shr(128, x) { revert(0, 0) } // Store x squared. let xx := mul(x, x) // Round to the nearest number. let xxRound := add(xx, half) // Revert if xx + half overflowed. if lt(xxRound, xx) { revert(0, 0) } // Set x to scaled xxRound. x := div(xxRound, scalar) // If n is even: if mod(n, 2) { // Compute z * x. let zx := mul(z, x) // If z * x overflowed: if iszero(eq(div(zx, x), z)) { // Revert if x is non-zero. if iszero(iszero(x)) { revert(0, 0) } } // Round to the nearest number. let zxRound := add(zx, half) // Revert if zx + half overflowed. if lt(zxRound, zx) { revert(0, 0) } // Return properly scaled zxRound. z := div(zxRound, scalar) } } } } } /*////////////////////////////////////////////////////////////// GENERAL NUMBER UTILITIES //////////////////////////////////////////////////////////////*/ function sqrt(uint256 x) internal pure returns (uint256 z) { assembly { // Start off with z at 1. z := 1 // Used below to help find a nearby power of 2. let y := x // Find the lowest power of 2 that is at least sqrt(x). if iszero(lt(y, 0x100000000000000000000000000000000)) { y := shr(128, y) // Like dividing by 2 ** 128. z := shl(64, z) // Like multiplying by 2 ** 64. } if iszero(lt(y, 0x10000000000000000)) { y := shr(64, y) // Like dividing by 2 ** 64. z := shl(32, z) // Like multiplying by 2 ** 32. } if iszero(lt(y, 0x100000000)) { y := shr(32, y) // Like dividing by 2 ** 32. z := shl(16, z) // Like multiplying by 2 ** 16. } if iszero(lt(y, 0x10000)) { y := shr(16, y) // Like dividing by 2 ** 16. z := shl(8, z) // Like multiplying by 2 ** 8. } if iszero(lt(y, 0x100)) { y := shr(8, y) // Like dividing by 2 ** 8. z := shl(4, z) // Like multiplying by 2 ** 4. } if iszero(lt(y, 0x10)) { y := shr(4, y) // Like dividing by 2 ** 4. z := shl(2, z) // Like multiplying by 2 ** 2. } if iszero(lt(y, 0x8)) { // Equivalent to 2 ** z. z := shl(1, z) } // Shifting right by 1 is like dividing by 2. z := shr(1, add(z, div(x, z))) z := shr(1, add(z, div(x, z))) z := shr(1, add(z, div(x, z))) z := shr(1, add(z, div(x, z))) z := shr(1, add(z, div(x, z))) z := shr(1, add(z, div(x, z))) z := shr(1, add(z, div(x, z))) // Compute a rounded down version of z. let zRoundDown := div(x, z) // If zRoundDown is smaller, use it. if lt(zRoundDown, z) { z := zRoundDown } } } }
// SPDX-License-Identifier: AGPL-3.0 pragma solidity ^0.8.0; import {IPoolAddressesProvider} from './IPoolAddressesProvider.sol'; import {DataTypes} from '../protocol/libraries/types/DataTypes.sol'; /** * @title IPool * @author Aave * @notice Defines the basic interface for an Aave Pool. */ interface IPool { /** * @dev Emitted on mintUnbacked() * @param reserve The address of the underlying asset of the reserve * @param user The address initiating the supply * @param onBehalfOf The beneficiary of the supplied assets, receiving the aTokens * @param amount The amount of supplied assets * @param referralCode The referral code used */ event MintUnbacked( address indexed reserve, address user, address indexed onBehalfOf, uint256 amount, uint16 indexed referralCode ); /** * @dev Emitted on backUnbacked() * @param reserve The address of the underlying asset of the reserve * @param backer The address paying for the backing * @param amount The amount added as backing * @param fee The amount paid in fees */ event BackUnbacked(address indexed reserve, address indexed backer, uint256 amount, uint256 fee); /** * @dev Emitted on supply() * @param reserve The address of the underlying asset of the reserve * @param user The address initiating the supply * @param onBehalfOf The beneficiary of the supply, receiving the aTokens * @param amount The amount supplied * @param referralCode The referral code used */ event Supply( address indexed reserve, address user, address indexed onBehalfOf, uint256 amount, uint16 indexed referralCode ); /** * @dev Emitted on withdraw() * @param reserve The address of the underlying asset being withdrawn * @param user The address initiating the withdrawal, owner of aTokens * @param to The 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 interestRateMode The rate mode: 1 for Stable, 2 for Variable * @param borrowRate The numeric rate at which the user has borrowed, expressed in ray * @param referralCode The referral code used */ event Borrow( address indexed reserve, address user, address indexed onBehalfOf, uint256 amount, DataTypes.InterestRateMode interestRateMode, uint256 borrowRate, uint16 indexed referralCode ); /** * @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 * @param useATokens True if the repayment is done using aTokens, `false` if done with underlying asset directly */ event Repay( address indexed reserve, address indexed user, address indexed repayer, uint256 amount, bool useATokens ); /** * @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 interestRateMode The current interest rate mode of the position being swapped: 1 for Stable, 2 for Variable */ event SwapBorrowRateMode( address indexed reserve, address indexed user, DataTypes.InterestRateMode interestRateMode ); /** * @dev Emitted on borrow(), repay() and liquidationCall() when using isolated assets * @param asset The address of the underlying asset of the reserve * @param totalDebt The total isolation mode debt for the reserve */ event IsolationModeTotalDebtUpdated(address indexed asset, uint256 totalDebt); /** * @dev Emitted when the user selects a certain asset category for eMode * @param user The address of the user * @param categoryId The category id */ event UserEModeSet(address indexed user, uint8 categoryId); /** * @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 interestRateMode The flashloan mode: 0 for regular flashloan, 1 for Stable debt, 2 for Variable debt * @param premium The fee flash borrowed * @param referralCode The referral code used */ event FlashLoan( address indexed target, address initiator, address indexed asset, uint256 amount, DataTypes.InterestRateMode interestRateMode, uint256 premium, uint16 indexed referralCode ); /** * @dev Emitted when a borrower is liquidated. * @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 liquidator * @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. * @param reserve The address of the underlying asset of the reserve * @param liquidityRate The next liquidity rate * @param stableBorrowRate The next stable borrow rate * @param variableBorrowRate The next variable borrow rate * @param liquidityIndex The next liquidity index * @param variableBorrowIndex The next variable borrow index */ event ReserveDataUpdated( address indexed reserve, uint256 liquidityRate, uint256 stableBorrowRate, uint256 variableBorrowRate, uint256 liquidityIndex, uint256 variableBorrowIndex ); /** * @dev Emitted when the protocol treasury receives minted aTokens from the accrued interest. * @param reserve The address of the reserve * @param amountMinted The amount minted to the treasury */ event MintedToTreasury(address indexed reserve, uint256 amountMinted); /** * @notice Mints an `amount` of aTokens to the `onBehalfOf` * @param asset The address of the underlying asset to mint * @param amount The amount to mint * @param onBehalfOf The address that will receive the aTokens * @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 mintUnbacked( address asset, uint256 amount, address onBehalfOf, uint16 referralCode ) external; /** * @notice Back the current unbacked underlying with `amount` and pay `fee`. * @param asset The address of the underlying asset to back * @param amount The amount to back * @param fee The amount paid in fees * @return The backed amount */ function backUnbacked(address asset, uint256 amount, uint256 fee) external returns (uint256); /** * @notice Supplies an `amount` of underlying asset into the reserve, receiving in return overlying aTokens. * - E.g. User supplies 100 USDC and gets in return 100 aUSDC * @param asset The address of the underlying asset to supply * @param amount The amount to be supplied * @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 supply(address asset, uint256 amount, address onBehalfOf, uint16 referralCode) external; /** * @notice Supply with transfer approval of asset to be supplied done via permit function * see: https://eips.ethereum.org/EIPS/eip-2612 and https://eips.ethereum.org/EIPS/eip-713 * @param asset The address of the underlying asset to supply * @param amount The amount to be supplied * @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 deadline The deadline timestamp that the permit is valid * @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 permitV The V parameter of ERC712 permit sig * @param permitR The R parameter of ERC712 permit sig * @param permitS The S parameter of ERC712 permit sig */ function supplyWithPermit( address asset, uint256 amount, address onBehalfOf, uint16 referralCode, uint256 deadline, uint8 permitV, bytes32 permitR, bytes32 permitS ) external; /** * @notice 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 The 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); /** * @notice Allows users to borrow a specific `amount` of the reserve underlying asset, provided that the borrower * already supplied 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 The 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 The 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 interestRateMode The interest rate mode at of the debt the user wants to repay: 1 for Stable, 2 for Variable * @param onBehalfOf The 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 interestRateMode, address onBehalfOf ) external returns (uint256); /** * @notice Repay with transfer approval of asset to be repaid done via permit function * see: https://eips.ethereum.org/EIPS/eip-2612 and https://eips.ethereum.org/EIPS/eip-713 * @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 interestRateMode 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 * @param deadline The deadline timestamp that the permit is valid * @param permitV The V parameter of ERC712 permit sig * @param permitR The R parameter of ERC712 permit sig * @param permitS The S parameter of ERC712 permit sig * @return The final amount repaid */ function repayWithPermit( address asset, uint256 amount, uint256 interestRateMode, address onBehalfOf, uint256 deadline, uint8 permitV, bytes32 permitR, bytes32 permitS ) external returns (uint256); /** * @notice Repays a borrowed `amount` on a specific reserve using the reserve aTokens, burning the * equivalent debt tokens * - E.g. User repays 100 USDC using 100 aUSDC, burning 100 variable/stable debt tokens * @dev Passing uint256.max as amount will clean up any residual aToken dust balance, if the user aToken * balance is not enough to cover the whole debt * @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 interestRateMode The interest rate mode at of the debt the user wants to repay: 1 for Stable, 2 for Variable * @return The final amount repaid */ function repayWithATokens( address asset, uint256 amount, uint256 interestRateMode ) external returns (uint256); /** * @notice Allows a borrower to swap his debt between stable and variable mode, or vice versa * @param asset The address of the underlying asset borrowed * @param interestRateMode The current interest rate mode of the position being swapped: 1 for Stable, 2 for Variable */ function swapBorrowRateMode(address asset, uint256 interestRateMode) external; /** * @notice 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 supply APY is below REBALANCE_UP_THRESHOLD * maxVariableBorrowRate, which means that too * much has been borrowed at a stable rate and suppliers 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; /** * @notice Allows suppliers to enable/disable a specific supplied asset as collateral * @param asset The address of the underlying asset supplied * @param useAsCollateral True if the user wants to use the supply as collateral, false otherwise */ function setUserUseReserveAsCollateral(address asset, bool useAsCollateral) external; /** * @notice 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; /** * @notice Allows smartcontracts to access the liquidity of the pool within one transaction, * as long as the amount taken plus a fee is returned. * @dev IMPORTANT There are security concerns for developers of flashloan receiver contracts that must be kept * into consideration. For further details please visit https://docs.aave.com/developers/ * @param receiverAddress The address of the contract receiving the funds, implementing IFlashLoanReceiver interface * @param assets The addresses of the assets being flash-borrowed * @param amounts The amounts of the assets being flash-borrowed * @param interestRateModes 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 The 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 interestRateModes, address onBehalfOf, bytes calldata params, uint16 referralCode ) external; /** * @notice Allows smartcontracts to access the liquidity of the pool within one transaction, * as long as the amount taken plus a fee is returned. * @dev IMPORTANT There are security concerns for developers of flashloan receiver contracts that must be kept * into consideration. For further details please visit https://docs.aave.com/developers/ * @param receiverAddress The address of the contract receiving the funds, implementing IFlashLoanSimpleReceiver interface * @param asset The address of the asset being flash-borrowed * @param amount The amount of the asset being flash-borrowed * @param params Variadic packed params to pass to the receiver as extra information * @param referralCode The 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 flashLoanSimple( address receiverAddress, address asset, uint256 amount, bytes calldata params, uint16 referralCode ) external; /** * @notice Returns the user account data across all the reserves * @param user The address of the user * @return totalCollateralBase The total collateral of the user in the base currency used by the price feed * @return totalDebtBase The total debt of the user in the base currency used by the price feed * @return availableBorrowsBase The borrowing power left of the user in the base currency used by the price feed * @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 totalCollateralBase, uint256 totalDebtBase, uint256 availableBorrowsBase, uint256 currentLiquidationThreshold, uint256 ltv, uint256 healthFactor ); /** * @notice Initializes a reserve, activating it, assigning an aToken and debt tokens and an * interest rate strategy * @dev Only callable by the PoolConfigurator contract * @param asset The address of the underlying asset of the reserve * @param aTokenAddress The address of the aToken that will be assigned to the reserve * @param stableDebtAddress The address of the StableDebtToken that will be assigned to the reserve * @param variableDebtAddress The address of the VariableDebtToken that will be assigned to the reserve * @param interestRateStrategyAddress The address of the interest rate strategy contract */ function initReserve( address asset, address aTokenAddress, address stableDebtAddress, address variableDebtAddress, address interestRateStrategyAddress ) external; /** * @notice Drop a reserve * @dev Only callable by the PoolConfigurator contract * @param asset The address of the underlying asset of the reserve */ function dropReserve(address asset) external; /** * @notice Updates the address of the interest rate strategy contract * @dev Only callable by the PoolConfigurator contract * @param asset The address of the underlying asset of the reserve * @param rateStrategyAddress The address of the interest rate strategy contract */ function setReserveInterestRateStrategyAddress( address asset, address rateStrategyAddress ) external; /** * @notice Sets the configuration bitmap of the reserve as a whole * @dev Only callable by the PoolConfigurator contract * @param asset The address of the underlying asset of the reserve * @param configuration The new configuration bitmap */ function setConfiguration( address asset, DataTypes.ReserveConfigurationMap calldata configuration ) external; /** * @notice 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); /** * @notice 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); /** * @notice Returns the 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); /** * @notice Returns the normalized variable debt per unit of asset * @dev WARNING: This function is intended to be used primarily by the protocol itself to get a * "dynamic" variable index based on time, current stored index and virtual rate at the current * moment (approx. a borrower would get if opening a position). This means that is always used in * combination with variable debt supply/balances. * If using this function externally, consider that is possible to have an increasing normalized * variable debt that is not equivalent to how the variable debt index would be updated in storage * (e.g. only updates with non-zero variable debt supply) * @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); /** * @notice Returns the state and configuration of the reserve * @param asset The address of the underlying asset of the reserve * @return The state and configuration data of the reserve */ function getReserveData(address asset) external view returns (DataTypes.ReserveData memory); /** * @notice Validates and finalizes an aToken transfer * @dev Only callable by the overlying aToken of the `asset` * @param asset The address of the underlying asset of the aToken * @param from The user from which the aTokens are transferred * @param to The user receiving the aTokens * @param amount The amount being transferred/withdrawn * @param balanceFromBefore The aToken balance of the `from` user before the transfer * @param balanceToBefore The aToken balance of the `to` user before the transfer */ function finalizeTransfer( address asset, address from, address to, uint256 amount, uint256 balanceFromBefore, uint256 balanceToBefore ) external; /** * @notice Returns the list of the underlying assets of all the initialized reserves * @dev It does not include dropped reserves * @return The addresses of the underlying assets of the initialized reserves */ function getReservesList() external view returns (address[] memory); /** * @notice Returns the address of the underlying asset of a reserve by the reserve id as stored in the DataTypes.ReserveData struct * @param id The id of the reserve as stored in the DataTypes.ReserveData struct * @return The address of the reserve associated with id */ function getReserveAddressById(uint16 id) external view returns (address); /** * @notice Returns the PoolAddressesProvider connected to this contract * @return The address of the PoolAddressesProvider */ function ADDRESSES_PROVIDER() external view returns (IPoolAddressesProvider); /** * @notice Updates the protocol fee on the bridging * @param bridgeProtocolFee The part of the premium sent to the protocol treasury */ function updateBridgeProtocolFee(uint256 bridgeProtocolFee) external; /** * @notice Updates flash loan premiums. Flash loan premium consists of two parts: * - A part is sent to aToken holders as extra, one time accumulated interest * - A part is collected by the protocol treasury * @dev The total premium is calculated on the total borrowed amount * @dev The premium to protocol is calculated on the total premium, being a percentage of `flashLoanPremiumTotal` * @dev Only callable by the PoolConfigurator contract * @param flashLoanPremiumTotal The total premium, expressed in bps * @param flashLoanPremiumToProtocol The part of the premium sent to the protocol treasury, expressed in bps */ function updateFlashloanPremiums( uint128 flashLoanPremiumTotal, uint128 flashLoanPremiumToProtocol ) external; /** * @notice Configures a new category for the eMode. * @dev In eMode, the protocol allows very high borrowing power to borrow assets of the same category. * The category 0 is reserved as it's the default for volatile assets * @param id The id of the category * @param config The configuration of the category */ function configureEModeCategory(uint8 id, DataTypes.EModeCategory memory config) external; /** * @notice Returns the data of an eMode category * @param id The id of the category * @return The configuration data of the category */ function getEModeCategoryData(uint8 id) external view returns (DataTypes.EModeCategory memory); /** * @notice Allows a user to use the protocol in eMode * @param categoryId The id of the category */ function setUserEMode(uint8 categoryId) external; /** * @notice Returns the eMode the user is using * @param user The address of the user * @return The eMode id */ function getUserEMode(address user) external view returns (uint256); /** * @notice Resets the isolation mode total debt of the given asset to zero * @dev It requires the given asset has zero debt ceiling * @param asset The address of the underlying asset to reset the isolationModeTotalDebt */ function resetIsolationModeTotalDebt(address asset) external; /** * @notice Returns the percentage of available liquidity that can be borrowed at once at stable rate * @return The percentage of available liquidity to borrow, expressed in bps */ function MAX_STABLE_RATE_BORROW_SIZE_PERCENT() external view returns (uint256); /** * @notice Returns the total fee on flash loans * @return The total fee on flashloans */ function FLASHLOAN_PREMIUM_TOTAL() external view returns (uint128); /** * @notice Returns the part of the bridge fees sent to protocol * @return The bridge fee sent to the protocol treasury */ function BRIDGE_PROTOCOL_FEE() external view returns (uint256); /** * @notice Returns the part of the flashloan fees sent to protocol * @return The flashloan fee sent to the protocol treasury */ function FLASHLOAN_PREMIUM_TO_PROTOCOL() external view returns (uint128); /** * @notice Returns the maximum number of reserves supported to be listed in this Pool * @return The maximum number of reserves supported */ function MAX_NUMBER_RESERVES() external view returns (uint16); /** * @notice Mints the assets accrued through the reserve factor to the treasury in the form of aTokens * @param assets The list of reserves for which the minting needs to be executed */ function mintToTreasury(address[] calldata assets) external; /** * @notice Rescue and transfer tokens locked in this contract * @param token The address of the token * @param to The address of the recipient * @param amount The amount of token to transfer */ function rescueTokens(address token, address to, uint256 amount) external; /** * @notice Supplies an `amount` of underlying asset into the reserve, receiving in return overlying aTokens. * - E.g. User supplies 100 USDC and gets in return 100 aUSDC * @dev Deprecated: Use the `supply` function instead * @param asset The address of the underlying asset to supply * @param amount The amount to be supplied * @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; }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {AccessControl} from "@openzeppelin/contracts/access/AccessControl.sol"; import {AffineVault} from "src/vaults/AffineVault.sol"; import {BaseStrategy} from "./BaseStrategy.sol"; import {uncheckedInc} from "src/libs/Unchecked.sol"; contract AccessStrategy is BaseStrategy, AccessControl { bytes32 public constant STRATEGIST_ROLE = keccak256("STRATEGIST"); constructor(AffineVault _vault, address[] memory strategists) BaseStrategy(_vault) { // Governance is admin _grantRole(DEFAULT_ADMIN_ROLE, vault.governance()); _grantRole(STRATEGIST_ROLE, vault.governance()); // Give STRATEGIST_ROLE to every address in list for (uint256 i = 0; i < strategists.length; i = uncheckedInc(i)) { _grantRole(STRATEGIST_ROLE, strategists[i]); } } function totalLockedValue() external virtual override returns (uint256) { return 0; } }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {IFlashLoanRecipient} from "src/interfaces/balancer/IFlashLoanRecipient.sol"; import {IBalancerVault} from "src/interfaces/balancer/IBalancerVault.sol";
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {ERC20} from "solmate/src/tokens/ERC20.sol"; abstract contract IWSTETH is ERC20 { function unwrap(uint256 _wstETHAmount) external virtual returns (uint256); function wrap(uint256 _stETHAmount) external virtual returns (uint256); function getStETHByWstETH(uint256 _wstETHAmount) external view virtual returns (uint256); function getWstETHByStETH(uint256 _stETHAmount) external view virtual returns (uint256); function stEthPerToken() external view virtual returns (uint256); function tokensPerStEth() external view virtual returns (uint256); }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; // See https://curve.readthedocs.io/exchange-deposits.html#curve-stableswap-exchange-deposit-contracts /* solhint-disable func-name-mixedcase, var-name-mixedcase */ interface ICurvePool { function lp_token() external view returns (address); function add_liquidity(uint256[2] memory depositAmounts, uint256 minMintAmount) external payable returns (uint256); function remove_liquidity_one_coin(uint256 _burn_amount, int128 i, uint256 _min_amount) external returns (uint256); function remove_liquidity_imbalance(uint256[2] memory _amounts, uint256 _max_burn_amount) external returns (uint256); function calc_withdraw_one_coin(uint256 _token_amount, int128 i) external view returns (uint256); function get_virtual_price() external view returns (uint256); function exchange(int128 x, int128 y, uint256 dx, uint256 min_dy) external returns (uint256); // `uint` is used on base function exchange(uint256 x, uint256 y, uint256 dx, uint256 min_dy) external returns (uint256); } /* solhint-disable func-name-mixedcase, var-name-mixedcase */
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; interface AggregatorV3Interface { function decimals() external view returns (uint8); function description() external view returns (string memory); function version() external view returns (uint256); // getRoundData and latestRoundData should both raise "No data present" // if they do not have data to report, instead of returning unset values // which could be misinterpreted as actual reported values. function getRoundData(uint80 _roundId) external view returns (uint80 roundId, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound); function latestRoundData() external view returns (uint80 roundId, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound); }
// SPDX-License-Identifier: MIT pragma solidity =0.8.16; import {FixedPointMathLib} from "solmate/src/utils/FixedPointMathLib.sol"; library SlippageUtils { using FixedPointMathLib for uint256; uint256 constant MAX_BPS = 10_000; function slippageUp(uint256 amount, uint256 slippageBps) internal pure returns (uint256) { return amount.mulDivDown(MAX_BPS + slippageBps, MAX_BPS); } function slippageDown(uint256 amount, uint256 slippageBps) internal pure returns (uint256) { return amount.mulDivUp(MAX_BPS - slippageBps, MAX_BPS); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (access/IAccessControl.sol) pragma solidity ^0.8.0; /** * @dev External interface of AccessControl declared to support ERC165 detection. */ interface IAccessControlUpgradeable { /** * @dev Emitted when `newAdminRole` is set as ``role``'s admin role, replacing `previousAdminRole` * * `DEFAULT_ADMIN_ROLE` is the starting admin for all roles, despite * {RoleAdminChanged} not being emitted signaling this. * * _Available since v3.1._ */ event RoleAdminChanged(bytes32 indexed role, bytes32 indexed previousAdminRole, bytes32 indexed newAdminRole); /** * @dev Emitted when `account` is granted `role`. * * `sender` is the account that originated the contract call, an admin role * bearer except when using {AccessControl-_setupRole}. */ event RoleGranted(bytes32 indexed role, address indexed account, address indexed sender); /** * @dev Emitted when `account` is revoked `role`. * * `sender` is the account that originated the contract call: * - if using `revokeRole`, it is the admin role bearer * - if using `renounceRole`, it is the role bearer (i.e. `account`) */ event RoleRevoked(bytes32 indexed role, address indexed account, address indexed sender); /** * @dev Returns `true` if `account` has been granted `role`. */ function hasRole(bytes32 role, address account) external view returns (bool); /** * @dev Returns the admin role that controls `role`. See {grantRole} and * {revokeRole}. * * To change a role's admin, use {AccessControl-_setRoleAdmin}. */ function getRoleAdmin(bytes32 role) external view returns (bytes32); /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. * * Requirements: * * - the caller must have ``role``'s admin role. */ function grantRole(bytes32 role, address account) external; /** * @dev Revokes `role` from `account`. * * If `account` had been granted `role`, emits a {RoleRevoked} event. * * Requirements: * * - the caller must have ``role``'s admin role. */ function revokeRole(bytes32 role, address account) external; /** * @dev Revokes `role` from the calling account. * * Roles are often managed via {grantRole} and {revokeRole}: this function's * purpose is to provide a mechanism for accounts to lose their privileges * if they are compromised (such as when a trusted device is misplaced). * * If the calling account had been granted `role`, emits a {RoleRevoked} * event. * * Requirements: * * - the caller must be `account`. */ function renounceRole(bytes32 role, address account) external; }
// 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.7.0) (utils/Strings.sol) pragma solidity ^0.8.0; /** * @dev String operations. */ library StringsUpgradeable { bytes16 private constant _HEX_SYMBOLS = "0123456789abcdef"; uint8 private constant _ADDRESS_LENGTH = 20; /** * @dev Converts a `uint256` to its ASCII `string` decimal representation. */ function toString(uint256 value) internal pure returns (string memory) { // Inspired by OraclizeAPI's implementation - MIT licence // https://github.com/oraclize/ethereum-api/blob/b42146b063c7d6ee1358846c198246239e9360e8/oraclizeAPI_0.4.25.sol if (value == 0) { return "0"; } uint256 temp = value; uint256 digits; while (temp != 0) { digits++; temp /= 10; } bytes memory buffer = new bytes(digits); while (value != 0) { digits -= 1; buffer[digits] = bytes1(uint8(48 + uint256(value % 10))); value /= 10; } return string(buffer); } /** * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation. */ function toHexString(uint256 value) internal pure returns (string memory) { if (value == 0) { return "0x00"; } uint256 temp = value; uint256 length = 0; while (temp != 0) { length++; temp >>= 8; } return toHexString(value, length); } /** * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation with fixed length. */ function toHexString(uint256 value, uint256 length) internal pure returns (string memory) { bytes memory buffer = new bytes(2 * length + 2); buffer[0] = "0"; buffer[1] = "x"; for (uint256 i = 2 * length + 1; i > 1; --i) { buffer[i] = _HEX_SYMBOLS[value & 0xf]; value >>= 4; } require(value == 0, "Strings: hex length insufficient"); return string(buffer); } /** * @dev Converts an `address` with fixed length of 20 bytes to its not checksummed ASCII `string` hexadecimal representation. */ function toHexString(address addr) internal pure returns (string memory) { return toHexString(uint256(uint160(addr)), _ADDRESS_LENGTH); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/ERC165.sol) pragma solidity ^0.8.0; import "./IERC165Upgradeable.sol"; import "../../proxy/utils/Initializable.sol"; /** * @dev Implementation of the {IERC165} interface. * * Contracts that want to implement ERC165 should inherit from this contract and override {supportsInterface} to check * for the additional interface id that will be supported. For example: * * ```solidity * function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { * return interfaceId == type(MyInterface).interfaceId || super.supportsInterface(interfaceId); * } * ``` * * Alternatively, {ERC165Storage} provides an easier to use but more expensive implementation. */ abstract contract ERC165Upgradeable is Initializable, IERC165Upgradeable { function __ERC165_init() internal onlyInitializing { } function __ERC165_init_unchained() internal onlyInitializing { } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IERC165Upgradeable).interfaceId; } /** * @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.7.0) (proxy/utils/Initializable.sol) pragma solidity ^0.8.2; 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. * * The initialization functions use a version number. Once a version number is used, it is consumed and cannot be * reused. This mechanism prevents re-execution of each "step" but allows the creation of new initialization steps in * case an upgrade adds a module that needs to be initialized. * * For example: * * [.hljs-theme-light.nopadding] * ``` * contract MyToken is ERC20Upgradeable { * function initialize() initializer public { * __ERC20_init("MyToken", "MTK"); * } * } * contract MyTokenV2 is MyToken, ERC20PermitUpgradeable { * function initializeV2() reinitializer(2) public { * __ERC20Permit_init("MyToken"); * } * } * ``` * * 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 prevent the implementation contract from being used, you should invoke * the {_disableInitializers} function in the constructor to automatically lock it when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() { * _disableInitializers(); * } * ``` * ==== */ abstract contract Initializable { /** * @dev Indicates that the contract has been initialized. * @custom:oz-retyped-from bool */ uint8 private _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private _initializing; /** * @dev Triggered when the contract has been initialized or reinitialized. */ event Initialized(uint8 version); /** * @dev A modifier that defines a protected initializer function that can be invoked at most once. In its scope, * `onlyInitializing` functions can be used to initialize parent contracts. Equivalent to `reinitializer(1)`. */ modifier initializer() { bool isTopLevelCall = !_initializing; require( (isTopLevelCall && _initialized < 1) || (!AddressUpgradeable.isContract(address(this)) && _initialized == 1), "Initializable: contract is already initialized" ); _initialized = 1; if (isTopLevelCall) { _initializing = true; } _; if (isTopLevelCall) { _initializing = false; emit Initialized(1); } } /** * @dev A modifier that defines a protected reinitializer function that can be invoked at most once, and only if the * contract hasn't been initialized to a greater version before. In its scope, `onlyInitializing` functions can be * used to initialize parent contracts. * * `initializer` is equivalent to `reinitializer(1)`, so a reinitializer may be used after the original * initialization step. This is essential to configure modules that are added through upgrades and that require * initialization. * * Note that versions can jump in increments greater than 1; this implies that if multiple reinitializers coexist in * a contract, executing them in the right order is up to the developer or operator. */ modifier reinitializer(uint8 version) { require(!_initializing && _initialized < version, "Initializable: contract is already initialized"); _initialized = version; _initializing = true; _; _initializing = false; emit Initialized(version); } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} and {reinitializer} modifiers, directly or indirectly. */ modifier onlyInitializing() { require(_initializing, "Initializable: contract is not initializing"); _; } /** * @dev Locks the contract, preventing any future reinitialization. This cannot be part of an initializer call. * Calling this in the constructor of a contract will prevent that contract from being initialized or reinitialized * to any version. It is recommended to use this to lock implementation contracts that are designed to be called * through proxies. */ function _disableInitializers() internal virtual { require(!_initializing, "Initializable: contract is initializing"); if (_initialized < type(uint8).max) { _initialized = type(uint8).max; emit Initialized(type(uint8).max); } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.0) (utils/Strings.sol) pragma solidity ^0.8.0; /** * @dev String operations. */ library Strings { bytes16 private constant _HEX_SYMBOLS = "0123456789abcdef"; uint8 private constant _ADDRESS_LENGTH = 20; /** * @dev Converts a `uint256` to its ASCII `string` decimal representation. */ function toString(uint256 value) internal pure returns (string memory) { // Inspired by OraclizeAPI's implementation - MIT licence // https://github.com/oraclize/ethereum-api/blob/b42146b063c7d6ee1358846c198246239e9360e8/oraclizeAPI_0.4.25.sol if (value == 0) { return "0"; } uint256 temp = value; uint256 digits; while (temp != 0) { digits++; temp /= 10; } bytes memory buffer = new bytes(digits); while (value != 0) { digits -= 1; buffer[digits] = bytes1(uint8(48 + uint256(value % 10))); value /= 10; } return string(buffer); } /** * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation. */ function toHexString(uint256 value) internal pure returns (string memory) { if (value == 0) { return "0x00"; } uint256 temp = value; uint256 length = 0; while (temp != 0) { length++; temp >>= 8; } return toHexString(value, length); } /** * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation with fixed length. */ function toHexString(uint256 value, uint256 length) internal pure returns (string memory) { bytes memory buffer = new bytes(2 * length + 2); buffer[0] = "0"; buffer[1] = "x"; for (uint256 i = 2 * length + 1; i > 1; --i) { buffer[i] = _HEX_SYMBOLS[value & 0xf]; value >>= 4; } require(value == 0, "Strings: hex length insufficient"); return string(buffer); } /** * @dev Converts an `address` with fixed length of 20 bytes to its not checksummed ASCII `string` hexadecimal representation. */ function toHexString(address addr) internal pure returns (string memory) { return toHexString(uint256(uint160(addr)), _ADDRESS_LENGTH); } }
// SPDX-License-Identifier: AGPL-3.0 pragma solidity ^0.8.0; /** * @title IPoolAddressesProvider * @author Aave * @notice Defines the basic interface for a Pool Addresses Provider. */ interface IPoolAddressesProvider { /** * @dev Emitted when the market identifier is updated. * @param oldMarketId The old id of the market * @param newMarketId The new id of the market */ event MarketIdSet(string indexed oldMarketId, string indexed newMarketId); /** * @dev Emitted when the pool is updated. * @param oldAddress The old address of the Pool * @param newAddress The new address of the Pool */ event PoolUpdated(address indexed oldAddress, address indexed newAddress); /** * @dev Emitted when the pool configurator is updated. * @param oldAddress The old address of the PoolConfigurator * @param newAddress The new address of the PoolConfigurator */ event PoolConfiguratorUpdated(address indexed oldAddress, address indexed newAddress); /** * @dev Emitted when the price oracle is updated. * @param oldAddress The old address of the PriceOracle * @param newAddress The new address of the PriceOracle */ event PriceOracleUpdated(address indexed oldAddress, address indexed newAddress); /** * @dev Emitted when the ACL manager is updated. * @param oldAddress The old address of the ACLManager * @param newAddress The new address of the ACLManager */ event ACLManagerUpdated(address indexed oldAddress, address indexed newAddress); /** * @dev Emitted when the ACL admin is updated. * @param oldAddress The old address of the ACLAdmin * @param newAddress The new address of the ACLAdmin */ event ACLAdminUpdated(address indexed oldAddress, address indexed newAddress); /** * @dev Emitted when the price oracle sentinel is updated. * @param oldAddress The old address of the PriceOracleSentinel * @param newAddress The new address of the PriceOracleSentinel */ event PriceOracleSentinelUpdated(address indexed oldAddress, address indexed newAddress); /** * @dev Emitted when the pool data provider is updated. * @param oldAddress The old address of the PoolDataProvider * @param newAddress The new address of the PoolDataProvider */ event PoolDataProviderUpdated(address indexed oldAddress, address indexed newAddress); /** * @dev Emitted when a new proxy is created. * @param id The identifier of the proxy * @param proxyAddress The address of the created proxy contract * @param implementationAddress The address of the implementation contract */ event ProxyCreated( bytes32 indexed id, address indexed proxyAddress, address indexed implementationAddress ); /** * @dev Emitted when a new non-proxied contract address is registered. * @param id The identifier of the contract * @param oldAddress The address of the old contract * @param newAddress The address of the new contract */ event AddressSet(bytes32 indexed id, address indexed oldAddress, address indexed newAddress); /** * @dev Emitted when the implementation of the proxy registered with id is updated * @param id The identifier of the contract * @param proxyAddress The address of the proxy contract * @param oldImplementationAddress The address of the old implementation contract * @param newImplementationAddress The address of the new implementation contract */ event AddressSetAsProxy( bytes32 indexed id, address indexed proxyAddress, address oldImplementationAddress, address indexed newImplementationAddress ); /** * @notice Returns the id of the Aave market to which this contract points to. * @return The market id */ function getMarketId() external view returns (string memory); /** * @notice Associates an id with a specific PoolAddressesProvider. * @dev This can be used to create an onchain registry of PoolAddressesProviders to * identify and validate multiple Aave markets. * @param newMarketId The market id */ function setMarketId(string calldata newMarketId) external; /** * @notice Returns an address by its identifier. * @dev The returned address might be an EOA or a contract, potentially proxied * @dev It returns ZERO if there is no registered address with the given id * @param id The id * @return The address of the registered for the specified id */ function getAddress(bytes32 id) external view returns (address); /** * @notice General function to update the implementation of a proxy registered with * certain `id`. If there is no proxy registered, it will instantiate one and * set as implementation the `newImplementationAddress`. * @dev IMPORTANT Use this function carefully, only for ids that don't have an explicit * setter function, in order to avoid unexpected consequences * @param id The id * @param newImplementationAddress The address of the new implementation */ function setAddressAsProxy(bytes32 id, address newImplementationAddress) external; /** * @notice Sets an address for an id replacing the address saved in the addresses map. * @dev IMPORTANT Use this function carefully, as it will do a hard replacement * @param id The id * @param newAddress The address to set */ function setAddress(bytes32 id, address newAddress) external; /** * @notice Returns the address of the Pool proxy. * @return The Pool proxy address */ function getPool() external view returns (address); /** * @notice Updates the implementation of the Pool, or creates a proxy * setting the new `pool` implementation when the function is called for the first time. * @param newPoolImpl The new Pool implementation */ function setPoolImpl(address newPoolImpl) external; /** * @notice Returns the address of the PoolConfigurator proxy. * @return The PoolConfigurator proxy address */ function getPoolConfigurator() external view returns (address); /** * @notice Updates the implementation of the PoolConfigurator, or creates a proxy * setting the new `PoolConfigurator` implementation when the function is called for the first time. * @param newPoolConfiguratorImpl The new PoolConfigurator implementation */ function setPoolConfiguratorImpl(address newPoolConfiguratorImpl) external; /** * @notice Returns the address of the price oracle. * @return The address of the PriceOracle */ function getPriceOracle() external view returns (address); /** * @notice Updates the address of the price oracle. * @param newPriceOracle The address of the new PriceOracle */ function setPriceOracle(address newPriceOracle) external; /** * @notice Returns the address of the ACL manager. * @return The address of the ACLManager */ function getACLManager() external view returns (address); /** * @notice Updates the address of the ACL manager. * @param newAclManager The address of the new ACLManager */ function setACLManager(address newAclManager) external; /** * @notice Returns the address of the ACL admin. * @return The address of the ACL admin */ function getACLAdmin() external view returns (address); /** * @notice Updates the address of the ACL admin. * @param newAclAdmin The address of the new ACL admin */ function setACLAdmin(address newAclAdmin) external; /** * @notice Returns the address of the price oracle sentinel. * @return The address of the PriceOracleSentinel */ function getPriceOracleSentinel() external view returns (address); /** * @notice Updates the address of the price oracle sentinel. * @param newPriceOracleSentinel The address of the new PriceOracleSentinel */ function setPriceOracleSentinel(address newPriceOracleSentinel) external; /** * @notice Returns the address of the data provider. * @return The address of the DataProvider */ function getPoolDataProvider() external view returns (address); /** * @notice Updates the address of the data provider. * @param newDataProvider The address of the new DataProvider */ function setPoolDataProvider(address newDataProvider) external; }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity ^0.8.0; library DataTypes { struct ReserveData { //stores the reserve configuration ReserveConfigurationMap configuration; //the liquidity index. Expressed in ray uint128 liquidityIndex; //the current supply rate. Expressed in ray uint128 currentLiquidityRate; //variable borrow index. Expressed in ray uint128 variableBorrowIndex; //the current variable borrow rate. Expressed in ray uint128 currentVariableBorrowRate; //the current stable borrow rate. Expressed in ray uint128 currentStableBorrowRate; //timestamp of last update uint40 lastUpdateTimestamp; //the id of the reserve. Represents the position in the list of the active reserves uint16 id; //aToken address address aTokenAddress; //stableDebtToken address address stableDebtTokenAddress; //variableDebtToken address address variableDebtTokenAddress; //address of the interest rate strategy address interestRateStrategyAddress; //the current treasury balance, scaled uint128 accruedToTreasury; //the outstanding unbacked aTokens minted through the bridging feature uint128 unbacked; //the outstanding debt borrowed against this asset in isolation mode uint128 isolationModeTotalDebt; } 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: asset is paused //bit 61: borrowing in isolation mode is enabled //bit 62-63: reserved //bit 64-79: reserve factor //bit 80-115 borrow cap in whole tokens, borrowCap == 0 => no cap //bit 116-151 supply cap in whole tokens, supplyCap == 0 => no cap //bit 152-167 liquidation protocol fee //bit 168-175 eMode category //bit 176-211 unbacked mint cap in whole tokens, unbackedMintCap == 0 => minting disabled //bit 212-251 debt ceiling for isolation mode with (ReserveConfiguration::DEBT_CEILING_DECIMALS) decimals //bit 252-255 unused uint256 data; } struct UserConfigurationMap { /** * @dev Bitmap of the users collaterals and borrows. It is divided in pairs of bits, one pair per asset. * The first bit indicates if an asset is used as collateral by the user, the second whether an * asset is borrowed by the user. */ uint256 data; } struct EModeCategory { // each eMode category has a custom ltv and liquidation threshold uint16 ltv; uint16 liquidationThreshold; uint16 liquidationBonus; // each eMode category may or may not have a custom oracle to override the individual assets price oracles address priceSource; string label; } enum InterestRateMode {NONE, STABLE, VARIABLE} struct ReserveCache { uint256 currScaledVariableDebt; uint256 nextScaledVariableDebt; uint256 currPrincipalStableDebt; uint256 currAvgStableBorrowRate; uint256 currTotalStableDebt; uint256 nextAvgStableBorrowRate; uint256 nextTotalStableDebt; uint256 currLiquidityIndex; uint256 nextLiquidityIndex; uint256 currVariableBorrowIndex; uint256 nextVariableBorrowIndex; uint256 currLiquidityRate; uint256 currVariableBorrowRate; uint256 reserveFactor; ReserveConfigurationMap reserveConfiguration; address aTokenAddress; address stableDebtTokenAddress; address variableDebtTokenAddress; uint40 reserveLastUpdateTimestamp; uint40 stableDebtLastUpdateTimestamp; } struct ExecuteLiquidationCallParams { uint256 reservesCount; uint256 debtToCover; address collateralAsset; address debtAsset; address user; bool receiveAToken; address priceOracle; uint8 userEModeCategory; address priceOracleSentinel; } struct ExecuteSupplyParams { address asset; uint256 amount; address onBehalfOf; uint16 referralCode; } struct ExecuteBorrowParams { address asset; address user; address onBehalfOf; uint256 amount; InterestRateMode interestRateMode; uint16 referralCode; bool releaseUnderlying; uint256 maxStableRateBorrowSizePercent; uint256 reservesCount; address oracle; uint8 userEModeCategory; address priceOracleSentinel; } struct ExecuteRepayParams { address asset; uint256 amount; InterestRateMode interestRateMode; address onBehalfOf; bool useATokens; } struct ExecuteWithdrawParams { address asset; uint256 amount; address to; uint256 reservesCount; address oracle; uint8 userEModeCategory; } struct ExecuteSetUserEModeParams { uint256 reservesCount; address oracle; uint8 categoryId; } struct FinalizeTransferParams { address asset; address from; address to; uint256 amount; uint256 balanceFromBefore; uint256 balanceToBefore; uint256 reservesCount; address oracle; uint8 fromEModeCategory; } struct FlashloanParams { address receiverAddress; address[] assets; uint256[] amounts; uint256[] interestRateModes; address onBehalfOf; bytes params; uint16 referralCode; uint256 flashLoanPremiumToProtocol; uint256 flashLoanPremiumTotal; uint256 maxStableRateBorrowSizePercent; uint256 reservesCount; address addressesProvider; uint8 userEModeCategory; bool isAuthorizedFlashBorrower; } struct FlashloanSimpleParams { address receiverAddress; address asset; uint256 amount; bytes params; uint16 referralCode; uint256 flashLoanPremiumToProtocol; uint256 flashLoanPremiumTotal; } struct FlashLoanRepaymentParams { uint256 amount; uint256 totalPremium; uint256 flashLoanPremiumToProtocol; address asset; address receiverAddress; uint16 referralCode; } struct CalculateUserAccountDataParams { UserConfigurationMap userConfig; uint256 reservesCount; address user; address oracle; uint8 userEModeCategory; } struct ValidateBorrowParams { ReserveCache reserveCache; UserConfigurationMap userConfig; address asset; address userAddress; uint256 amount; InterestRateMode interestRateMode; uint256 maxStableLoanPercent; uint256 reservesCount; address oracle; uint8 userEModeCategory; address priceOracleSentinel; bool isolationModeActive; address isolationModeCollateralAddress; uint256 isolationModeDebtCeiling; } struct ValidateLiquidationCallParams { ReserveCache debtReserveCache; uint256 totalDebt; uint256 healthFactor; address priceOracleSentinel; } struct CalculateInterestRatesParams { uint256 unbacked; uint256 liquidityAdded; uint256 liquidityTaken; uint256 totalStableDebt; uint256 totalVariableDebt; uint256 averageStableBorrowRate; uint256 reserveFactor; address reserve; address aToken; } struct InitReserveParams { address asset; address aTokenAddress; address stableDebtAddress; address variableDebtAddress; address interestRateStrategyAddress; uint16 reservesCount; uint16 maxNumberReserves; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.0) (access/AccessControl.sol) pragma solidity ^0.8.0; import "./IAccessControl.sol"; import "../utils/Context.sol"; import "../utils/Strings.sol"; import "../utils/introspection/ERC165.sol"; /** * @dev Contract module that allows children to implement role-based access * control mechanisms. This is a lightweight version that doesn't allow enumerating role * members except through off-chain means by accessing the contract event logs. Some * applications may benefit from on-chain enumerability, for those cases see * {AccessControlEnumerable}. * * Roles are referred to by their `bytes32` identifier. These should be exposed * in the external API and be unique. The best way to achieve this is by * using `public constant` hash digests: * * ``` * bytes32 public constant MY_ROLE = keccak256("MY_ROLE"); * ``` * * Roles can be used to represent a set of permissions. To restrict access to a * function call, use {hasRole}: * * ``` * function foo() public { * require(hasRole(MY_ROLE, msg.sender)); * ... * } * ``` * * Roles can be granted and revoked dynamically via the {grantRole} and * {revokeRole} functions. Each role has an associated admin role, and only * accounts that have a role's admin role can call {grantRole} and {revokeRole}. * * By default, the admin role for all roles is `DEFAULT_ADMIN_ROLE`, which means * that only accounts with this role will be able to grant or revoke other * roles. More complex role relationships can be created by using * {_setRoleAdmin}. * * WARNING: The `DEFAULT_ADMIN_ROLE` is also its own admin: it has permission to * grant and revoke this role. Extra precautions should be taken to secure * accounts that have been granted it. */ abstract contract AccessControl is Context, IAccessControl, ERC165 { struct RoleData { mapping(address => bool) members; bytes32 adminRole; } mapping(bytes32 => RoleData) private _roles; bytes32 public constant DEFAULT_ADMIN_ROLE = 0x00; /** * @dev Modifier that checks that an account has a specific role. Reverts * with a standardized message including the required role. * * The format of the revert reason is given by the following regular expression: * * /^AccessControl: account (0x[0-9a-f]{40}) is missing role (0x[0-9a-f]{64})$/ * * _Available since v4.1._ */ modifier onlyRole(bytes32 role) { _checkRole(role); _; } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IAccessControl).interfaceId || super.supportsInterface(interfaceId); } /** * @dev Returns `true` if `account` has been granted `role`. */ function hasRole(bytes32 role, address account) public view virtual override returns (bool) { return _roles[role].members[account]; } /** * @dev Revert with a standard message if `_msgSender()` is missing `role`. * Overriding this function changes the behavior of the {onlyRole} modifier. * * Format of the revert message is described in {_checkRole}. * * _Available since v4.6._ */ function _checkRole(bytes32 role) internal view virtual { _checkRole(role, _msgSender()); } /** * @dev Revert with a standard message if `account` is missing `role`. * * The format of the revert reason is given by the following regular expression: * * /^AccessControl: account (0x[0-9a-f]{40}) is missing role (0x[0-9a-f]{64})$/ */ function _checkRole(bytes32 role, address account) internal view virtual { if (!hasRole(role, account)) { revert( string( abi.encodePacked( "AccessControl: account ", Strings.toHexString(uint160(account), 20), " is missing role ", Strings.toHexString(uint256(role), 32) ) ) ); } } /** * @dev Returns the admin role that controls `role`. See {grantRole} and * {revokeRole}. * * To change a role's admin, use {_setRoleAdmin}. */ function getRoleAdmin(bytes32 role) public view virtual override returns (bytes32) { return _roles[role].adminRole; } /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. * * Requirements: * * - the caller must have ``role``'s admin role. * * May emit a {RoleGranted} event. */ function grantRole(bytes32 role, address account) public virtual override onlyRole(getRoleAdmin(role)) { _grantRole(role, account); } /** * @dev Revokes `role` from `account`. * * If `account` had been granted `role`, emits a {RoleRevoked} event. * * Requirements: * * - the caller must have ``role``'s admin role. * * May emit a {RoleRevoked} event. */ function revokeRole(bytes32 role, address account) public virtual override onlyRole(getRoleAdmin(role)) { _revokeRole(role, account); } /** * @dev Revokes `role` from the calling account. * * Roles are often managed via {grantRole} and {revokeRole}: this function's * purpose is to provide a mechanism for accounts to lose their privileges * if they are compromised (such as when a trusted device is misplaced). * * If the calling account had been revoked `role`, emits a {RoleRevoked} * event. * * Requirements: * * - the caller must be `account`. * * May emit a {RoleRevoked} event. */ function renounceRole(bytes32 role, address account) public virtual override { require(account == _msgSender(), "AccessControl: can only renounce roles for self"); _revokeRole(role, account); } /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. Note that unlike {grantRole}, this function doesn't perform any * checks on the calling account. * * May emit a {RoleGranted} event. * * [WARNING] * ==== * This function should only be called from the constructor when setting * up the initial roles for the system. * * Using this function in any other way is effectively circumventing the admin * system imposed by {AccessControl}. * ==== * * NOTE: This function is deprecated in favor of {_grantRole}. */ function _setupRole(bytes32 role, address account) internal virtual { _grantRole(role, account); } /** * @dev Sets `adminRole` as ``role``'s admin role. * * Emits a {RoleAdminChanged} event. */ function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual { bytes32 previousAdminRole = getRoleAdmin(role); _roles[role].adminRole = adminRole; emit RoleAdminChanged(role, previousAdminRole, adminRole); } /** * @dev Grants `role` to `account`. * * Internal function without access restriction. * * May emit a {RoleGranted} event. */ function _grantRole(bytes32 role, address account) internal virtual { if (!hasRole(role, account)) { _roles[role].members[account] = true; emit RoleGranted(role, account, _msgSender()); } } /** * @dev Revokes `role` from `account`. * * Internal function without access restriction. * * May emit a {RoleRevoked} event. */ function _revokeRole(bytes32 role, address account) internal virtual { if (hasRole(role, account)) { _roles[role].members[account] = false; emit RoleRevoked(role, account, _msgSender()); } } }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {ERC20} from "solmate/src/tokens/ERC20.sol"; interface IFlashLoanRecipient { /** * @dev When `flashLoan` is called on the Vault, it invokes the `receiveFlashLoan` hook on the recipient. * * At the time of the call, the Vault will have transferred `amounts` for `tokens` to the recipient. Before this * call returns, the recipient must have transferred `amounts` plus `feeAmounts` for each token back to the * Vault, or else the entire flash loan will revert. * * `userData` is the same value passed in the `IVault.flashLoan` call. */ function receiveFlashLoan( ERC20[] memory tokens, uint256[] memory amounts, uint256[] memory feeAmounts, bytes memory userData ) external; }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity =0.8.16; import {ERC20} from "solmate/src/tokens/ERC20.sol"; import {IFlashLoanRecipient} from "./IFlashLoanRecipient.sol"; interface IBalancerVault { function flashLoan( IFlashLoanRecipient recipient, ERC20[] memory tokens, uint256[] memory amounts, bytes memory userData ) external; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/IERC165.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC165 standard, as defined in the * https://eips.ethereum.org/EIPS/eip-165[EIP]. * * Implementers can declare support of contract interfaces, which can then be * queried by others ({ERC165Checker}). * * For an implementation, see {ERC165}. */ interface IERC165Upgradeable { /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[EIP section] * to learn more about how these ids are created. * * This function call must use less than 30 000 gas. */ function supportsInterface(bytes4 interfaceId) external view returns (bool); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.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 /// @solidity memory-safe-assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (access/IAccessControl.sol) pragma solidity ^0.8.0; /** * @dev External interface of AccessControl declared to support ERC165 detection. */ interface IAccessControl { /** * @dev Emitted when `newAdminRole` is set as ``role``'s admin role, replacing `previousAdminRole` * * `DEFAULT_ADMIN_ROLE` is the starting admin for all roles, despite * {RoleAdminChanged} not being emitted signaling this. * * _Available since v3.1._ */ event RoleAdminChanged(bytes32 indexed role, bytes32 indexed previousAdminRole, bytes32 indexed newAdminRole); /** * @dev Emitted when `account` is granted `role`. * * `sender` is the account that originated the contract call, an admin role * bearer except when using {AccessControl-_setupRole}. */ event RoleGranted(bytes32 indexed role, address indexed account, address indexed sender); /** * @dev Emitted when `account` is revoked `role`. * * `sender` is the account that originated the contract call: * - if using `revokeRole`, it is the admin role bearer * - if using `renounceRole`, it is the role bearer (i.e. `account`) */ event RoleRevoked(bytes32 indexed role, address indexed account, address indexed sender); /** * @dev Returns `true` if `account` has been granted `role`. */ function hasRole(bytes32 role, address account) external view returns (bool); /** * @dev Returns the admin role that controls `role`. See {grantRole} and * {revokeRole}. * * To change a role's admin, use {AccessControl-_setRoleAdmin}. */ function getRoleAdmin(bytes32 role) external view returns (bytes32); /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. * * Requirements: * * - the caller must have ``role``'s admin role. */ function grantRole(bytes32 role, address account) external; /** * @dev Revokes `role` from `account`. * * If `account` had been granted `role`, emits a {RoleRevoked} event. * * Requirements: * * - the caller must have ``role``'s admin role. */ function revokeRole(bytes32 role, address account) external; /** * @dev Revokes `role` from the calling account. * * Roles are often managed via {grantRole} and {revokeRole}: this function's * purpose is to provide a mechanism for accounts to lose their privileges * if they are compromised (such as when a trusted device is misplaced). * * If the calling account had been granted `role`, emits a {RoleRevoked} * event. * * Requirements: * * - the caller must be `account`. */ function renounceRole(bytes32 role, address account) external; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Context.sol) pragma solidity ^0.8.0; /** * @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 Context { function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/ERC165.sol) pragma solidity ^0.8.0; import "./IERC165.sol"; /** * @dev Implementation of the {IERC165} interface. * * Contracts that want to implement ERC165 should inherit from this contract and override {supportsInterface} to check * for the additional interface id that will be supported. For example: * * ```solidity * function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { * return interfaceId == type(MyInterface).interfaceId || super.supportsInterface(interfaceId); * } * ``` * * Alternatively, {ERC165Storage} provides an easier to use but more expensive implementation. */ abstract contract ERC165 is IERC165 { /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IERC165).interfaceId; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/IERC165.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC165 standard, as defined in the * https://eips.ethereum.org/EIPS/eip-165[EIP]. * * Implementers can declare support of contract interfaces, which can then be * queried by others ({ERC165Checker}). * * For an implementation, see {ERC165}. */ interface IERC165 { /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[EIP section] * to learn more about how these ids are created. * * This function call must use less than 30 000 gas. */ function supportsInterface(bytes4 interfaceId) external view returns (bool); }
{ "remappings": [ "forge-std/=lib/forge-std/src/", "src/=src/", "script/=script/", "@aave/=node_modules/@aave/", "@chainlink/=node_modules/@chainlink/", "@eth-optimism/=node_modules/@eth-optimism/", "@opengsn/=node_modules/@opengsn/", "@openzeppelin/=node_modules/@openzeppelin/", "@uniswap/=node_modules/@uniswap/", "base64-sol/=node_modules/base64-sol/", "ds-test/=lib/forge-std/lib/ds-test/src/", "erc721a/=node_modules/erc721a/", "hardhat/=node_modules/hardhat/", "solady/=node_modules/solady/", "solmate/=node_modules/solmate/" ], "optimizer": { "enabled": true, "runs": 1 }, "metadata": { "useLiteralContent": false, "bytecodeHash": "ipfs" }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "evmVersion": "london", "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"inputs":[{"internalType":"contract AffineVault","name":"_vault","type":"address"},{"internalType":"address[]","name":"strategists","type":"address[]"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"NotAStrategy","type":"error"},{"inputs":[],"name":"onlyBalancerVault","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"bytes32","name":"previousAdminRole","type":"bytes32"},{"indexed":true,"internalType":"bytes32","name":"newAdminRole","type":"bytes32"}],"name":"RoleAdminChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":true,"internalType":"address","name":"sender","type":"address"}],"name":"RoleGranted","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":true,"internalType":"address","name":"sender","type":"address"}],"name":"RoleRevoked","type":"event"},{"inputs":[],"name":"AAVE","outputs":[{"internalType":"contract IPool","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"BALANCER","outputs":[{"internalType":"contract IBalancerVault","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"CURVE","outputs":[{"internalType":"contract ICurvePool","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"DEFAULT_ADMIN_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MAX_BPS","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"STETH","outputs":[{"internalType":"contract ERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"STRATEGIST_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"WETH","outputs":[{"internalType":"contract WETH","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"WSTETH","outputs":[{"internalType":"contract IWSTETH","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"aToken","outputs":[{"internalType":"contract ERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"asset","outputs":[{"internalType":"contract ERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"balanceOfAsset","outputs":[{"internalType":"uint256","name":"assets","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"borrowBps","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"wethAmount","type":"uint256"}],"name":"createAaveDebt","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"debtToken","outputs":[{"internalType":"contract ERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"divest","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"getLTVRatio","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"}],"name":"getRoleAdmin","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"grantRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"hasRole","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"invest","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"rebalance","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ERC20[]","name":"","type":"address[]"},{"internalType":"uint256[]","name":"amounts","type":"uint256[]"},{"internalType":"uint256[]","name":"","type":"uint256[]"},{"internalType":"bytes","name":"userData","type":"bytes"}],"name":"receiveFlashLoan","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"renounceRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"revokeRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_borrowBps","type":"uint256"}],"name":"setBorrowBps","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_slippageBps","type":"uint256"}],"name":"setSlippageBps","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"slippageBps","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes4","name":"interfaceId","type":"bytes4"}],"name":"supportsInterface","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ERC20","name":"token","type":"address"}],"name":"sweep","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"totalLockedValue","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract LidoLevV3","name":"newStrategy","type":"address"}],"name":"upgradeTo","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"vault","outputs":[{"internalType":"contract AffineVault","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"stateMutability":"payable","type":"receive"}]
Contract Creation Code
610100604052600a6001556123276002553480156200001d57600080fd5b50604051620039b9380380620039b98339810160408190526200004091620006c9565b8181818181806001600160a01b03166080816001600160a01b031681525050806001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156200009e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190620000c49190620007a0565b6001600160a01b031660a0816001600160a01b03168152505050620001536000801b6080516001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa15801562000127573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906200014d9190620007a0565b62000506565b620001a8600080516020620039798339815191526080516001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa15801562000127573d6000803e3d6000fd5b60005b8151811015620001fb57620001f260008051602062003979833981519152838381518110620001de57620001de620007c7565b60200260200101516200050660201b60201c565b600101620001ab565b5050506200024d73dc24316b9ae028f1497c275eb9192a3ea0f6702260001973c02aaa39b223fe8d0a0e5c4f27ead9083c756cc26001600160a01b0316620005a760201b62000f9a179092919060201c565b6200028b737f39c581f595b53c5cb19bd0b3f8da6c935e2ca060008051602062003999833981519152600019620005a7602090811b62000f9a17901c565b620002c973c02aaa39b223fe8d0a0e5c4f27ead9083c756cc260008051602062003999833981519152600019620005a7602090811b62000f9a17901c565b60405163095ea7b360e01b815273dc24316b9ae028f1497c275eb9192a3ea0f670226004820152600019602482015273ae7ab96520de3a18e5e111b5eaab095312d7fe849063095ea7b3906044016020604051808303816000875af115801562000337573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906200035d9190620007dd565b506040516335ea6a7560e01b815260008051602062003999833981519152906335ea6a7590620003a690737f39c581f595b53c5cb19bd0b3f8da6c935e2ca09060040162000801565b6101e060405180830381865afa158015620003c5573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190620003eb91906200089b565b61010001516001600160a01b031660e0526040516335ea6a7560e01b815260008051602062003999833981519152906335ea6a7590620004449073c02aaa39b223fe8d0a0e5c4f27ead9083c756cc29060040162000801565b6101e060405180830381865afa15801562000463573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906200048991906200089b565b61014001516001600160a01b031660c0526040516328530a4760e01b81526001600482015260008051602062003999833981519152906328530a4790602401600060405180830381600087803b158015620004e357600080fd5b505af1158015620004f8573d6000803e3d6000fd5b5050505050505050620009df565b6000828152602081815260408083206001600160a01b038516845290915290205460ff16620005a3576000828152602081815260408083206001600160a01b03851684529091529020805460ff19166001179055620005623390565b6001600160a01b0316816001600160a01b0316837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45b5050565b600060405163095ea7b360e01b8152836004820152826024820152602060006044836000895af13d15601f3d1160016000511416171691505080620006235760405162461bcd60e51b815260206004820152600e60248201526d1054141493d59157d1905253115160921b604482015260640160405180910390fd5b50505050565b6001600160a01b03811681146200063f57600080fd5b50565b634e487b7160e01b600052604160045260246000fd5b6040516101e081016001600160401b03811182821017156200067e576200067e62000642565b60405290565b604051601f8201601f191681016001600160401b0381118282101715620006af57620006af62000642565b604052919050565b8051620006c48162000629565b919050565b60008060408385031215620006dd57600080fd5b8251620006ea8162000629565b602084810151919350906001600160401b03808211156200070a57600080fd5b818601915086601f8301126200071f57600080fd5b81518181111562000734576200073462000642565b8060051b91506200074784830162000684565b81815291830184019184810190898411156200076257600080fd5b938501935b838510156200079057845192506200077f8362000629565b828252938501939085019062000767565b8096505050505050509250929050565b600060208284031215620007b357600080fd5b8151620007c08162000629565b9392505050565b634e487b7160e01b600052603260045260246000fd5b600060208284031215620007f057600080fd5b81518015158114620007c057600080fd5b6001600160a01b0391909116815260200190565b6000602082840312156200082857600080fd5b604051602081016001600160401b03811182821017156200084d576200084d62000642565b6040529151825250919050565b80516001600160801b0381168114620006c457600080fd5b805164ffffffffff81168114620006c457600080fd5b805161ffff81168114620006c457600080fd5b60006101e08284031215620008af57600080fd5b620008b962000658565b620008c5848462000815565b8152620008d5602084016200085a565b6020820152620008e8604084016200085a565b6040820152620008fb606084016200085a565b60608201526200090e608084016200085a565b60808201526200092160a084016200085a565b60a08201526200093460c0840162000872565b60c08201526200094760e0840162000888565b60e08201526101006200095c818501620006b7565b9082015261012062000970848201620006b7565b9082015261014062000984848201620006b7565b9082015261016062000998848201620006b7565b90820152610180620009ac8482016200085a565b908201526101a0620009c08482016200085a565b908201526101c0620009d48482016200085a565b908201529392505050565b60805160a05160c05160e051612ef762000a8260003960008181610478015281816112f3015281816116db01528181611e260152611ebb01526000818161058f01528181610b0f015281816112960152611d1d015260008181610310015281816108330152610ca20152600081816105c3015281816105fd015281816106bb015281816109c601528181610ddd015281816111e4015261166f0152612ef76000f3fe6080604052600436106101825760003560e01c806301681a621461018e57806301ffc9a7146101b05780631a3ce4e6146101e5578063248a9ca314610205578063287482f2146102335780632afcf480146102495780632f2ff15d1461026957806334c02b8d14610289578063357be446146102a957806336568abe146102be5780633659cfe6146102de57806338d52e0f146102fe5780633a3c3b871461033f57806346c524b51461036757806348ccda3c1461037c578063578c71d91461039e5780636a23bcfd146103b4578063797bf343146103d45780637d7c2a1c146103e95780638ca17995146103fe57806391d148541461041e57806396f50b2d1461043e578063a0c1f15e14610466578063a217fddf1461049a578063a378a324146104af578063ad5c4648146104d1578063d547741f146104f3578063d9fb643a14610513578063e00bfe5014610535578063f04f27071461055d578063f8d898981461057d578063fbfa77cf146105b1578063fd967f47146105e557600080fd5b3661018957005b600080fd5b34801561019a57600080fd5b506101ae6101a9366004612782565b6105fb565b005b3480156101bc57600080fd5b506101d06101cb36600461279f565b6107bc565b60405190151581526020015b60405180910390f35b3480156101f157600080fd5b506101ae6102003660046127c9565b6107f3565b34801561021157600080fd5b506102256102203660046127c9565b610811565b6040519081526020016101dc565b34801561023f57600080fd5b5061022560025481565b34801561025557600080fd5b506101ae6102643660046127c9565b610826565b34801561027557600080fd5b506101ae6102843660046127e2565b610864565b34801561029557600080fd5b506101ae6102a43660046127c9565b610885565b3480156102b557600080fd5b50610225610925565b3480156102ca57600080fd5b506101ae6102d93660046127e2565b610946565b3480156102ea57600080fd5b506101ae6102f9366004612782565b6109c4565b34801561030a57600080fd5b506103327f000000000000000000000000000000000000000000000000000000000000000081565b6040516101dc9190612812565b34801561034b57600080fd5b5061033273dc24316b9ae028f1497c275eb9192a3ea0f6702281565b34801561037357600080fd5b50610225610c4b565b34801561038857600080fd5b50610332600080516020612ea283398151915281565b3480156103aa57600080fd5b5061022560015481565b3480156103c057600080fd5b506101ae6103cf3660046127c9565b610c6a565b3480156103e057600080fd5b50610225610c88565b3480156103f557600080fd5b506101ae610d18565b34801561040a57600080fd5b506102256104193660046127c9565b610dd0565b34801561042a57600080fd5b506101d06104393660046127e2565b610e44565b34801561044a57600080fd5b5061033273ba12222222228d8ba445958a75a0704d566bf2c881565b34801561047257600080fd5b506103327f000000000000000000000000000000000000000000000000000000000000000081565b3480156104a657600080fd5b50610225600081565b3480156104bb57600080fd5b50610225600080516020612e8283398151915281565b3480156104dd57600080fd5b50610332600080516020612e6283398151915281565b3480156104ff57600080fd5b506101ae61050e3660046127e2565b610e6d565b34801561051f57600080fd5b50610332600080516020612e4283398151915281565b34801561054157600080fd5b5061033273ae7ab96520de3a18e5e111b5eaab095312d7fe8481565b34801561056957600080fd5b506101ae610578366004612969565b610e89565b34801561058957600080fd5b506103327f000000000000000000000000000000000000000000000000000000000000000081565b3480156105bd57600080fd5b506103327f000000000000000000000000000000000000000000000000000000000000000081565b3480156105f157600080fd5b5061022561271081565b7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa158015610659573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061067d9190612a73565b6001600160a01b0316336001600160a01b0316146106b65760405162461bcd60e51b81526004016106ad90612a90565b60405180910390fd5b6107b97f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa158015610717573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061073b9190612a73565b6040516370a0823160e01b81526001600160a01b038416906370a0823190610767903090600401612812565b602060405180830381865afa158015610784573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906107a89190612abd565b6001600160a01b0384169190611011565b50565b60006001600160e01b03198216637965db0b60e01b14806107ed57506301ffc9a760e01b6001600160e01b03198316145b92915050565b600080516020612e8283398151915261080b81611089565b50600155565b60009081526020819052604090206001015490565b61085b6001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016333084611093565b6107b98161111d565b61086d82610811565b61087681611089565b6108808383611146565b505050565b61088e336111ca565b60405163a415bcad60e01b8152600080516020612ea28339815191529063a415bcad906108d790600080516020612e628339815191529085906002906000903090600401612ad6565b600060405180830381600087803b1580156108f157600080fd5b505af1158015610905573d6000803e3d6000fd5b506107b99250600080516020612e62833981519152915033905083611011565b600061092f61127c565b6109376112cb565b6109419190612b20565b905090565b6001600160a01b03811633146109b65760405162461bcd60e51b815260206004820152602f60248201527f416363657373436f6e74726f6c3a2063616e206f6e6c792072656e6f756e636560448201526e103937b632b9903337b91039b2b63360891b60648201526084016106ad565b6109c0828261138f565b5050565b7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a22573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a469190612a73565b6001600160a01b0316336001600160a01b031614610a765760405162461bcd60e51b81526004016106ad90612a90565b610a7f816111ca565b60408051600180825281830190925260009160208083019080368337019050509050600080516020612e6283398151915281600081518110610ac357610ac3612b33565b6001600160a01b03929092166020928302919091019091015260408051600180825281830190925260009181602001602082028036833750506040516370a0823160e01b8152919250507f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316906370a0823190610b4c903090600401612812565b602060405180830381865afa158015610b69573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b8d9190612abd565b81600081518110610ba057610ba0612b33565b60200260200101818152505073ba12222222228d8ba445958a75a0704d566bf2c86001600160a01b0316635c38449e308484600288604051602001610be6929190612b5f565b6040516020818303038152906040526040518563ffffffff1660e01b8152600401610c149493929190612be9565b600060405180830381600087803b158015610c2e57600080fd5b505af1158015610c42573d6000803e3d6000fd5b50505050505050565b6000610941612710610c5b6112cb565b610c6361127c565b91906113f4565b600080516020612e82833981519152610c8281611089565b50600255565b6040516370a0823160e01b81526000906001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016906370a0823190610cd7903090600401612812565b602060405180830381865afa158015610cf4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109419190612abd565b600080516020612e82833981519152610d3081611089565b6000610d3a61127c565b90506000610d466112cb565b90506000610d63600254612710846113f49092919063ffffffff16565b905082811115610d9e57610d99610d90612710600254612710610d869190612b20565b610c638786612b20565b60036000611413565b610dca565b610dca610dc1612710600254612710610db79190612b20565b610c638588612b20565b60046000611413565b50505050565b6000336001600160a01b037f00000000000000000000000000000000000000000000000000000000000000001614610e3b5760405162461bcd60e51b815260206004820152600e60248201526d1094ce881bdb9b1e481d985d5b1d60921b60448201526064016106ad565b6107ed82611554565b6000918252602082815260408084206001600160a01b0393909316845291905290205460ff1690565b610e7682610811565b610e7f81611089565b610880838361138f565b3373ba12222222228d8ba445958a75a0704d566bf2c814610ebd57604051630e4489af60e11b815260040160405180910390fd5b600083600081518110610ed257610ed2612b33565b6020026020010151905060008083806020019051810190610ef39190612c90565b90925090506001826004811115610f0c57610f0c612b49565b03610f1f57610f1a836116b6565b610f6d565b6000826004811115610f3357610f33612b49565b03610f4157610f1a83611a48565b6002826004811115610f5557610f55612b49565b03610f6357610f1a81611d03565b610f6d8383611f40565b610c42600080516020612e6283398151915273ba12222222228d8ba445958a75a0704d566bf2c885611011565b600060405163095ea7b360e01b8152836004820152826024820152602060006044836000895af13d15601f3d1160016000511416171691505080610dca5760405162461bcd60e51b815260206004820152600e60248201526d1054141493d59157d1905253115160921b60448201526064016106ad565b600060405163a9059cbb60e01b8152836004820152826024820152602060006044836000895af13d15601f3d1160016000511416171691505080610dca5760405162461bcd60e51b815260206004820152600f60248201526e1514905394d1915497d19052531151608a1b60448201526064016106ad565b6107b981336123c6565b60006040516323b872dd60e01b81528460048201528360248201528260448201526020600060648360008a5af13d15601f3d11600160005114161716915050806111165760405162461bcd60e51b81526020600482015260146024820152731514905394d1915497d19493d357d1905253115160621b60448201526064016106ad565b5050505050565b6107b961113e6127106002546127106111369190612b20565b8491906113f4565b600080611413565b6111508282610e44565b6109c0576000828152602081815260408083206001600160a01b03851684529091529020805460ff191660011790556111863390565b6001600160a01b0316816001600160a01b0316837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45050565b6040516339ebf82360e01b81526000906001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016906339ebf82390611219908590600401612812565b606060405180830381865afa158015611236573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061125a9190612cc3565b50509050806109c05760405163b7eaa7e160e01b815260040160405180910390fd5b6040516370a0823160e01b81526000906001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016906370a0823190610cd7903090600401612812565b6040516370a0823160e01b8152600090600080516020612e428339815191529063bb2952fc907f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316906370a0823190611330903090600401612812565b602060405180830381865afa15801561134d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906113719190612abd565b6040518263ffffffff1660e01b8152600401610cd791815260200190565b6113998282610e44565b156109c0576000828152602081815260408083206001600160a01b0385168085529252808320805460ff1916905551339285917ff6391f5c32d9c69d2a47ea670b442974b53935d1edc7fd64eb21e047a839171b9190a45050565b82820281151584158583048514171661140c57600080fd5b0492915050565b60408051600180825281830190925260009160208083019080368337019050509050600080516020612e628339815191528160008151811061145757611457612b33565b6001600160a01b03929092166020928302919091019091015260408051600180825281830190925260009181602001602082028036833701905050905084816000815181106114a8576114a8612b33565b60200260200101818152505073ba12222222228d8ba445958a75a0704d566bf2c86001600160a01b0316635c38449e30848488886040516020016114ed929190612b5f565b6040516020818303038152906040526040518563ffffffff1660e01b815260040161151b9493929190612be9565b600060405180830381600087803b15801561153557600080fd5b505af1158015611549573d6000803e3d6000fd5b505050505050505050565b6000806115608361242a565b6040516370a0823160e01b8152909150600090600080516020612e62833981519152906370a0823190611597903090600401612812565b602060405180830381865afa1580156115b4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906115d89190612abd565b90506115e78260016000611413565b6040516370a0823160e01b81526000908290600080516020612e62833981519152906370a082319061161d903090600401612812565b602060405180830381865afa15801561163a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061165e9190612abd565b6116689190612b20565b90506116ae7f0000000000000000000000000000000000000000000000000000000000000000611698838861245f565b600080516020612e628339815191529190611011565b949350505050565b6000611751826116c461127c565b6040516370a0823160e01b81526001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016906370a0823190611710903090600401612812565b602060405180830381865afa15801561172d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c639190612abd565b60405163573ade8160e01b8152909150600080516020612ea28339815191529063573ade819061179a90600080516020612e628339815191529086906002903090600401612d28565b6020604051808303816000875af11580156117b9573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117dd9190612abd565b50604051631a4ca37b60e21b8152600080516020612ea2833981519152906369328dec9061182190600080516020612e428339815191529085903090600401612d53565b6020604051808303816000875af1158015611840573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118649190612abd565b506040516370a0823160e01b8152600080516020612e428339815191529063de0e9a3e9082906370a082319061189e903090600401612812565b602060405180830381865afa1580156118bb573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118df9190612abd565b6040518263ffffffff1660e01b81526004016118fd91815260200190565b6020604051808303816000875af115801561191c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906119409190612abd565b506040516370a0823160e01b81526109c09073ae7ab96520de3a18e5e111b5eaab095312d7fe84906370a082319061197c903090600401612812565b602060405180830381865afa158015611999573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906119bd9190612abd565b6001546040516370a0823160e01b8152611a43919073ae7ab96520de3a18e5e111b5eaab095312d7fe84906370a08231906119fc903090600401612812565b602060405180830381865afa158015611a19573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611a3d9190612abd565b90612477565b612492565b604051632e1a7d4d60e01b815260048101829052600080516020612e6283398151915290632e1a7d4d90602401600060405180830381600087803b158015611a8f57600080fd5b505af1158015611aa3573d6000803e3d6000fd5b505060405160009250600080516020612e42833981519152915083908381818185875af1925050503d8060008114611af7576040519150601f19603f3d011682016040523d82523d6000602084013e611afc565b606091505b5050905080611b435760405162461bcd60e51b81526020600482015260136024820152721313158cce8815dcdd115d1a0819985a5b1959606a1b60448201526064016106ad565b6040516370a0823160e01b8152600080516020612ea28339815191529063e8eda9df90600080516020612e428339815191529081906370a0823190611b8c903090600401612812565b602060405180830381865afa158015611ba9573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611bcd9190612abd565b6040516001600160e01b031960e085901b1681526001600160a01b039092166004830152602482015230604482015260006064820152608401600060405180830381600087803b158015611c2057600080fd5b505af1158015611c34573d6000803e3d6000fd5b50506040516370a0823160e01b815260009250600080516020612e6283398151915291506370a0823190611c6c903090600401612812565b602060405180830381865afa158015611c89573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611cad9190612abd565b611cb79084612b20565b60405163a415bcad60e01b8152909150600080516020612ea28339815191529063a415bcad90610c1490600080516020612e628339815191529085906002906000903090600401612ad6565b6040516370a0823160e01b81526000906001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016906370a0823190611d52903090600401612812565b602060405180830381865afa158015611d6f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611d939190612abd565b60405163573ade8160e01b8152909150600080516020612ea28339815191529063573ade8190611ddc90600080516020612e628339815191529085906002903090600401612d28565b6020604051808303816000875af1158015611dfb573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611e1f9190612abd565b50611ee2827f00000000000000000000000000000000000000000000000000000000000000006001600160a01b03166370a08231306040518263ffffffff1660e01b8152600401611e709190612812565b602060405180830381865afa158015611e8d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611eb19190612abd565b6001600160a01b037f0000000000000000000000000000000000000000000000000000000000000000169190611011565b6040516334c02b8d60e01b8152600481018290526001600160a01b038316906334c02b8d90602401600060405180830381600087803b158015611f2457600080fd5b505af1158015611f38573d6000803e3d6000fd5b505050505050565b6003816004811115611f5457611f54612b49565b03611f62576109c082611a48565b60405163573ade8160e01b8152600080516020612ea28339815191529063573ade8190611fa890600080516020612e628339815191529086906002903090600401612d28565b6020604051808303816000875af1158015611fc7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611feb9190612abd565b5060015460405162b0e38960e81b81526004810184905260009161206991600080516020612e428339815191529063b0e3890090602401602060405180830381865afa15801561203f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906120639190612abd565b90612589565b604051631a4ca37b60e21b8152909150600080516020612ea2833981519152906369328dec906120af90600080516020612e428339815191529085903090600401612d53565b6020604051808303816000875af11580156120ce573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906120f29190612abd565b506040516370a0823160e01b8152600080516020612e428339815191529063de0e9a3e9082906370a082319061212c903090600401612812565b602060405180830381865afa158015612149573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061216d9190612abd565b6040518263ffffffff1660e01b815260040161218b91815260200190565b6020604051808303816000875af11580156121aa573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906121ce9190612abd565b506040516370a0823160e01b81526122519073ae7ab96520de3a18e5e111b5eaab095312d7fe84906370a082319061220a903090600401612812565b602060405180830381865afa158015612227573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061224b9190612abd565b84612492565b6040516370a0823160e01b81528390600080516020612e62833981519152906370a0823190612284903090600401612812565b602060405180830381865afa1580156122a1573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906122c59190612abd565b1115610880576040516370a0823160e01b8152600080516020612ea28339815191529063573ade8190600080516020612e6283398151915290869082906370a0823190612316903090600401612812565b602060405180830381865afa158015612333573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906123579190612abd565b6123619190612b20565b6002306040518563ffffffff1660e01b81526004016123839493929190612d28565b6020604051808303816000875af11580156123a2573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610dca9190612abd565b6123d08282610e44565b6109c0576123e8816001600160a01b031660146125a4565b6123f38360206125a4565b604051602001612404929190612d76565b60408051601f198184030181529082905262461bcd60e51b82526106ad91600401612de5565b600080612435610925565b905061243f61127c565b915082811115612459576124568382610c6361127c565b91505b50919050565b600081831061246e5781612470565b825b9392505050565b600061247061248883612710612b20565b849061271061273f565b604051630f7c084960e21b81526001600482015260006024820181905260448201849052606482018390529073dc24316b9ae028f1497c275eb9192a3ea0f6702290633df02124906084016020604051808303816000875af11580156124fc573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906125209190612abd565b9050600080516020612e628339815191526001600160a01b031663d0e30db0826040518263ffffffff1660e01b81526004016000604051808303818588803b15801561256b57600080fd5b505af115801561257f573d6000803e3d6000fd5b5050505050505050565b600061247061259a83612710612df8565b84906127106113f4565b606060006125b3836002612e0b565b6125be906002612df8565b6001600160401b038111156125d5576125d5612826565b6040519080825280601f01601f1916602001820160405280156125ff576020820181803683370190505b509050600360fc1b8160008151811061261a5761261a612b33565b60200101906001600160f81b031916908160001a905350600f60fb1b8160018151811061264957612649612b33565b60200101906001600160f81b031916908160001a905350600061266d846002612e0b565b612678906001612df8565b90505b60018111156126f0576f181899199a1a9b1b9c1cb0b131b232b360811b85600f16601081106126ac576126ac612b33565b1a60f81b8282815181106126c2576126c2612b33565b60200101906001600160f81b031916908160001a90535060049490941c936126e981612e2a565b905061267b565b5083156124705760405162461bcd60e51b815260206004820181905260248201527f537472696e67733a20686578206c656e67746820696e73756666696369656e7460448201526064016106ad565b82820281151584158583048514171661275757600080fd5b6001826001830304018115150290509392505050565b6001600160a01b03811681146107b957600080fd5b60006020828403121561279457600080fd5b81356124708161276d565b6000602082840312156127b157600080fd5b81356001600160e01b03198116811461247057600080fd5b6000602082840312156127db57600080fd5b5035919050565b600080604083850312156127f557600080fd5b8235915060208301356128078161276d565b809150509250929050565b6001600160a01b0391909116815260200190565b634e487b7160e01b600052604160045260246000fd5b604051601f8201601f191681016001600160401b038111828210171561286457612864612826565b604052919050565b60006001600160401b0382111561288557612885612826565b5060051b60200190565b600082601f8301126128a057600080fd5b813560206128b56128b08361286c565b61283c565b82815260059290921b840181019181810190868411156128d457600080fd5b8286015b848110156128ef57803583529183019183016128d8565b509695505050505050565b600082601f83011261290b57600080fd5b81356001600160401b0381111561292457612924612826565b612937601f8201601f191660200161283c565b81815284602083860101111561294c57600080fd5b816020850160208301376000918101602001919091529392505050565b6000806000806080858703121561297f57600080fd5b84356001600160401b038082111561299657600080fd5b818701915087601f8301126129aa57600080fd5b813560206129ba6128b08361286c565b82815260059290921b8401810191818101908b8411156129d957600080fd5b948201945b83861015612a005785356129f18161276d565b825294820194908201906129de565b98505088013592505080821115612a1657600080fd5b612a228883890161288f565b94506040870135915080821115612a3857600080fd5b612a448883890161288f565b93506060870135915080821115612a5a57600080fd5b50612a67878288016128fa565b91505092959194509250565b600060208284031215612a8557600080fd5b81516124708161276d565b60208082526013908201527242533a206f6e6c7920676f7665726e616e636560681b604082015260600190565b600060208284031215612acf57600080fd5b5051919050565b6001600160a01b0395861681526020810194909452604084019290925261ffff166060830152909116608082015260a00190565b634e487b7160e01b600052601160045260246000fd5b818103818111156107ed576107ed612b0a565b634e487b7160e01b600052603260045260246000fd5b634e487b7160e01b600052602160045260246000fd5b6040810160058410612b8157634e487b7160e01b600052602160045260246000fd5b9281526001600160a01b039190911660209091015290565b60005b83811015612bb4578181015183820152602001612b9c565b50506000910152565b60008151808452612bd5816020860160208601612b99565b601f01601f19169290920160200192915050565b6001600160a01b0385811682526080602080840182905286519184018290526000928782019290919060a0860190855b81811015612c37578551851683529483019491830191600101612c19565b5050858103604087015287518082529082019350915080870160005b83811015612c6f57815185529382019390820190600101612c53565b505050508281036060840152612c858185612bbd565b979650505050505050565b60008060408385031215612ca357600080fd5b825160058110612cb257600080fd5b60208401519092506128078161276d565b600080600060608486031215612cd857600080fd5b83518015158114612ce857600080fd5b602085015190935061ffff81168114612d0057600080fd5b60408501519092506001600160e81b0381168114612d1d57600080fd5b809150509250925092565b6001600160a01b03948516815260208101939093526040830191909152909116606082015260800190565b6001600160a01b0393841681526020810192909252909116604082015260600190565b76020b1b1b2b9b9a1b7b73a3937b61d1030b1b1b7bab73a1604d1b815260008351612da8816017850160208801612b99565b7001034b99036b4b9b9b4b733903937b6329607d1b6017918401918201528351612dd9816028840160208801612b99565b01602801949350505050565b6020815260006124706020830184612bbd565b808201808211156107ed576107ed612b0a565b6000816000190483118215151615612e2557612e25612b0a565b500290565b600081612e3957612e39612b0a565b50600019019056fe0000000000000000000000007f39c581f595b53c5cb19bd0b3f8da6c935e2ca0000000000000000000000000c02aaa39b223fe8d0a0e5c4f27ead9083c756cc2b17d0a42cc710456bf9c3efb785dcd0cb93a0ac358113307b5c64b285b516b5c00000000000000000000000087870bca3f3fd6335c3f4ce8392d69350b4fa4e2a2646970667358221220889467338a7daba37d7eea2be0def7a3002b58cea0214afc242b973d923a76c664736f6c63430008100033b17d0a42cc710456bf9c3efb785dcd0cb93a0ac358113307b5c64b285b516b5c00000000000000000000000087870bca3f3fd6335c3f4ce8392d69350b4fa4e20000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb0000000000000000000000000000000000000000000000000000000000000040000000000000000000000000000000000000000000000000000000000000000100000000000000000000000047fd0834dd8b435bbbd7115bb7d3b3120dd0946d
Deployed Bytecode
0x6080604052600436106101825760003560e01c806301681a621461018e57806301ffc9a7146101b05780631a3ce4e6146101e5578063248a9ca314610205578063287482f2146102335780632afcf480146102495780632f2ff15d1461026957806334c02b8d14610289578063357be446146102a957806336568abe146102be5780633659cfe6146102de57806338d52e0f146102fe5780633a3c3b871461033f57806346c524b51461036757806348ccda3c1461037c578063578c71d91461039e5780636a23bcfd146103b4578063797bf343146103d45780637d7c2a1c146103e95780638ca17995146103fe57806391d148541461041e57806396f50b2d1461043e578063a0c1f15e14610466578063a217fddf1461049a578063a378a324146104af578063ad5c4648146104d1578063d547741f146104f3578063d9fb643a14610513578063e00bfe5014610535578063f04f27071461055d578063f8d898981461057d578063fbfa77cf146105b1578063fd967f47146105e557600080fd5b3661018957005b600080fd5b34801561019a57600080fd5b506101ae6101a9366004612782565b6105fb565b005b3480156101bc57600080fd5b506101d06101cb36600461279f565b6107bc565b60405190151581526020015b60405180910390f35b3480156101f157600080fd5b506101ae6102003660046127c9565b6107f3565b34801561021157600080fd5b506102256102203660046127c9565b610811565b6040519081526020016101dc565b34801561023f57600080fd5b5061022560025481565b34801561025557600080fd5b506101ae6102643660046127c9565b610826565b34801561027557600080fd5b506101ae6102843660046127e2565b610864565b34801561029557600080fd5b506101ae6102a43660046127c9565b610885565b3480156102b557600080fd5b50610225610925565b3480156102ca57600080fd5b506101ae6102d93660046127e2565b610946565b3480156102ea57600080fd5b506101ae6102f9366004612782565b6109c4565b34801561030a57600080fd5b506103327f000000000000000000000000c02aaa39b223fe8d0a0e5c4f27ead9083c756cc281565b6040516101dc9190612812565b34801561034b57600080fd5b5061033273dc24316b9ae028f1497c275eb9192a3ea0f6702281565b34801561037357600080fd5b50610225610c4b565b34801561038857600080fd5b50610332600080516020612ea283398151915281565b3480156103aa57600080fd5b5061022560015481565b3480156103c057600080fd5b506101ae6103cf3660046127c9565b610c6a565b3480156103e057600080fd5b50610225610c88565b3480156103f557600080fd5b506101ae610d18565b34801561040a57600080fd5b506102256104193660046127c9565b610dd0565b34801561042a57600080fd5b506101d06104393660046127e2565b610e44565b34801561044a57600080fd5b5061033273ba12222222228d8ba445958a75a0704d566bf2c881565b34801561047257600080fd5b506103327f0000000000000000000000000b925ed163218f6662a35e0f0371ac234f9e937181565b3480156104a657600080fd5b50610225600081565b3480156104bb57600080fd5b50610225600080516020612e8283398151915281565b3480156104dd57600080fd5b50610332600080516020612e6283398151915281565b3480156104ff57600080fd5b506101ae61050e3660046127e2565b610e6d565b34801561051f57600080fd5b50610332600080516020612e4283398151915281565b34801561054157600080fd5b5061033273ae7ab96520de3a18e5e111b5eaab095312d7fe8481565b34801561056957600080fd5b506101ae610578366004612969565b610e89565b34801561058957600080fd5b506103327f000000000000000000000000ea51d7853eefb32b6ee06b1c12e6dcca88be0ffe81565b3480156105bd57600080fd5b506103327f0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb81565b3480156105f157600080fd5b5061022561271081565b7f0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb6001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa158015610659573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061067d9190612a73565b6001600160a01b0316336001600160a01b0316146106b65760405162461bcd60e51b81526004016106ad90612a90565b60405180910390fd5b6107b97f0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb6001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa158015610717573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061073b9190612a73565b6040516370a0823160e01b81526001600160a01b038416906370a0823190610767903090600401612812565b602060405180830381865afa158015610784573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906107a89190612abd565b6001600160a01b0384169190611011565b50565b60006001600160e01b03198216637965db0b60e01b14806107ed57506301ffc9a760e01b6001600160e01b03198316145b92915050565b600080516020612e8283398151915261080b81611089565b50600155565b60009081526020819052604090206001015490565b61085b6001600160a01b037f000000000000000000000000c02aaa39b223fe8d0a0e5c4f27ead9083c756cc216333084611093565b6107b98161111d565b61086d82610811565b61087681611089565b6108808383611146565b505050565b61088e336111ca565b60405163a415bcad60e01b8152600080516020612ea28339815191529063a415bcad906108d790600080516020612e628339815191529085906002906000903090600401612ad6565b600060405180830381600087803b1580156108f157600080fd5b505af1158015610905573d6000803e3d6000fd5b506107b99250600080516020612e62833981519152915033905083611011565b600061092f61127c565b6109376112cb565b6109419190612b20565b905090565b6001600160a01b03811633146109b65760405162461bcd60e51b815260206004820152602f60248201527f416363657373436f6e74726f6c3a2063616e206f6e6c792072656e6f756e636560448201526e103937b632b9903337b91039b2b63360891b60648201526084016106ad565b6109c0828261138f565b5050565b7f0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb6001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a22573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a469190612a73565b6001600160a01b0316336001600160a01b031614610a765760405162461bcd60e51b81526004016106ad90612a90565b610a7f816111ca565b60408051600180825281830190925260009160208083019080368337019050509050600080516020612e6283398151915281600081518110610ac357610ac3612b33565b6001600160a01b03929092166020928302919091019091015260408051600180825281830190925260009181602001602082028036833750506040516370a0823160e01b8152919250507f000000000000000000000000ea51d7853eefb32b6ee06b1c12e6dcca88be0ffe6001600160a01b0316906370a0823190610b4c903090600401612812565b602060405180830381865afa158015610b69573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b8d9190612abd565b81600081518110610ba057610ba0612b33565b60200260200101818152505073ba12222222228d8ba445958a75a0704d566bf2c86001600160a01b0316635c38449e308484600288604051602001610be6929190612b5f565b6040516020818303038152906040526040518563ffffffff1660e01b8152600401610c149493929190612be9565b600060405180830381600087803b158015610c2e57600080fd5b505af1158015610c42573d6000803e3d6000fd5b50505050505050565b6000610941612710610c5b6112cb565b610c6361127c565b91906113f4565b600080516020612e82833981519152610c8281611089565b50600255565b6040516370a0823160e01b81526000906001600160a01b037f000000000000000000000000c02aaa39b223fe8d0a0e5c4f27ead9083c756cc216906370a0823190610cd7903090600401612812565b602060405180830381865afa158015610cf4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109419190612abd565b600080516020612e82833981519152610d3081611089565b6000610d3a61127c565b90506000610d466112cb565b90506000610d63600254612710846113f49092919063ffffffff16565b905082811115610d9e57610d99610d90612710600254612710610d869190612b20565b610c638786612b20565b60036000611413565b610dca565b610dca610dc1612710600254612710610db79190612b20565b610c638588612b20565b60046000611413565b50505050565b6000336001600160a01b037f0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb1614610e3b5760405162461bcd60e51b815260206004820152600e60248201526d1094ce881bdb9b1e481d985d5b1d60921b60448201526064016106ad565b6107ed82611554565b6000918252602082815260408084206001600160a01b0393909316845291905290205460ff1690565b610e7682610811565b610e7f81611089565b610880838361138f565b3373ba12222222228d8ba445958a75a0704d566bf2c814610ebd57604051630e4489af60e11b815260040160405180910390fd5b600083600081518110610ed257610ed2612b33565b6020026020010151905060008083806020019051810190610ef39190612c90565b90925090506001826004811115610f0c57610f0c612b49565b03610f1f57610f1a836116b6565b610f6d565b6000826004811115610f3357610f33612b49565b03610f4157610f1a83611a48565b6002826004811115610f5557610f55612b49565b03610f6357610f1a81611d03565b610f6d8383611f40565b610c42600080516020612e6283398151915273ba12222222228d8ba445958a75a0704d566bf2c885611011565b600060405163095ea7b360e01b8152836004820152826024820152602060006044836000895af13d15601f3d1160016000511416171691505080610dca5760405162461bcd60e51b815260206004820152600e60248201526d1054141493d59157d1905253115160921b60448201526064016106ad565b600060405163a9059cbb60e01b8152836004820152826024820152602060006044836000895af13d15601f3d1160016000511416171691505080610dca5760405162461bcd60e51b815260206004820152600f60248201526e1514905394d1915497d19052531151608a1b60448201526064016106ad565b6107b981336123c6565b60006040516323b872dd60e01b81528460048201528360248201528260448201526020600060648360008a5af13d15601f3d11600160005114161716915050806111165760405162461bcd60e51b81526020600482015260146024820152731514905394d1915497d19493d357d1905253115160621b60448201526064016106ad565b5050505050565b6107b961113e6127106002546127106111369190612b20565b8491906113f4565b600080611413565b6111508282610e44565b6109c0576000828152602081815260408083206001600160a01b03851684529091529020805460ff191660011790556111863390565b6001600160a01b0316816001600160a01b0316837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45050565b6040516339ebf82360e01b81526000906001600160a01b037f0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb16906339ebf82390611219908590600401612812565b606060405180830381865afa158015611236573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061125a9190612cc3565b50509050806109c05760405163b7eaa7e160e01b815260040160405180910390fd5b6040516370a0823160e01b81526000906001600160a01b037f000000000000000000000000ea51d7853eefb32b6ee06b1c12e6dcca88be0ffe16906370a0823190610cd7903090600401612812565b6040516370a0823160e01b8152600090600080516020612e428339815191529063bb2952fc907f0000000000000000000000000b925ed163218f6662a35e0f0371ac234f9e93716001600160a01b0316906370a0823190611330903090600401612812565b602060405180830381865afa15801561134d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906113719190612abd565b6040518263ffffffff1660e01b8152600401610cd791815260200190565b6113998282610e44565b156109c0576000828152602081815260408083206001600160a01b0385168085529252808320805460ff1916905551339285917ff6391f5c32d9c69d2a47ea670b442974b53935d1edc7fd64eb21e047a839171b9190a45050565b82820281151584158583048514171661140c57600080fd5b0492915050565b60408051600180825281830190925260009160208083019080368337019050509050600080516020612e628339815191528160008151811061145757611457612b33565b6001600160a01b03929092166020928302919091019091015260408051600180825281830190925260009181602001602082028036833701905050905084816000815181106114a8576114a8612b33565b60200260200101818152505073ba12222222228d8ba445958a75a0704d566bf2c86001600160a01b0316635c38449e30848488886040516020016114ed929190612b5f565b6040516020818303038152906040526040518563ffffffff1660e01b815260040161151b9493929190612be9565b600060405180830381600087803b15801561153557600080fd5b505af1158015611549573d6000803e3d6000fd5b505050505050505050565b6000806115608361242a565b6040516370a0823160e01b8152909150600090600080516020612e62833981519152906370a0823190611597903090600401612812565b602060405180830381865afa1580156115b4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906115d89190612abd565b90506115e78260016000611413565b6040516370a0823160e01b81526000908290600080516020612e62833981519152906370a082319061161d903090600401612812565b602060405180830381865afa15801561163a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061165e9190612abd565b6116689190612b20565b90506116ae7f0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb611698838861245f565b600080516020612e628339815191529190611011565b949350505050565b6000611751826116c461127c565b6040516370a0823160e01b81526001600160a01b037f0000000000000000000000000b925ed163218f6662a35e0f0371ac234f9e937116906370a0823190611710903090600401612812565b602060405180830381865afa15801561172d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c639190612abd565b60405163573ade8160e01b8152909150600080516020612ea28339815191529063573ade819061179a90600080516020612e628339815191529086906002903090600401612d28565b6020604051808303816000875af11580156117b9573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117dd9190612abd565b50604051631a4ca37b60e21b8152600080516020612ea2833981519152906369328dec9061182190600080516020612e428339815191529085903090600401612d53565b6020604051808303816000875af1158015611840573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118649190612abd565b506040516370a0823160e01b8152600080516020612e428339815191529063de0e9a3e9082906370a082319061189e903090600401612812565b602060405180830381865afa1580156118bb573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118df9190612abd565b6040518263ffffffff1660e01b81526004016118fd91815260200190565b6020604051808303816000875af115801561191c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906119409190612abd565b506040516370a0823160e01b81526109c09073ae7ab96520de3a18e5e111b5eaab095312d7fe84906370a082319061197c903090600401612812565b602060405180830381865afa158015611999573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906119bd9190612abd565b6001546040516370a0823160e01b8152611a43919073ae7ab96520de3a18e5e111b5eaab095312d7fe84906370a08231906119fc903090600401612812565b602060405180830381865afa158015611a19573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611a3d9190612abd565b90612477565b612492565b604051632e1a7d4d60e01b815260048101829052600080516020612e6283398151915290632e1a7d4d90602401600060405180830381600087803b158015611a8f57600080fd5b505af1158015611aa3573d6000803e3d6000fd5b505060405160009250600080516020612e42833981519152915083908381818185875af1925050503d8060008114611af7576040519150601f19603f3d011682016040523d82523d6000602084013e611afc565b606091505b5050905080611b435760405162461bcd60e51b81526020600482015260136024820152721313158cce8815dcdd115d1a0819985a5b1959606a1b60448201526064016106ad565b6040516370a0823160e01b8152600080516020612ea28339815191529063e8eda9df90600080516020612e428339815191529081906370a0823190611b8c903090600401612812565b602060405180830381865afa158015611ba9573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611bcd9190612abd565b6040516001600160e01b031960e085901b1681526001600160a01b039092166004830152602482015230604482015260006064820152608401600060405180830381600087803b158015611c2057600080fd5b505af1158015611c34573d6000803e3d6000fd5b50506040516370a0823160e01b815260009250600080516020612e6283398151915291506370a0823190611c6c903090600401612812565b602060405180830381865afa158015611c89573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611cad9190612abd565b611cb79084612b20565b60405163a415bcad60e01b8152909150600080516020612ea28339815191529063a415bcad90610c1490600080516020612e628339815191529085906002906000903090600401612ad6565b6040516370a0823160e01b81526000906001600160a01b037f000000000000000000000000ea51d7853eefb32b6ee06b1c12e6dcca88be0ffe16906370a0823190611d52903090600401612812565b602060405180830381865afa158015611d6f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611d939190612abd565b60405163573ade8160e01b8152909150600080516020612ea28339815191529063573ade8190611ddc90600080516020612e628339815191529085906002903090600401612d28565b6020604051808303816000875af1158015611dfb573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611e1f9190612abd565b50611ee2827f0000000000000000000000000b925ed163218f6662a35e0f0371ac234f9e93716001600160a01b03166370a08231306040518263ffffffff1660e01b8152600401611e709190612812565b602060405180830381865afa158015611e8d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611eb19190612abd565b6001600160a01b037f0000000000000000000000000b925ed163218f6662a35e0f0371ac234f9e9371169190611011565b6040516334c02b8d60e01b8152600481018290526001600160a01b038316906334c02b8d90602401600060405180830381600087803b158015611f2457600080fd5b505af1158015611f38573d6000803e3d6000fd5b505050505050565b6003816004811115611f5457611f54612b49565b03611f62576109c082611a48565b60405163573ade8160e01b8152600080516020612ea28339815191529063573ade8190611fa890600080516020612e628339815191529086906002903090600401612d28565b6020604051808303816000875af1158015611fc7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611feb9190612abd565b5060015460405162b0e38960e81b81526004810184905260009161206991600080516020612e428339815191529063b0e3890090602401602060405180830381865afa15801561203f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906120639190612abd565b90612589565b604051631a4ca37b60e21b8152909150600080516020612ea2833981519152906369328dec906120af90600080516020612e428339815191529085903090600401612d53565b6020604051808303816000875af11580156120ce573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906120f29190612abd565b506040516370a0823160e01b8152600080516020612e428339815191529063de0e9a3e9082906370a082319061212c903090600401612812565b602060405180830381865afa158015612149573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061216d9190612abd565b6040518263ffffffff1660e01b815260040161218b91815260200190565b6020604051808303816000875af11580156121aa573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906121ce9190612abd565b506040516370a0823160e01b81526122519073ae7ab96520de3a18e5e111b5eaab095312d7fe84906370a082319061220a903090600401612812565b602060405180830381865afa158015612227573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061224b9190612abd565b84612492565b6040516370a0823160e01b81528390600080516020612e62833981519152906370a0823190612284903090600401612812565b602060405180830381865afa1580156122a1573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906122c59190612abd565b1115610880576040516370a0823160e01b8152600080516020612ea28339815191529063573ade8190600080516020612e6283398151915290869082906370a0823190612316903090600401612812565b602060405180830381865afa158015612333573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906123579190612abd565b6123619190612b20565b6002306040518563ffffffff1660e01b81526004016123839493929190612d28565b6020604051808303816000875af11580156123a2573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610dca9190612abd565b6123d08282610e44565b6109c0576123e8816001600160a01b031660146125a4565b6123f38360206125a4565b604051602001612404929190612d76565b60408051601f198184030181529082905262461bcd60e51b82526106ad91600401612de5565b600080612435610925565b905061243f61127c565b915082811115612459576124568382610c6361127c565b91505b50919050565b600081831061246e5781612470565b825b9392505050565b600061247061248883612710612b20565b849061271061273f565b604051630f7c084960e21b81526001600482015260006024820181905260448201849052606482018390529073dc24316b9ae028f1497c275eb9192a3ea0f6702290633df02124906084016020604051808303816000875af11580156124fc573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906125209190612abd565b9050600080516020612e628339815191526001600160a01b031663d0e30db0826040518263ffffffff1660e01b81526004016000604051808303818588803b15801561256b57600080fd5b505af115801561257f573d6000803e3d6000fd5b5050505050505050565b600061247061259a83612710612df8565b84906127106113f4565b606060006125b3836002612e0b565b6125be906002612df8565b6001600160401b038111156125d5576125d5612826565b6040519080825280601f01601f1916602001820160405280156125ff576020820181803683370190505b509050600360fc1b8160008151811061261a5761261a612b33565b60200101906001600160f81b031916908160001a905350600f60fb1b8160018151811061264957612649612b33565b60200101906001600160f81b031916908160001a905350600061266d846002612e0b565b612678906001612df8565b90505b60018111156126f0576f181899199a1a9b1b9c1cb0b131b232b360811b85600f16601081106126ac576126ac612b33565b1a60f81b8282815181106126c2576126c2612b33565b60200101906001600160f81b031916908160001a90535060049490941c936126e981612e2a565b905061267b565b5083156124705760405162461bcd60e51b815260206004820181905260248201527f537472696e67733a20686578206c656e67746820696e73756666696369656e7460448201526064016106ad565b82820281151584158583048514171661275757600080fd5b6001826001830304018115150290509392505050565b6001600160a01b03811681146107b957600080fd5b60006020828403121561279457600080fd5b81356124708161276d565b6000602082840312156127b157600080fd5b81356001600160e01b03198116811461247057600080fd5b6000602082840312156127db57600080fd5b5035919050565b600080604083850312156127f557600080fd5b8235915060208301356128078161276d565b809150509250929050565b6001600160a01b0391909116815260200190565b634e487b7160e01b600052604160045260246000fd5b604051601f8201601f191681016001600160401b038111828210171561286457612864612826565b604052919050565b60006001600160401b0382111561288557612885612826565b5060051b60200190565b600082601f8301126128a057600080fd5b813560206128b56128b08361286c565b61283c565b82815260059290921b840181019181810190868411156128d457600080fd5b8286015b848110156128ef57803583529183019183016128d8565b509695505050505050565b600082601f83011261290b57600080fd5b81356001600160401b0381111561292457612924612826565b612937601f8201601f191660200161283c565b81815284602083860101111561294c57600080fd5b816020850160208301376000918101602001919091529392505050565b6000806000806080858703121561297f57600080fd5b84356001600160401b038082111561299657600080fd5b818701915087601f8301126129aa57600080fd5b813560206129ba6128b08361286c565b82815260059290921b8401810191818101908b8411156129d957600080fd5b948201945b83861015612a005785356129f18161276d565b825294820194908201906129de565b98505088013592505080821115612a1657600080fd5b612a228883890161288f565b94506040870135915080821115612a3857600080fd5b612a448883890161288f565b93506060870135915080821115612a5a57600080fd5b50612a67878288016128fa565b91505092959194509250565b600060208284031215612a8557600080fd5b81516124708161276d565b60208082526013908201527242533a206f6e6c7920676f7665726e616e636560681b604082015260600190565b600060208284031215612acf57600080fd5b5051919050565b6001600160a01b0395861681526020810194909452604084019290925261ffff166060830152909116608082015260a00190565b634e487b7160e01b600052601160045260246000fd5b818103818111156107ed576107ed612b0a565b634e487b7160e01b600052603260045260246000fd5b634e487b7160e01b600052602160045260246000fd5b6040810160058410612b8157634e487b7160e01b600052602160045260246000fd5b9281526001600160a01b039190911660209091015290565b60005b83811015612bb4578181015183820152602001612b9c565b50506000910152565b60008151808452612bd5816020860160208601612b99565b601f01601f19169290920160200192915050565b6001600160a01b0385811682526080602080840182905286519184018290526000928782019290919060a0860190855b81811015612c37578551851683529483019491830191600101612c19565b5050858103604087015287518082529082019350915080870160005b83811015612c6f57815185529382019390820190600101612c53565b505050508281036060840152612c858185612bbd565b979650505050505050565b60008060408385031215612ca357600080fd5b825160058110612cb257600080fd5b60208401519092506128078161276d565b600080600060608486031215612cd857600080fd5b83518015158114612ce857600080fd5b602085015190935061ffff81168114612d0057600080fd5b60408501519092506001600160e81b0381168114612d1d57600080fd5b809150509250925092565b6001600160a01b03948516815260208101939093526040830191909152909116606082015260800190565b6001600160a01b0393841681526020810192909252909116604082015260600190565b76020b1b1b2b9b9a1b7b73a3937b61d1030b1b1b7bab73a1604d1b815260008351612da8816017850160208801612b99565b7001034b99036b4b9b9b4b733903937b6329607d1b6017918401918201528351612dd9816028840160208801612b99565b01602801949350505050565b6020815260006124706020830184612bbd565b808201808211156107ed576107ed612b0a565b6000816000190483118215151615612e2557612e25612b0a565b500290565b600081612e3957612e39612b0a565b50600019019056fe0000000000000000000000007f39c581f595b53c5cb19bd0b3f8da6c935e2ca0000000000000000000000000c02aaa39b223fe8d0a0e5c4f27ead9083c756cc2b17d0a42cc710456bf9c3efb785dcd0cb93a0ac358113307b5c64b285b516b5c00000000000000000000000087870bca3f3fd6335c3f4ce8392d69350b4fa4e2a2646970667358221220889467338a7daba37d7eea2be0def7a3002b58cea0214afc242b973d923a76c664736f6c63430008100033
Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)
0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb0000000000000000000000000000000000000000000000000000000000000040000000000000000000000000000000000000000000000000000000000000000100000000000000000000000047fd0834dd8b435bbbd7115bb7d3b3120dd0946d
-----Decoded View---------------
Arg [0] : _vault (address): 0x1196B60c9ceFBF02C9a3960883213f47257BecdB
Arg [1] : strategists (address[]): 0x47fD0834DD8b435BbbD7115bB7d3b3120dD0946d
-----Encoded View---------------
4 Constructor Arguments found :
Arg [0] : 0000000000000000000000001196b60c9cefbf02c9a3960883213f47257becdb
Arg [1] : 0000000000000000000000000000000000000000000000000000000000000040
Arg [2] : 0000000000000000000000000000000000000000000000000000000000000001
Arg [3] : 00000000000000000000000047fd0834dd8b435bbbd7115bb7d3b3120dd0946d
Loading...
Loading
Loading...
Loading
Multichain Portfolio | 31 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.