ERC-20
Overview
Max Total Supply
0.000001 DEShare
Holders
0
Market
Price
$0.00 @ 0.000000 ETH
Onchain Market Cap
$0.00
Circulating Supply Market Cap
-
Other Info
Token Contract (WITH 18 Decimals)
Balance
0.000001 DEShareValue
$0.00Loading...
Loading
Loading...
Loading
Loading...
Loading
This contract may be a proxy contract. Click on More Options and select Is this a proxy? to confirm and enable the "Read as Proxy" & "Write as Proxy" tabs.
Similar Match Source Code This contract matches the deployed Bytecode of the Source Code for Contract 0x07F067B9...3f13F8089 The constructor portion of the code might be different and could alter the actual behaviour of the contract
Contract Name:
DefiEdgeStrategy
Compiler Version
v0.7.6+commit.7338295f
Optimization Enabled:
Yes with 1 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: BSL pragma solidity ^0.7.6; pragma abicoder v2; // contracts import "@cryptoalgebra/core/contracts/interfaces/IAlgebraFactory.sol"; import "./base/UniswapV3LiquidityManager.sol"; // libraries import "./libraries/LiquidityHelper.sol"; contract DefiEdgeStrategy is UniswapV3LiquidityManager { using SafeMath for uint256; using SafeCast for uint256; // events event Mint(address indexed user, uint256 share, uint256 amount0, uint256 amount1); event Burn(address indexed user, uint256 share, uint256 amount0, uint256 amount1); event Hold(); event Rebalance(NewTick[] ticks); event PartialRebalance(PartialTick[] ticks); struct NewTick { int24 tickLower; int24 tickUpper; uint256 amount0; uint256 amount1; } struct PartialTick { uint256 index; bool burn; uint256 amount0; uint256 amount1; } /** * @param _factory Address of the strategy factory * @param _pool Address of the pool * @param _chainlinkRegistry Chainlink registry address * @param _manager Address of the manager * @param _usdAsBase If the Chainlink feed is pegged with USD * @param _ticks Array of the ticks */ constructor( IStrategyFactory _factory, IAlgebraPool _pool, FeedRegistryInterface _chainlinkRegistry, IStrategyManager _manager, bool[2] memory _usdAsBase, Tick[] memory _ticks ) { require(!isInvalidTicks(_ticks), "IT"); // checks for valid ticks length require(_ticks.length <= MAX_TICK_LENGTH, "ITL"); manager = _manager; factory = _factory; chainlinkRegistry = _chainlinkRegistry; pool = _pool; token0 = IERC20(pool.token0()); token1 = IERC20(pool.token1()); usdAsBase = _usdAsBase; for (uint256 i = 0; i < _ticks.length; i++) { ticks.push(Tick(_ticks[i].tickLower, _ticks[i].tickUpper)); } } /** * @notice Adds liquidity to the primary range * @param _amount0 Amount of token0 * @param _amount1 Amount of token1 * @param _amount0Min Minimum amount of token0 to be minted * @param _amount1Min Minimum amount of token1 to be minted * @param _minShare Minimum amount of shares to be received to the user * @return amount0 Amount of token0 deployed * @return amount1 Amount of token1 deployed * @return share Number of shares minted */ function mint( uint256 _amount0, uint256 _amount1, uint256 _amount0Min, uint256 _amount1Min, uint256 _minShare ) external nonReentrant returns (uint256 amount0, uint256 amount1, uint256 share) { require(!onlyValidStrategy(), "DL"); require(manager.isUserWhiteListed(msg.sender), "UA"); // get total amounts with fees (uint256 totalAmount0, uint256 totalAmount1, , ) = this.getAUMWithFees(true); if (_amount0 > 0 && _amount1 > 0 && ticks.length > 0) { Tick storage tick = ticks[0]; // index 0 will always be an primary tick (amount0, amount1) = mintLiquidity(tick.tickLower, tick.tickUpper, _amount0, _amount1, msg.sender); } else { amount0 = _amount0; amount1 = _amount1; if (amount0 > 0) { TransferHelper.safeTransferFrom(address(token0), msg.sender, address(this), amount0); reserve0 = reserve0.add(amount0); } if (amount1 > 0) { TransferHelper.safeTransferFrom(address(token1), msg.sender, address(this), amount1); reserve1 = reserve1.add(amount1); } } // issue share based on the liquidity added share = issueShare(amount0, amount1, totalAmount0, totalAmount1, msg.sender); // prevent front running of strategy fee require(share >= _minShare, "SC"); // price slippage check require(amount0 >= _amount0Min && amount1 >= _amount1Min, "S"); uint256 _shareLimit = manager.limit(); // share limit if (_shareLimit != 0) { require(totalSupply() <= _shareLimit, "L"); } emit Mint(msg.sender, share, amount0, amount1); } /** * @notice Burn liquidity and transfer tokens back to the user * @param _shares Shares to be burned * @param _amount0Min Mimimum amount of token0 to be received * @param _amount1Min Minimum amount of token1 to be received * @return collect0 The amount of token0 returned to the user * @return collect1 The amount of token1 returned to the user */ function burn( uint256 _shares, uint256 _amount0Min, uint256 _amount1Min ) external nonReentrant returns (uint256 collect0, uint256 collect1) { // check if the user has sufficient shares require(balanceOf(msg.sender) >= _shares && _shares != 0, "INS"); uint256 amount0; uint256 amount1; uint256 totalFee0; uint256 totalFee1; // burn liquidity based on shares from existing ticks for (uint256 i = 0; i < ticks.length; i++) { Tick storage tick = ticks[i]; uint256 fee0; uint256 fee1; // burn liquidity and collect fees (amount0, amount1, fee0, fee1) = burnLiquidity(tick.tickLower, tick.tickUpper, _shares, 0); totalFee0 = totalFee0.add(fee0); totalFee1 = totalFee1.add(fee1); // add to total amounts collect0 = collect0.add(amount0); collect1 = collect1.add(amount1); } // transfer performance fees if (totalFee0 > 0 || totalFee1 > 0) { _transferPerformanceFees(totalFee0, totalFee1); } // give from unused amounts uint256 total0 = reserve0; uint256 total1 = reserve1; uint256 _totalSupply = totalSupply(); if (total0 > collect0) { collect0 = collect0.add(FullMath.mulDiv(total0 - collect0, _shares, _totalSupply)); } if (total1 > collect1) { collect1 = collect1.add(FullMath.mulDiv(total1 - collect1, _shares, _totalSupply)); } // check slippage require(_amount0Min <= collect0 && _amount1Min <= collect1, "S"); // burn shares _burn(msg.sender, _shares); // transfer tokens if (collect0 > 0) { TransferHelper.safeTransfer(address(token0), msg.sender, collect0); } if (collect1 > 0) { TransferHelper.safeTransfer(address(token1), msg.sender, collect1); } reserve0 = reserve0.sub(collect0); reserve1 = reserve1.sub(collect1); emit Burn(msg.sender, _shares, collect0, collect1); } /** * @notice Rebalances the strategy * @param _zeroToOne swap direction - true if swapping token0 to token1 else false * @param _amountIn amount of token to swap * @param _isOneInchSwap true if swap is happening from one inch * @param _swapData Swap data to perform exchange from 1inch * @param _existingTicks Array of existing ticks to rebalance * @param _newTicks New ticks in case there are any * @param _burnAll When burning into new ticks, should we burn all liquidity? */ function rebalance( bool _zeroToOne, uint256 _amountIn, bool _isOneInchSwap, bytes calldata _swapData, PartialTick[] calldata _existingTicks, NewTick[] calldata _newTicks, bool _burnAll ) external nonReentrant { require(onlyOperator(), "N"); require(!onlyValidStrategy(), "DL"); uint256 totalFee0; uint256 totalFee1; if (_burnAll) { require(_existingTicks.length == 0, "IA"); onHold = true; (totalFee0, totalFee1) = burnAllLiquidity(); if (totalFee0 > 0 || totalFee1 > 0) { _transferPerformanceFees(totalFee0, totalFee1); } delete ticks; emit Hold(); } //swap from 1inch if needed if (_swapData.length > 0) { _swap(_zeroToOne, _amountIn, _isOneInchSwap, _swapData); } // redeploy the partial ticks if (_existingTicks.length > 0) { for (uint256 i = 0; i < _existingTicks.length; i++) { if (i > 0) require(_existingTicks[i - 1].index > _existingTicks[i].index, "IO"); // invalid order Tick memory _tick = ticks[_existingTicks[i].index]; if (_existingTicks[i].burn) { // burn liquidity from range (, , uint256 fee0, uint256 fee1) = _burnLiquiditySingle(_existingTicks[i].index); totalFee0 = totalFee0.add(fee0); totalFee1 = totalFee1.add(fee1); } if (_existingTicks[i].amount0 > 0 || _existingTicks[i].amount1 > 0) { // mint liquidity mintLiquidity(_tick.tickLower, _tick.tickUpper, _existingTicks[i].amount0, _existingTicks[i].amount1, address(this)); } else if (_existingTicks[i].burn) { // shift the index element at last of array ticks[_existingTicks[i].index] = ticks[ticks.length - 1]; // remove last element ticks.pop(); } } if (totalFee0 > 0 || totalFee1 > 0) { _transferPerformanceFees(totalFee0, totalFee1); } emit PartialRebalance(_existingTicks); } // deploy liquidity into new ticks if (_newTicks.length > 0) { redeploy(_newTicks); emit Rebalance(_newTicks); } require(!isInvalidTicks(ticks), "IT"); // checks for valid ticks length require(ticks.length <= MAX_TICK_LENGTH + 10, "ITL"); } /** * @notice Redeploys between ticks * @param _ticks Array of the ticks with amounts */ function redeploy(NewTick[] memory _ticks) internal { require(!onlyHasDeviation(), "D"); // set hold false onHold = false; // redeploy the liquidity for (uint256 i = 0; i < _ticks.length; i++) { NewTick memory tick = _ticks[i]; // mint liquidity mintLiquidity(tick.tickLower, tick.tickUpper, tick.amount0, tick.amount1, address(this)); // push to ticks array ticks.push(Tick(tick.tickLower, tick.tickUpper)); } } /** * @notice Withdraws funds from the contract in case of emergency * @dev only governance can withdraw the funds, it can be frozen from the factory permenently * @param _token Token to transfer * @param _to Where to transfer the token * @param _amount Amount to be withdrawn * @param _newTicks Ticks data to burn liquidity from */ function emergencyWithdraw(address _token, address _to, uint256 _amount, NewTick[] calldata _newTicks) external { require(onlyGovernance() && !factory.freezeEmergency()); if (_newTicks.length > 0) { for (uint256 tickIndex = 0; tickIndex < _newTicks.length; tickIndex++) { NewTick memory tick = _newTicks[tickIndex]; (uint128 currentLiquidity, , , , , ) = pool.positions(PositionKey.compute(address(this), tick.tickLower, tick.tickUpper)); pool.burn(tick.tickLower, tick.tickUpper, currentLiquidity); pool.collect(address(this), tick.tickLower, tick.tickUpper, type(uint128).max, type(uint128).max); } } if (_amount > 0) { TransferHelper.safeTransfer(_token, _to, _amount); } reserve0 = token0.balanceOf(address(this)); reserve1 = token1.balanceOf(address(this)); } }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /** * @title The interface for the Algebra Factory * @dev Credit to Uniswap Labs under GPL-2.0-or-later license: * https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces */ interface IAlgebraFactory { /** * @notice Emitted when the owner of the factory is changed * @param newOwner The owner after the owner was changed */ event Owner(address indexed newOwner); /** * @notice Emitted when the vault address is changed * @param newVaultAddress The vault address after the address was changed */ event VaultAddress(address indexed newVaultAddress); /** * @notice Emitted when a pool is created * @param token0 The first token of the pool by address sort order * @param token1 The second token of the pool by address sort order * @param pool The address of the created pool */ event Pool(address indexed token0, address indexed token1, address pool); /** * @notice Emitted when the farming address is changed * @param newFarmingAddress The farming address after the address was changed */ event FarmingAddress(address indexed newFarmingAddress); event FeeConfiguration( uint16 alpha1, uint16 alpha2, uint32 beta1, uint32 beta2, uint16 gamma1, uint16 gamma2, uint32 volumeBeta, uint16 volumeGamma, uint16 baseFee ); /** * @notice Returns the current owner of the factory * @dev Can be changed by the current owner via setOwner * @return The address of the factory owner */ function owner() external view returns (address); /** * @notice Returns the current poolDeployerAddress * @return The address of the poolDeployer */ function poolDeployer() external view returns (address); /** * @dev Is retrieved from the pools to restrict calling * certain functions not by a tokenomics contract * @return The tokenomics contract address */ function farmingAddress() external view returns (address); function vaultAddress() external view returns (address); /** * @notice Returns the pool address for a given pair of tokens and a fee, or address 0 if it does not exist * @dev tokenA and tokenB may be passed in either token0/token1 or token1/token0 order * @param tokenA The contract address of either token0 or token1 * @param tokenB The contract address of the other token * @return pool The pool address */ function poolByPair(address tokenA, address tokenB) external view returns (address pool); /** * @notice Creates a pool for the given two tokens and fee * @param tokenA One of the two tokens in the desired pool * @param tokenB The other of the two tokens in the desired pool * @dev tokenA and tokenB may be passed in either order: token0/token1 or token1/token0. tickSpacing is retrieved * from the fee. The call will revert if the pool already exists, the fee is invalid, or the token arguments * are invalid. * @return pool The address of the newly created pool */ function createPool(address tokenA, address tokenB) external returns (address pool); /** * @notice Updates the owner of the factory * @dev Must be called by the current owner * @param _owner The new owner of the factory */ function setOwner(address _owner) external; /** * @dev updates tokenomics address on the factory * @param _farmingAddress The new tokenomics contract address */ function setFarmingAddress(address _farmingAddress) external; /** * @dev updates vault address on the factory * @param _vaultAddress The new vault contract address */ function setVaultAddress(address _vaultAddress) external; /** * @notice Changes initial fee configuration for new pools * @dev changes coefficients for sigmoids: α / (1 + e^( (β-x) / γ)) * alpha1 + alpha2 + baseFee (max possible fee) must be <= type(uint16).max * gammas must be > 0 * @param alpha1 max value of the first sigmoid * @param alpha2 max value of the second sigmoid * @param beta1 shift along the x-axis for the first sigmoid * @param beta2 shift along the x-axis for the second sigmoid * @param gamma1 horizontal stretch factor for the first sigmoid * @param gamma2 horizontal stretch factor for the second sigmoid * @param volumeBeta shift along the x-axis for the outer volume-sigmoid * @param volumeGamma horizontal stretch factor the outer volume-sigmoid * @param baseFee minimum possible fee */ function setBaseFeeConfiguration( uint16 alpha1, uint16 alpha2, uint32 beta1, uint32 beta2, uint16 gamma1, uint16 gamma2, uint32 volumeBeta, uint16 volumeGamma, uint16 baseFee ) external; }
//SPDX-License-Identifier: BSL pragma solidity ^0.7.6; pragma abicoder v2; // contracts import "@openzeppelin/contracts/utils/SafeCast.sol"; import "../base/StrategyBase.sol"; // libraries import "../libraries/LiquidityHelper.sol"; import "@cryptoalgebra/periphery/contracts/libraries/TransferHelper.sol"; import "@openzeppelin/contracts/token/ERC20/SafeERC20.sol"; import "@openzeppelin/contracts/utils/ReentrancyGuard.sol"; // interfaces import "../interfaces/linex/callback/IAlgebraMintCallback.sol"; import "../interfaces/ISwapProxy.sol"; contract UniswapV3LiquidityManager is StrategyBase, ReentrancyGuard, IAlgebraMintCallback { using SafeMath for uint256; using SafeCast for uint256; using SafeERC20 for IERC20; event Sync(uint256 reserve0, uint256 reserve1); event Swap(uint256 amountIn, uint256 amountOut, bool _zeroForOne); event FeesClaim(address indexed strategy, uint256 amount0, uint256 amount1); struct MintCallbackData { address payer; IAlgebraPool pool; } // to handle stake too deep error inside swap function struct LocalVariables_Balances { uint256 tokenInBalBefore; uint256 tokenOutBalBefore; uint256 tokenInBalAfter; uint256 tokenOutBalAfter; uint256 shareSupplyBefore; } /** * @notice Mints liquidity from V3 Pool * @param _tickLower Lower tick * @param _tickUpper Upper tick * @param _amount0 Amount of token0 * @param _amount1 Amount of token1 * @param _payer Address which is adding the liquidity * @return amount0 Amount of token0 deployed to the pool * @return amount1 Amount of token1 deployed to the pool */ function mintLiquidity( int24 _tickLower, int24 _tickUpper, uint256 _amount0, uint256 _amount1, address _payer ) internal returns (uint256 amount0, uint256 amount1) { require(!onlyHasDeviation(), "D"); uint128 liquidity = LiquidityHelper.getLiquidityForAmounts(pool, _tickLower, _tickUpper, _amount0, _amount1); // add liquidity to Algebra pool (amount0, amount1, ) = pool.mint( address(this), address(this), _tickLower, _tickUpper, liquidity, abi.encode(MintCallbackData({payer: _payer, pool: pool})) ); } /** * @notice Burns liquidity in the given range * @param _tickLower Lower Tick * @param _tickUpper Upper Tick * @param _shares The amount of liquidity to be burned based on shares * @param _currentLiquidity Liquidity to be burned */ function burnLiquidity( int24 _tickLower, int24 _tickUpper, uint256 _shares, uint128 _currentLiquidity ) internal returns (uint256 tokensBurned0, uint256 tokensBurned1, uint256 fee0, uint256 fee1) { require(!onlyHasDeviation(), "D"); uint256 collect0; uint256 collect1; if (_shares > 0) { (_currentLiquidity, , , , , ) = pool.positions(PositionKey.compute(address(this), _tickLower, _tickUpper)); if (_currentLiquidity > 0) { uint256 liquidity = FullMath.mulDiv(_currentLiquidity, _shares, totalSupply()); (tokensBurned0, tokensBurned1) = pool.burn(_tickLower, _tickUpper, liquidity.toUint128()); } } else { (tokensBurned0, tokensBurned1) = pool.burn(_tickLower, _tickUpper, _currentLiquidity); } // collect fees (collect0, collect1) = pool.collect(address(this), _tickLower, _tickUpper, type(uint128).max, type(uint128).max); fee0 = collect0 > tokensBurned0 ? uint256(collect0).sub(tokensBurned0) : 0; fee1 = collect1 > tokensBurned1 ? uint256(collect1).sub(tokensBurned1) : 0; reserve0 = reserve0.add(collect0); reserve1 = reserve1.add(collect1); } /** * @notice Splits and transfers the performance fee * @param _fee0 Amount of accumulated fee for token0 * @param _fee1 Amount of accumulated fee for token1 */ function _transferPerformanceFees(uint256 _fee0, uint256 _fee1) internal { uint256 _protocolPerformanceFee = factory.getProtocolPerformanceFeeRate(address(pool), address(this)); uint256 protocolToken0Amount; uint256 protocolToken1Amount; if(_protocolPerformanceFee > 0){ protocolToken0Amount = FullMath.mulDiv(_fee0, _protocolPerformanceFee, 1e8); protocolToken1Amount = FullMath.mulDiv(_fee1, _protocolPerformanceFee, 1e8); } uint256 managerToken0Amount = _fee0.sub(protocolToken0Amount); uint256 managerToken1Amount = _fee1.sub(protocolToken1Amount); // moved here for saving bytecode address managerFeeTo = manager.feeTo(); address protocolFeeTo = factory.feeTo(); require(managerFeeTo != address(0), "ZA"); if (managerToken0Amount > 0) { TransferHelper.safeTransfer(address(token0), managerFeeTo, managerToken0Amount); reserve0 = reserve0.sub(managerToken0Amount); } if (managerToken1Amount > 0) { TransferHelper.safeTransfer(address(token1), managerFeeTo, managerToken1Amount); reserve1 = reserve1.sub(managerToken1Amount); } if (protocolToken0Amount > 0) { TransferHelper.safeTransfer(address(token0), protocolFeeTo, protocolToken0Amount); reserve0 = reserve0.sub(protocolToken0Amount); } if (protocolToken1Amount > 0) { TransferHelper.safeTransfer(address(token1), protocolFeeTo, protocolToken1Amount); reserve1 = reserve1.sub(protocolToken1Amount); } emit FeesClaim(address(this), _fee0, _fee1); } /** * @notice Burns all the liquidity and collects fees */ function burnAllLiquidity() internal returns (uint256 totalFee0, uint256 totalFee1) { for (uint256 _tickIndex = 0; _tickIndex < ticks.length; _tickIndex++) { Tick storage tick = ticks[_tickIndex]; (uint128 currentLiquidity, , , , , ) = pool.positions(PositionKey.compute(address(this), tick.tickLower, tick.tickUpper)); if (currentLiquidity > 0) { (, , uint256 fee0, uint256 fee1) = burnLiquidity(tick.tickLower, tick.tickUpper, 0, currentLiquidity); totalFee0 = totalFee0.add(fee0); totalFee1 = totalFee1.add(fee1); } } } /** * @notice Burn liquidity from specific tick * @param _tickIndex Index of tick which needs to be burned * @return amount0 Amount of token0's liquidity burned * @return amount1 Amount of token1's liquidity burned * @return fee0 Fee of token0 accumulated in the position which is being burned * @return fee1 Fee of token1 accumulated in the position which is being burned */ function burnLiquiditySingle( uint256 _tickIndex ) public nonReentrant returns (uint256 amount0, uint256 amount1, uint256 fee0, uint256 fee1) { require(!onlyHasDeviation(), "D"); require(manager.isAllowedToBurn(msg.sender), "N"); (amount0, amount1, fee0, fee1) = _burnLiquiditySingle(_tickIndex); if (fee0 > 0 || fee1 > 0) { _transferPerformanceFees(fee0, fee1); } // shift the index element at last of array ticks[_tickIndex] = ticks[ticks.length - 1]; // remove last element ticks.pop(); } /** * @notice Burn liquidity from specific tick * @param _tickIndex Index of tick which needs to be burned */ function _burnLiquiditySingle(uint256 _tickIndex) internal returns (uint256 amount0, uint256 amount1, uint256 fee0, uint256 fee1) { Tick storage tick = ticks[_tickIndex]; (uint128 currentLiquidity, , , , , ) = pool.positions(PositionKey.compute(address(this), tick.tickLower, tick.tickUpper)); if (currentLiquidity > 0) { (amount0, amount1, fee0, fee1) = burnLiquidity(tick.tickLower, tick.tickUpper, 0, currentLiquidity); } } /** * @notice Swap the funds to 1Inch * @param zeroToOne swap direction - true if swapping token0 to token1 else false * @param amountIn amount of token to swap * @param isOneInchSwap true if swap is happening from one inch * @param data Swap data to perform exchange from 1inch */ function swap(bool zeroToOne, uint256 amountIn, bool isOneInchSwap, bytes calldata data) public nonReentrant { require(onlyOperator(), "N"); require(!onlyValidStrategy(), "DL"); _swap(zeroToOne, amountIn, isOneInchSwap, data); } /** * @notice Swap the funds to 1Inch * @param data Swap data to perform exchange from 1inch */ function _swap(bool zeroToOne, uint256 amountIn, bool isOneInchSwap, bytes calldata data) internal { require(!onlyHasDeviation(), "D"); LocalVariables_Balances memory balances; address swapProxy = factory.swapProxy(); IERC20 srcToken; IERC20 dstToken; if (zeroToOne) { token0.safeIncreaseAllowance(swapProxy, amountIn); srcToken = token0; dstToken = token1; } else { token1.safeIncreaseAllowance(swapProxy, amountIn); srcToken = token1; dstToken = token0; } balances.tokenInBalBefore = srcToken.balanceOf(address(this)); balances.tokenOutBalBefore = dstToken.balanceOf(address(this)); balances.shareSupplyBefore = totalSupply(); if(isOneInchSwap){ ISwapProxy(swapProxy).aggregatorSwap(data); } else { // perform swap (bool success, bytes memory returnData) = address(swapProxy).call(data); // Verify return status and data if (!success) { uint256 length = returnData.length; if (length < 68) { // If the returnData length is less than 68, then the transaction failed silently. revert("swap"); } else { // Look for revert reason and bubble it up if present uint256 t; assembly { returnData := add(returnData, 4) t := mload(returnData) // Save the content of the length slot mstore(returnData, sub(length, 4)) // Set proper length } string memory reason = abi.decode(returnData, (string)); assembly { mstore(returnData, t) // Restore the content of the length slot } revert(reason); } } } require(balances.shareSupplyBefore == totalSupply()); balances.tokenInBalAfter = srcToken.balanceOf(address(this)); balances.tokenOutBalAfter = dstToken.balanceOf(address(this)); uint256 amountInFinal = balances.tokenInBalBefore.sub(balances.tokenInBalAfter); uint256 amountOutFinal = balances.tokenOutBalAfter.sub(balances.tokenOutBalBefore); // revoke approval after swap & update reserves if (zeroToOne) { token0.safeApprove(swapProxy, 0); reserve0 = reserve0.sub(amountInFinal); reserve1 = reserve1.add(amountOutFinal); } else { token1.safeApprove(swapProxy, 0); reserve0 = reserve0.add(amountOutFinal); reserve1 = reserve1.sub(amountInFinal); } // used to limit number of swaps a manager can do per day manager.increamentSwapCounter(); require( OracleLibrary.allowSwap(pool, factory, amountInFinal, amountOutFinal, address(srcToken), address(dstToken), [usdAsBase[0], usdAsBase[1]]), "S" ); } /** * @dev Callback for Algebra pool. */ function algebraMintCallback(uint256 amount0, uint256 amount1, bytes calldata data) external override { require(msg.sender == address(pool)); MintCallbackData memory decoded = abi.decode(data, (MintCallbackData)); // check if the callback is received from Algebra Pool if (decoded.payer == address(this)) { // transfer tokens already in the contract if (amount0 > 0) { TransferHelper.safeTransfer(address(token0), msg.sender, amount0); reserve0 = reserve0.sub(amount0); } if (amount1 > 0) { TransferHelper.safeTransfer(address(token1), msg.sender, amount1); reserve1 = reserve1.sub(amount1); } } else { // take and transfer tokens to Algebra pool from the user if (amount0 > 0) { TransferHelper.safeTransferFrom(address(token0), decoded.payer, msg.sender, amount0); } if (amount1 > 0) { TransferHelper.safeTransferFrom(address(token1), decoded.payer, msg.sender, amount1); } } } /** * @notice Get's assets under management with realtime fees * @param _includeFee Whether to include pool fees in AUM or not. (passing true will also collect fees from pool) * @param amount0 Total AUM of token0 including the fees ( if _includeFee is passed true) * @param amount1 Total AUM of token1 including the fees ( if _includeFee is passed true) * @param totalFee0 Total fee of token0 including the fees ( if _includeFee is passed true) * @param totalFee1 Total fee of token1 including the fees ( if _includeFee is passed true) */ function getAUMWithFees(bool _includeFee) external returns (uint256 amount0, uint256 amount1, uint256 totalFee0, uint256 totalFee1) { // get fees accumulated in each tick for (uint256 i = 0; i < ticks.length; i++) { Tick memory tick = ticks[i]; // get current liquidity from the pool (uint128 currentLiquidity, , , , , ) = pool.positions(PositionKey.compute(address(this), tick.tickLower, tick.tickUpper)); if (currentLiquidity > 0) { // calculate current positions in the pool from currentLiquidity (uint256 position0, uint256 position1) = LiquidityHelper.getAmountsForLiquidity( pool, tick.tickLower, tick.tickUpper, currentLiquidity ); amount0 = amount0.add(position0); amount1 = amount1.add(position1); } // collect fees if (_includeFee && currentLiquidity > 0) { // update fees earned in Algebra pool // Algebra recalculates the fees and updates the variables when amount is passed as 0 pool.burn(tick.tickLower, tick.tickUpper, 0); (uint256 fee0, uint256 fee1) = pool.collect( address(this), tick.tickLower, tick.tickUpper, type(uint128).max, type(uint128).max ); totalFee0 = totalFee0.add(fee0); totalFee1 = totalFee1.add(fee1); emit FeesClaim(address(this), totalFee0, totalFee1); } } reserve0 = reserve0.add(totalFee0); reserve1 = reserve1.add(totalFee1); if (_includeFee && (totalFee0 > 0 || totalFee1 > 0)) { // transfer performance fees _transferPerformanceFees(totalFee0, totalFee1); } // get unused amounts amount0 = amount0.add(reserve0); amount1 = amount1.add(reserve1); } // force balances to match reserves function skim(address to) external { require(onlyOperator()); TransferHelper.safeTransfer(address(token0), to, token0.balanceOf(address(this)).sub(reserve0)); TransferHelper.safeTransfer(address(token1), to, token1.balanceOf(address(this)).sub(reserve1)); } // force reserves to match balances function sync() external { require(onlyOperator()); reserve0 = token0.balanceOf(address(this)); reserve1 = token1.balanceOf(address(this)); emit Sync(reserve0, reserve1); } }
//SPDX-License-Identifier: Unlicense pragma solidity ^0.7.6; pragma abicoder v2; // contracts import "@openzeppelin/contracts/math/SafeMath.sol"; // libraries import "../interfaces/linex/IAlgebraPool.sol"; import "@cryptoalgebra/core/contracts/libraries/TickMath.sol"; import "@cryptoalgebra/periphery/contracts/libraries/LiquidityAmounts.sol"; library LiquidityHelper { using SafeMath for uint256; /** * @notice Calculates the liquidity amount using current ranges * @param _pool Pool instance * @param _tickLower Lower tick * @param _tickUpper Upper tick * @param _amount0 Amount to be added for token0 * @param _amount1 Amount to be added for token1 * @return liquidity Liquidity amount derived from token amounts */ function getLiquidityForAmounts( IAlgebraPool _pool, int24 _tickLower, int24 _tickUpper, uint256 _amount0, uint256 _amount1 ) public view returns (uint128 liquidity) { // get sqrtRatios required to calculate liquidity (uint160 sqrtRatioX96, , , , , , ) = _pool.globalState(); // calculate liquidity needs to be added liquidity = LiquidityAmounts.getLiquidityForAmounts( sqrtRatioX96, TickMath.getSqrtRatioAtTick(_tickLower), TickMath.getSqrtRatioAtTick(_tickUpper), _amount0, _amount1 ); } /** * @notice Calculates the liquidity amount using current ranges * @param _pool Instance of the pool * @param _tickLower Lower tick * @param _tickUpper Upper tick * @param _liquidity Liquidity of the pool */ function getAmountsForLiquidity( IAlgebraPool _pool, int24 _tickLower, int24 _tickUpper, uint128 _liquidity ) public view returns (uint256 amount0, uint256 amount1) { // get sqrtRatios required to calculate liquidity (uint160 sqrtRatioX96, , , , , , ) = _pool.globalState(); // calculate liquidity needs to be added (amount0, amount1) = LiquidityAmounts.getAmountsForLiquidity( sqrtRatioX96, TickMath.getSqrtRatioAtTick(_tickLower), TickMath.getSqrtRatioAtTick(_tickUpper), _liquidity ); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; /** * @dev Wrappers over Solidity's uintXX/intXX casting operators with added overflow * checks. * * Downcasting from uint256/int256 in Solidity does not revert on overflow. This can * easily result in undesired exploitation or bugs, since developers usually * assume that overflows raise errors. `SafeCast` restores this intuition by * reverting the transaction when such an operation overflows. * * Using this library instead of the unchecked operations eliminates an entire * class of bugs, so it's recommended to use it always. * * Can be combined with {SafeMath} and {SignedSafeMath} to extend it to smaller types, by performing * all math on `uint256` and `int256` and then downcasting. */ library SafeCast { /** * @dev Returns the downcasted uint128 from uint256, reverting on * overflow (when the input is greater than largest uint128). * * Counterpart to Solidity's `uint128` operator. * * Requirements: * * - input must fit into 128 bits */ function toUint128(uint256 value) internal pure returns (uint128) { require(value < 2**128, "SafeCast: value doesn\'t fit in 128 bits"); return uint128(value); } /** * @dev Returns the downcasted uint64 from uint256, reverting on * overflow (when the input is greater than largest uint64). * * Counterpart to Solidity's `uint64` operator. * * Requirements: * * - input must fit into 64 bits */ function toUint64(uint256 value) internal pure returns (uint64) { require(value < 2**64, "SafeCast: value doesn\'t fit in 64 bits"); return uint64(value); } /** * @dev Returns the downcasted uint32 from uint256, reverting on * overflow (when the input is greater than largest uint32). * * Counterpart to Solidity's `uint32` operator. * * Requirements: * * - input must fit into 32 bits */ function toUint32(uint256 value) internal pure returns (uint32) { require(value < 2**32, "SafeCast: value doesn\'t fit in 32 bits"); return uint32(value); } /** * @dev Returns the downcasted uint16 from uint256, reverting on * overflow (when the input is greater than largest uint16). * * Counterpart to Solidity's `uint16` operator. * * Requirements: * * - input must fit into 16 bits */ function toUint16(uint256 value) internal pure returns (uint16) { require(value < 2**16, "SafeCast: value doesn\'t fit in 16 bits"); return uint16(value); } /** * @dev Returns the downcasted uint8 from uint256, reverting on * overflow (when the input is greater than largest uint8). * * Counterpart to Solidity's `uint8` operator. * * Requirements: * * - input must fit into 8 bits. */ function toUint8(uint256 value) internal pure returns (uint8) { require(value < 2**8, "SafeCast: value doesn\'t fit in 8 bits"); return uint8(value); } /** * @dev Converts a signed int256 into an unsigned uint256. * * Requirements: * * - input must be greater than or equal to 0. */ function toUint256(int256 value) internal pure returns (uint256) { require(value >= 0, "SafeCast: value must be positive"); return uint256(value); } /** * @dev Returns the downcasted int128 from int256, reverting on * overflow (when the input is less than smallest int128 or * greater than largest int128). * * Counterpart to Solidity's `int128` operator. * * Requirements: * * - input must fit into 128 bits * * _Available since v3.1._ */ function toInt128(int256 value) internal pure returns (int128) { require(value >= -2**127 && value < 2**127, "SafeCast: value doesn\'t fit in 128 bits"); return int128(value); } /** * @dev Returns the downcasted int64 from int256, reverting on * overflow (when the input is less than smallest int64 or * greater than largest int64). * * Counterpart to Solidity's `int64` operator. * * Requirements: * * - input must fit into 64 bits * * _Available since v3.1._ */ function toInt64(int256 value) internal pure returns (int64) { require(value >= -2**63 && value < 2**63, "SafeCast: value doesn\'t fit in 64 bits"); return int64(value); } /** * @dev Returns the downcasted int32 from int256, reverting on * overflow (when the input is less than smallest int32 or * greater than largest int32). * * Counterpart to Solidity's `int32` operator. * * Requirements: * * - input must fit into 32 bits * * _Available since v3.1._ */ function toInt32(int256 value) internal pure returns (int32) { require(value >= -2**31 && value < 2**31, "SafeCast: value doesn\'t fit in 32 bits"); return int32(value); } /** * @dev Returns the downcasted int16 from int256, reverting on * overflow (when the input is less than smallest int16 or * greater than largest int16). * * Counterpart to Solidity's `int16` operator. * * Requirements: * * - input must fit into 16 bits * * _Available since v3.1._ */ function toInt16(int256 value) internal pure returns (int16) { require(value >= -2**15 && value < 2**15, "SafeCast: value doesn\'t fit in 16 bits"); return int16(value); } /** * @dev Returns the downcasted int8 from int256, reverting on * overflow (when the input is less than smallest int8 or * greater than largest int8). * * Counterpart to Solidity's `int8` operator. * * Requirements: * * - input must fit into 8 bits. * * _Available since v3.1._ */ function toInt8(int256 value) internal pure returns (int8) { require(value >= -2**7 && value < 2**7, "SafeCast: value doesn\'t fit in 8 bits"); return int8(value); } /** * @dev Converts an unsigned uint256 into a signed int256. * * Requirements: * * - input must be less than or equal to maxInt256. */ function toInt256(uint256 value) internal pure returns (int256) { require(value < 2**255, "SafeCast: value doesn't fit in an int256"); return int256(value); } }
//SPDX-License-Identifier: BSL pragma solidity ^0.7.6; pragma abicoder v2; // contracts import "../ERC20.sol"; // libraries import "../libraries/ShareHelper.sol"; import "../libraries/OracleLibrary.sol"; contract StrategyBase is ERC20, IStrategyBase { using SafeMath for uint256; uint256 public constant FEE_PRECISION = 1e8; bool public override onHold; uint256 public constant MINIMUM_LIQUIDITY = 1e12; // store ticks Tick[] public ticks; uint256 public override accManagementFeeShares; // stores the management fee shares IStrategyFactory public override factory; // instance of the strategy factory IAlgebraPool public override pool; // instance of the Algebra pool IERC20 public token0; IERC20 public token1; FeedRegistryInterface internal chainlinkRegistry; IStrategyManager public override manager; // instance of manager contract bool[2] public override usdAsBase; // for Chainlink oracle uint256 public constant MAX_TICK_LENGTH = 20; uint256 public reserve0; // reserve for token0 balance uint256 public reserve1; // reserve for token1 balance // Modifiers function onlyOperator() internal view returns(bool isOperator){ if(manager.isAllowedToManage(msg.sender)){ isOperator = true; } } /** * @dev Replaces old ticks with new ticks * @param _ticks New ticks * @return invalid true if the ticks are valid and not repeated */ function isInvalidTicks(Tick[] memory _ticks) internal pure returns (bool invalid) { for (uint256 i = 0; i < _ticks.length; i++) { int24 tickLower = _ticks[i].tickLower; int24 tickUpper = _ticks[i].tickUpper; // check that two tick upper and tick lowers are not in array cannot be same for (uint256 j = 0; j < i; j++) { if (tickLower == _ticks[j].tickLower) { if (tickUpper == _ticks[j].tickUpper) { invalid = true; return invalid; } } } } } /** * @dev Checks if it's valid strategy or not */ function onlyValidStrategy() internal view returns (bool isInvalidStrategy){ // check if strategy is in denylist if(factory.denied(address(this))){ isInvalidStrategy = true; } } /** * @dev checks if the pool is manipulated */ function onlyHasDeviation() internal view returns (bool hasDeviation){ if(OracleLibrary.hasDeviation(factory, pool, chainlinkRegistry, usdAsBase, address(manager))){ hasDeviation = true; } } /** * @dev checks if caller is governance */ function onlyGovernance() internal view returns(bool isGov){ if(msg.sender == factory.governance()){ isGov = true; } } /** * @notice Updates the shares of the user * @param _amount0 Amount of token0 * @param _amount1 Amount of token1 * @param _totalAmount0 Total amount0 in the specific strategy * @param _totalAmount1 Total amount1 in the specific strategy * @param _user address where shares should be issued * @return share Number of shares issued */ function issueShare( uint256 _amount0, uint256 _amount1, uint256 _totalAmount0, uint256 _totalAmount1, address _user ) internal returns (uint256 share) { uint256 _shareTotalSupply = totalSupply(); // calculate number of shares share = ShareHelper.calculateShares( factory, chainlinkRegistry, pool, usdAsBase, _amount0, _amount1, _totalAmount0, _totalAmount1, _shareTotalSupply ); uint256 managerShare; uint256 managementFeeRate = manager.managementFeeRate(); if (_shareTotalSupply == 0) { share = share.sub(MINIMUM_LIQUIDITY); _mint(address(0), MINIMUM_LIQUIDITY); } // strategy owner fees if (managementFeeRate > 0) { managerShare = share.mul(managementFeeRate).div(FEE_PRECISION); accManagementFeeShares = accManagementFeeShares.add(managerShare); share = share.sub(managerShare); } // issue shares _mint(_user, share); } /** * @notice Adds all the shares stored in the state variables * @return total supply of shares, including virtual supply */ function totalSupply() public view override returns (uint256) { return _totalSupply.add(accManagementFeeShares); } /** * @notice Claims the fee for protocol and management * Protocol receives X percentage from manager fee */ function claimFee() external override { (address managerFeeTo, address protocolFeeTo, uint256 managerShare, uint256 protocolShare) = ShareHelper.calculateFeeShares( factory, manager, accManagementFeeShares ); if (managerShare > 0) { _mint(managerFeeTo, managerShare); } if (protocolShare > 0) { _mint(protocolFeeTo, protocolShare); } // set the variables to 0 accManagementFeeShares = 0; emit ClaimFee(managerShare, protocolShare); } /** * @notice Returns the current ticks * @return Array of the ticks */ function getTicks() public view returns (Tick[] memory) { return ticks; } function getTotalAmounts() external view returns(uint tot0,uint tot1) { return factory.getTotalAmounts(address(this)); } }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.6.0; import '@openzeppelin/contracts/token/ERC20/IERC20.sol'; /// @dev Credit to Uniswap Labs under GPL-2.0-or-later license: /// https://github.com/Uniswap/v3-periphery library TransferHelper { /// @notice Transfers tokens from the targeted address to the given destination /// @notice Errors with 'STF' if transfer fails /// @param token The contract address of the token to be transferred /// @param from The originating address from which the tokens will be transferred /// @param to The destination address of the transfer /// @param value The amount to be transferred function safeTransferFrom( address token, address from, address to, uint256 value ) internal { (bool success, bytes memory data) = token.call( abi.encodeWithSelector(IERC20.transferFrom.selector, from, to, value) ); require(success && (data.length == 0 || abi.decode(data, (bool))), 'STF'); } /// @notice Transfers tokens from msg.sender to a recipient /// @dev Errors with ST if transfer fails /// @param token The contract address of the token which will be transferred /// @param to The recipient of the transfer /// @param value The value of the transfer function safeTransfer( address token, address to, uint256 value ) internal { (bool success, bytes memory data) = token.call(abi.encodeWithSelector(IERC20.transfer.selector, to, value)); require(success && (data.length == 0 || abi.decode(data, (bool))), 'ST'); } /// @notice Approves the stipulated contract to spend the given allowance in the given token /// @dev Errors with 'SA' if transfer fails /// @param token The contract address of the token to be approved /// @param to The target of the approval /// @param value The amount of the given token the target will be allowed to spend function safeApprove( address token, address to, uint256 value ) internal { (bool success, bytes memory data) = token.call(abi.encodeWithSelector(IERC20.approve.selector, to, value)); require(success && (data.length == 0 || abi.decode(data, (bool))), 'SA'); } /// @notice Transfers NativeToken to the recipient address /// @dev Fails with `STE` /// @param to The destination of the transfer /// @param value The value to be transferred function safeTransferNative(address to, uint256 value) internal { (bool success, ) = to.call{value: value}(new bytes(0)); require(success, 'STE'); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; import "./IERC20.sol"; import "../../math/SafeMath.sol"; import "../../utils/Address.sol"; /** * @title SafeERC20 * @dev Wrappers around ERC20 operations that throw on failure (when the token * contract returns false). Tokens that return no value (and instead revert or * throw on failure) are also supported, non-reverting calls are assumed to be * successful. * To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract, * which allows you to call the safe operations as `token.safeTransfer(...)`, etc. */ library SafeERC20 { using SafeMath for uint256; using Address for address; function safeTransfer(IERC20 token, address to, uint256 value) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value)); } function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value)); } /** * @dev Deprecated. This function has issues similar to the ones found in * {IERC20-approve}, and its usage is discouraged. * * Whenever possible, use {safeIncreaseAllowance} and * {safeDecreaseAllowance} instead. */ function safeApprove(IERC20 token, address spender, uint256 value) internal { // safeApprove should only be called when setting an initial allowance, // or when resetting it to zero. To increase and decrease it, use // 'safeIncreaseAllowance' and 'safeDecreaseAllowance' // solhint-disable-next-line max-line-length require((value == 0) || (token.allowance(address(this), spender) == 0), "SafeERC20: approve from non-zero to non-zero allowance" ); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value)); } function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal { uint256 newAllowance = token.allowance(address(this), spender).add(value); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal { uint256 newAllowance = token.allowance(address(this), spender).sub(value, "SafeERC20: decreased allowance below zero"); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } /** * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement * on the return value: the return value is optional (but if data is returned, it must not be false). * @param token The token targeted by the call. * @param data The call data (encoded using abi.encode or one of its variants). */ function _callOptionalReturn(IERC20 token, bytes memory data) private { // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since // we're implementing it ourselves. We use {Address.functionCall} to perform this call, which verifies that // the target address contains contract code and also asserts for success in the low-level call. bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed"); if (returndata.length > 0) { // Return data is optional // solhint-disable-next-line max-line-length require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed"); } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; /** * @dev Contract module that helps prevent reentrant calls to a function. * * Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier * available, which can be applied to functions to make sure there are no nested * (reentrant) calls to them. * * Note that because there is a single `nonReentrant` guard, functions marked as * `nonReentrant` may not call one another. This can be worked around by making * those functions `private`, and then adding `external` `nonReentrant` entry * points to them. * * TIP: If you would like to learn more about reentrancy and alternative ways * to protect against it, check out our blog post * https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul]. */ abstract contract ReentrancyGuard { // Booleans are more expensive than uint256 or any type that takes up a full // word because each write operation emits an extra SLOAD to first read the // slot's contents, replace the bits taken up by the boolean, and then write // back. This is the compiler's defense against contract upgrades and // pointer aliasing, and it cannot be disabled. // The values being non-zero value makes deployment a bit more expensive, // but in exchange the refund on every call to nonReentrant will be lower in // amount. Since refunds are capped to a percentage of the total // transaction's gas, it is best to keep them low in cases like this one, to // increase the likelihood of the full refund coming into effect. uint256 private constant _NOT_ENTERED = 1; uint256 private constant _ENTERED = 2; uint256 private _status; constructor () { _status = _NOT_ENTERED; } /** * @dev Prevents a contract from calling itself, directly or indirectly. * Calling a `nonReentrant` function from another `nonReentrant` * function is not supported. It is possible to prevent this from happening * by making the `nonReentrant` function external, and make it call a * `private` function that does the actual work. */ modifier nonReentrant() { // On the first call to nonReentrant, _notEntered will be true require(_status != _ENTERED, "ReentrancyGuard: reentrant call"); // Any calls to nonReentrant after this point will fail _status = _ENTERED; _; // By storing the original value once again, a refund is triggered (see // https://eips.ethereum.org/EIPS/eip-2200) _status = _NOT_ENTERED; } }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Callback for IAlgebraPoolActions#mint /// @notice Any contract that calls IAlgebraPoolActions#mint must implement this interface /// @dev Credit to Uniswap Labs under GPL-2.0-or-later license: /// https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces interface IAlgebraMintCallback { /// @notice Called to `msg.sender` after minting liquidity to a position from IAlgebraPool#mint. /// @dev In the implementation you must pay the pool tokens owed for the minted liquidity. /// The caller of this method must be checked to be a AlgebraPool deployed by the canonical AlgebraFactory. /// @param amount0Owed The amount of token0 due to the pool for the minted liquidity /// @param amount1Owed The amount of token1 due to the pool for the minted liquidity /// @param data Any data passed through by the caller via the IAlgebraPoolActions#mint call function algebraMintCallback( uint256 amount0Owed, uint256 amount1Owed, bytes calldata data ) external; }
//SPDX-License-Identifier: Unlicense pragma solidity ^0.7.6; interface ISwapProxy { function aggregatorSwap(bytes calldata swapData) external; function isAllowedOneInchCaller(address) external view returns (bool); }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.6; import "@openzeppelin/contracts/utils/Context.sol"; import "@openzeppelin/contracts/math/SafeMath.sol"; import "@openzeppelin/contracts/token/ERC20/IERC20.sol"; /** * @dev Implementation of the {IERC20} interface. * * This implementation is agnostic to the way tokens are created. This means * that a supply mechanism has to be added in a derived contract using {_mint}. * For a generic mechanism see {ERC20PresetMinterPauser}. * * TIP: For a detailed writeup see our guide * https://forum.zeppelin.solutions/t/how-to-implement-erc20-supply-mechanisms/226[How * to implement supply mechanisms]. * * We have followed general OpenZeppelin guidelines: functions revert instead * of returning `false` on failure. This behavior is nonetheless conventional * and does not conflict with the expectations of ERC20 applications. * * Additionally, an {Approval} event is emitted on calls to {transferFrom}. * This allows applications to reconstruct the allowance for all accounts just * by listening to said events. Other implementations of the EIP may not emit * these events, as it isn't required by the specification. * * Finally, the non-standard {decreaseAllowance} and {increaseAllowance} * functions have been added to mitigate the well-known issues around setting * allowances. See {IERC20-approve}. */ abstract contract ERC20 is Context, IERC20 { using SafeMath for uint256; mapping(address => uint256) private _balances; mapping(address => mapping(address => uint256)) public override allowance; // map approval of from to to address uint256 internal _totalSupply; string public constant name = "DefiEdge Share"; string public constant symbol = "DEShare"; uint8 public constant decimals = 18; /** * @dev See {IERC20-balanceOf}. */ function balanceOf(address account) public view virtual override returns (uint256) { return _balances[account]; } /** * @dev See {IERC20-transfer}. * * Requirements: * * - `recipient` cannot be the zero address. * - the caller must have a balance of at least `amount`. */ function transfer(address recipient, uint256 amount) public virtual override returns (bool) { _transfer(_msgSender(), recipient, amount); return true; } /** * @dev See {IERC20-approve}. * * Requirements: * * - `spender` cannot be the zero address. */ function approve(address spender, uint256 amount) public virtual override returns (bool) { _approve(_msgSender(), spender, amount); return true; } /** * @dev See {IERC20-transferFrom}. * * Emits an {Approval} event indicating the updated allowance. This is not * required by the EIP. See the note at the beginning of {ERC20}. * * Requirements: * * - `sender` and `recipient` cannot be the zero address. * - `sender` must have a balance of at least `amount`. * - the caller must have allowance for ``sender``'s tokens of at least * `amount`. */ function transferFrom( address sender, address recipient, uint256 amount ) public virtual override returns (bool) { _transfer(sender, recipient, amount); _approve( sender, _msgSender(), allowance[sender][_msgSender()].sub(amount, "a") ); return true; } /** * @dev Atomically increases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. */ function increaseAllowance(address spender, uint256 addedValue) public virtual returns (bool) { _approve( _msgSender(), spender, allowance[_msgSender()][spender].add(addedValue) ); return true; } /** * @dev Atomically decreases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. * - `spender` must have allowance for the caller of at least * `subtractedValue`. */ function decreaseAllowance(address spender, uint256 subtractedValue) public virtual returns (bool) { _approve( _msgSender(), spender, allowance[_msgSender()][spender].sub(subtractedValue, "a") ); return true; } /** * @dev Moves tokens `amount` from `sender` to `recipient`. * * This is internal function is equivalent to {transfer}, and can be used to * e.g. implement automatic token fees, slashing mechanisms, etc. * * Emits a {Transfer} event. * * Requirements: * * - `sender` cannot be the zero address. * - `recipient` cannot be the zero address. * - `sender` must have a balance of at least `amount`. */ function _transfer( address sender, address recipient, uint256 amount ) internal virtual { _beforeTokenTransfer(sender, recipient, amount); _balances[sender] = _balances[sender].sub( amount, "ERC20: transfer amount exceeds balance" ); _balances[recipient] = _balances[recipient].add(amount); emit Transfer(sender, recipient, amount); } /** @dev Creates `amount` tokens and assigns them to `account`, increasing * the total supply. * * Emits a {Transfer} event with `from` set to the zero address. * * Requirements: * * - `to` cannot be the zero address. */ function _mint(address account, uint256 amount) internal virtual { _beforeTokenTransfer(address(0), account, amount); _totalSupply = _totalSupply.add(amount); _balances[account] = _balances[account].add(amount); emit Transfer(address(0), account, amount); } /** * @dev Destroys `amount` tokens from `account`, reducing the * total supply. * * Emits a {Transfer} event with `to` set to the zero address. * * Requirements: * * - `account` cannot be the zero address. * - `account` must have at least `amount` tokens. */ function _burn(address account, uint256 amount) internal virtual { _beforeTokenTransfer(account, address(0), amount); _balances[account] = _balances[account].sub(amount, "b"); _totalSupply = _totalSupply.sub(amount); emit Transfer(account, address(0), amount); } /** * @dev Sets `amount` as the allowance of `spender` over the `owner` s tokens. * * This internal function is equivalent to `approve`, and can be used to * e.g. set automatic allowances for certain subsystems, etc. * * Emits an {Approval} event. * * Requirements: * * - `owner` cannot be the zero address. * - `spender` cannot be the zero address. */ function _approve( address owner, address spender, uint256 amount ) internal virtual { allowance[owner][spender] = amount; emit Approval(owner, spender, amount); } /** * @dev Hook that is called before any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * will be to transferred to `to`. * - when `from` is zero, `amount` tokens will be minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens will be burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _beforeTokenTransfer( address from, address to, uint256 amount ) internal virtual {} }
//SPDX-License-Identifier: BSL pragma solidity ^0.7.6; pragma abicoder v2; import "@openzeppelin/contracts/math/SafeMath.sol"; import "./OracleLibrary.sol"; library ShareHelper { using SafeMath for uint256; uint256 public constant DIVISOR = 100e18; /** * @dev Calculates the shares to be given for specific position * @param _registry Chainlink registry interface * @param _pool The token0 * @param _isBase Is USD used as base * @param _amount0 Amount of token0 * @param _amount1 Amount of token1 * @param _totalAmount0 Total amount of token0 * @param _totalAmount1 Total amount of token1 * @param _totalShares Total Number of shares */ function calculateShares( IStrategyFactory _factory, FeedRegistryInterface _registry, IAlgebraPool _pool, bool[2] memory _isBase, uint256 _amount0, uint256 _amount1, uint256 _totalAmount0, uint256 _totalAmount1, uint256 _totalShares ) public view returns (uint256 share) { address _token0 = _pool.token0(); address _token1 = _pool.token1(); _amount0 = OracleLibrary.normalise(_token0, _amount0); _amount1 = OracleLibrary.normalise(_token1, _amount1); _totalAmount0 = OracleLibrary.normalise(_token0, _totalAmount0); _totalAmount1 = OracleLibrary.normalise(_token1, _totalAmount1); // price in USD uint256 token0Price = OracleLibrary.getPriceInUSD(_factory, _registry, _token0, _isBase[0]); uint256 token1Price = OracleLibrary.getPriceInUSD(_factory, _registry, _token1, _isBase[1]); if (_totalShares > 0) { uint256 numerator = (token0Price.mul(_amount0)).add(token1Price.mul(_amount1)); uint256 denominator = (token0Price.mul(_totalAmount0)).add(token1Price.mul(_totalAmount1)); share = FullMath.mulDiv(numerator, _totalShares, denominator); } else { share = ((token0Price.mul(_amount0)).add(token1Price.mul(_amount1))).div(DIVISOR); } } /** * @notice Calculates the fee shares from accumulated fees * @param _factory Strategy factory address * @param _manager Strategy manager contract address * @param _accManagementFee Accumulated management fees in terms of shares, decimal 18 */ function calculateFeeShares( IStrategyFactory _factory, IStrategyManager _manager, uint256 _accManagementFee ) public view returns ( address managerFeeTo, address protocolFeeTo, uint256 managerShare, uint256 protocolShare ) { uint256 protocolFeeRate = _factory.protocolFeeRate(); // calculate the fees for protocol and manager from management fees if (_accManagementFee > 0) { protocolShare = FullMath.mulDiv(_accManagementFee, protocolFeeRate, 1e8); managerShare = _accManagementFee.sub(protocolShare); } // moved here for saving bytecode managerFeeTo = _manager.feeTo(); protocolFeeTo = _factory.feeTo(); } }
//SPDX-License-Identifier: BSL pragma solidity 0.7.6; pragma abicoder v2; // contracts import "@chainlink/contracts/src/v0.7/Denominations.sol"; import "@openzeppelin/contracts/math/SafeMath.sol"; import "@openzeppelin/contracts/math/Math.sol"; // libraries import '@cryptoalgebra/core/contracts/libraries/FullMath.sol'; import "@cryptoalgebra/periphery/contracts/libraries/PositionKey.sol"; import "./CommonMath.sol"; // interfaces import "@chainlink/contracts/src/v0.7/interfaces/FeedRegistryInterface.sol"; import "../interfaces/linex/IAlgebraPool.sol"; import "../interfaces/IStrategyFactory.sol"; import "../interfaces/IStrategyManager.sol"; import "../interfaces/IERC20Minimal.sol"; library OracleLibrary { uint256 public constant BASE = 1e18; using SafeMath for uint256; function normalise(address _token, uint256 _amount) internal view returns (uint256 normalised) { // return uint256(_amount) * (10**(18 - IERC20Minimal(_token).decimals())); normalised = _amount; uint256 _decimals = IERC20Minimal(_token).decimals(); if (_decimals < 18) { uint256 missingDecimals = uint256(18).sub(_decimals); normalised = uint256(_amount).mul(10**(missingDecimals)); } else if (_decimals > 18) { uint256 extraDecimals = _decimals.sub(uint256(18)); normalised = uint256(_amount).div(10**(extraDecimals)); } } /** * @notice Gets latest Uniswap price in the pool, price of token1 represented in token0 * @notice _pool Address of the Algebra pool */ function getUniswapPrice(IAlgebraPool _pool) internal view returns (uint256 price) { (uint160 sqrtPriceX96, , , , , , ) = _pool.globalState(); uint256 priceX192 = uint256(sqrtPriceX96).mul(sqrtPriceX96); price = FullMath.mulDiv(priceX192, BASE, 1 << 192); uint256 token0Decimals = IERC20Minimal(_pool.token0()).decimals(); uint256 token1Decimals = IERC20Minimal(_pool.token1()).decimals(); bool decimalCheck = token0Decimals > token1Decimals; uint256 decimalsDelta = decimalCheck ? token0Decimals - token1Decimals : token1Decimals - token0Decimals; // normalise the price to 18 decimals if (token0Decimals == token1Decimals) { return price; } if (decimalCheck) { price = price.mul(CommonMath.safePower(10, decimalsDelta)); } else { price = price.div(CommonMath.safePower(10, decimalsDelta)); } } /** * @notice Returns latest Chainlink price, and normalise it * @param _registry registry * @param _base Base Asset * @param _quote Quote Asset */ function getChainlinkPrice( FeedRegistryInterface _registry, address _base, address _quote, uint256 _validPeriod ) internal view returns (uint256 price) { (, int256 _price, , uint256 updatedAt, ) = _registry.latestRoundData(_base, _quote); require(block.timestamp.sub(updatedAt) < _validPeriod, "OLD_PRICE"); if (_price <= 0) { return 0; } // normalise the price to 18 decimals uint256 _decimals = _registry.decimals(_base, _quote); if (_decimals < 18) { uint256 missingDecimals = uint256(18).sub(_decimals); price = uint256(_price).mul(10**(missingDecimals)); } else if (_decimals > 18) { uint256 extraDecimals = _decimals.sub(uint256(18)); price = uint256(_price).div(10**(extraDecimals)); } return price; } /** * @notice Gets price in USD, if USD feed is not available use ETH feed * @param _registry Interface of the Chainlink registry * @param _token the token we want to convert into USD * @param _isBase if the token supports base as USD or requires conversion from ETH */ function getPriceInUSD( IStrategyFactory _factory, FeedRegistryInterface _registry, address _token, bool _isBase ) internal view returns (uint256 price) { if (_isBase) { price = getChainlinkPrice(_registry, _token, Denominations.USD, _factory.getHeartBeat(_token, Denominations.USD)); } else { price = getChainlinkPrice(_registry, _token, Denominations.ETH, _factory.getHeartBeat(_token, Denominations.ETH)); price = FullMath.mulDiv( price, getChainlinkPrice( _registry, Denominations.ETH, Denominations.USD, _factory.getHeartBeat(Denominations.ETH, Denominations.USD) ), BASE ); } } /** * @notice Checks if the the current price has deviation from the pool price * @param _pool Address of the pool * @param _registry Chainlink registry interface * @param _usdAsBase checks if pegged to USD * @param _manager Manager contract address to check allowed deviation */ function hasDeviation( IStrategyFactory _factory, IAlgebraPool _pool, FeedRegistryInterface _registry, bool[2] memory _usdAsBase, address _manager ) public view returns (bool) { // get price of token0 Uniswap and convert it to USD uint256 uniswapPriceInUSD = FullMath.mulDiv( getUniswapPrice(_pool), getPriceInUSD(_factory, _registry, _pool.token1(), _usdAsBase[1]), BASE ); // get price of token0 from Chainlink in USD uint256 chainlinkPriceInUSD = getPriceInUSD(_factory, _registry, _pool.token0(), _usdAsBase[0]); uint256 diff; diff = FullMath.mulDiv(uniswapPriceInUSD, BASE, chainlinkPriceInUSD); uint256 _allowedDeviation = IStrategyManager(_manager).allowedDeviation(); // check if the price is above deviation and return return diff > BASE.add(_allowedDeviation) || diff < BASE.sub(_allowedDeviation); } /** * @notice Checks for price slippage at the time of swap * @param _pool Address of the pool * @param _factory Address of the DefiEdge strategy factory * @param _amountIn Amount to be swapped * @param _amountOut Amount received after swap * @param _tokenIn Token to be swapped * @param _tokenOut Token to which tokenIn should be swapped * @param _isBase to take token as bas etoken or not * @return true if the swap is allowed, else false */ function allowSwap( IAlgebraPool _pool, IStrategyFactory _factory, uint256 _amountIn, uint256 _amountOut, address _tokenIn, address _tokenOut, bool[2] memory _isBase ) public view returns (bool) { _amountIn = normalise(_tokenIn, _amountIn); _amountOut = normalise(_tokenOut, _amountOut); (bool usdAsBaseAmountIn, bool usdAsBaseAmountOut) = _pool.token0() == _tokenIn ? (_isBase[0], _isBase[1]) : (_isBase[1], _isBase[0]); // get price of token0 Uniswap and convert it to USD uint256 amountInUSD = _amountIn.mul( getPriceInUSD(_factory, FeedRegistryInterface(_factory.chainlinkRegistry()), _tokenIn, usdAsBaseAmountIn) ); // get price of token0 Uniswap and convert it to USD uint256 amountOutUSD = _amountOut.mul( getPriceInUSD(_factory, FeedRegistryInterface(_factory.chainlinkRegistry()), _tokenOut, usdAsBaseAmountOut) ); uint256 diff; diff = amountInUSD.div(amountOutUSD.div(BASE)); uint256 _allowedSlippage = _factory.allowedSlippage(address(_pool)); // check if the price is above deviation if (diff > (BASE.add(_allowedSlippage)) || diff < (BASE.sub(_allowedSlippage))) { return false; } return true; } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0 <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 GSN 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 payable) { return msg.sender; } function _msgData() internal view virtual returns (bytes memory) { this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691 return msg.data; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; /** * @dev Wrappers over Solidity's arithmetic operations with added overflow * checks. * * Arithmetic operations in Solidity wrap on overflow. This can easily result * in bugs, because programmers usually assume that an overflow raises an * error, which is the standard behavior in high level programming languages. * `SafeMath` restores this intuition by reverting the transaction when an * operation overflows. * * Using this library instead of the unchecked operations eliminates an entire * class of bugs, so it's recommended to use it always. */ library SafeMath { /** * @dev Returns the addition of two unsigned integers, with an overflow flag. * * _Available since v3.4._ */ function tryAdd(uint256 a, uint256 b) internal pure returns (bool, uint256) { uint256 c = a + b; if (c < a) return (false, 0); return (true, c); } /** * @dev Returns the substraction of two unsigned integers, with an overflow flag. * * _Available since v3.4._ */ function trySub(uint256 a, uint256 b) internal pure returns (bool, uint256) { if (b > a) return (false, 0); return (true, a - b); } /** * @dev Returns the multiplication of two unsigned integers, with an overflow flag. * * _Available since v3.4._ */ function tryMul(uint256 a, uint256 b) internal pure returns (bool, uint256) { // Gas optimization: this is cheaper than requiring 'a' not being zero, but the // benefit is lost if 'b' is also tested. // See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522 if (a == 0) return (true, 0); uint256 c = a * b; if (c / a != b) return (false, 0); return (true, c); } /** * @dev Returns the division of two unsigned integers, with a division by zero flag. * * _Available since v3.4._ */ function tryDiv(uint256 a, uint256 b) internal pure returns (bool, uint256) { if (b == 0) return (false, 0); return (true, a / b); } /** * @dev Returns the remainder of dividing two unsigned integers, with a division by zero flag. * * _Available since v3.4._ */ function tryMod(uint256 a, uint256 b) internal pure returns (bool, uint256) { if (b == 0) return (false, 0); return (true, a % b); } /** * @dev Returns the addition of two unsigned integers, reverting on * overflow. * * Counterpart to Solidity's `+` operator. * * Requirements: * * - Addition cannot overflow. */ function add(uint256 a, uint256 b) internal pure returns (uint256) { uint256 c = a + b; require(c >= a, "SafeMath: addition overflow"); return c; } /** * @dev Returns the subtraction of two unsigned integers, reverting on * overflow (when the result is negative). * * Counterpart to Solidity's `-` operator. * * Requirements: * * - Subtraction cannot overflow. */ function sub(uint256 a, uint256 b) internal pure returns (uint256) { require(b <= a, "SafeMath: subtraction overflow"); return a - b; } /** * @dev Returns the multiplication of two unsigned integers, reverting on * overflow. * * Counterpart to Solidity's `*` operator. * * Requirements: * * - Multiplication cannot overflow. */ function mul(uint256 a, uint256 b) internal pure returns (uint256) { if (a == 0) return 0; uint256 c = a * b; require(c / a == b, "SafeMath: multiplication overflow"); return c; } /** * @dev Returns the integer division of two unsigned integers, reverting on * division by zero. The result is rounded towards zero. * * Counterpart to Solidity's `/` operator. Note: this function uses a * `revert` opcode (which leaves remaining gas untouched) while Solidity * uses an invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function div(uint256 a, uint256 b) internal pure returns (uint256) { require(b > 0, "SafeMath: division by zero"); return a / b; } /** * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo), * reverting when dividing by zero. * * Counterpart to Solidity's `%` operator. This function uses a `revert` * opcode (which leaves remaining gas untouched) while Solidity uses an * invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function mod(uint256 a, uint256 b) internal pure returns (uint256) { require(b > 0, "SafeMath: modulo by zero"); return a % b; } /** * @dev Returns the subtraction of two unsigned integers, reverting with custom message on * overflow (when the result is negative). * * CAUTION: This function is deprecated because it requires allocating memory for the error * message unnecessarily. For custom revert reasons use {trySub}. * * Counterpart to Solidity's `-` operator. * * Requirements: * * - Subtraction cannot overflow. */ function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b <= a, errorMessage); return a - b; } /** * @dev Returns the integer division of two unsigned integers, reverting with custom message on * division by zero. The result is rounded towards zero. * * CAUTION: This function is deprecated because it requires allocating memory for the error * message unnecessarily. For custom revert reasons use {tryDiv}. * * Counterpart to Solidity's `/` operator. Note: this function uses a * `revert` opcode (which leaves remaining gas untouched) while Solidity * uses an invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b > 0, errorMessage); return a / b; } /** * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo), * reverting with custom message when dividing by zero. * * CAUTION: This function is deprecated because it requires allocating memory for the error * message unnecessarily. For custom revert reasons use {tryMod}. * * Counterpart to Solidity's `%` operator. This function uses a `revert` * opcode (which leaves remaining gas untouched) while Solidity uses an * invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b > 0, errorMessage); return a % b; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `recipient`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address recipient, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `sender` to `recipient` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom(address sender, address recipient, uint256 amount) external returns (bool); /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; library Denominations { address public constant ETH = 0xEeeeeEeeeEeEeeEeEeEeeEEEeeeeEeeeeeeeEEeE; address public constant BTC = 0xbBbBBBBbbBBBbbbBbbBbbbbBBbBbbbbBbBbbBBbB; // Fiat currencies follow https://en.wikipedia.org/wiki/ISO_4217 address public constant USD = address(840); address public constant GBP = address(826); address public constant EUR = address(978); address public constant JPY = address(392); address public constant KRW = address(410); address public constant CNY = address(156); address public constant AUD = address(36); address public constant CAD = address(124); address public constant CHF = address(756); address public constant ARS = address(32); address public constant PHP = address(608); address public constant NZD = address(554); address public constant SGD = address(702); address public constant NGN = address(566); address public constant ZAR = address(710); address public constant RUB = address(643); address public constant INR = address(356); address public constant BRL = address(986); }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; /** * @dev Standard math utilities missing in the Solidity language. */ library Math { /** * @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, so we distribute return (a / 2) + (b / 2) + ((a % 2 + b % 2) / 2); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.4.0 || ^0.5.0 || ^0.6.0 || ^0.7.0; /// @title Contains 512-bit math functions /// @notice Facilitates multiplication and division that can have overflow of an intermediate value without any loss of precision /// @dev Handles "phantom overflow" i.e., allows multiplication and division where an intermediate value overflows 256 bits library FullMath { /// @notice Calculates floor(a×b÷denominator) with full precision. Throws if result overflows a uint256 or denominator == 0 /// @param a The multiplicand /// @param b The multiplier /// @param denominator The divisor /// @return result The 256-bit result /// @dev Credit to Remco Bloemen under MIT license https://xn--2-umb.com/21/muldiv function mulDiv( uint256 a, uint256 b, uint256 denominator ) internal pure returns (uint256 result) { // 512-bit multiply [prod1 prod0] = a * b // Compute the product mod 2**256 and mod 2**256 - 1 // then 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 = a * b; // Least significant 256 bits of the product uint256 prod1; // Most significant 256 bits of the product assembly { let mm := mulmod(a, b, not(0)) prod1 := sub(sub(mm, prod0), lt(mm, prod0)) } // Make sure the result is less than 2**256. // Also prevents denominator == 0 require(denominator > prod1); // Handle non-overflow cases, 256 by 256 division if (prod1 == 0) { assembly { result := div(prod0, denominator) } return result; } /////////////////////////////////////////////// // 512 by 256 division. /////////////////////////////////////////////// // Make division exact by subtracting the remainder from [prod1 prod0] // Compute remainder using mulmod // Subtract 256 bit remainder from 512 bit number assembly { let remainder := mulmod(a, b, denominator) prod1 := sub(prod1, gt(remainder, prod0)) prod0 := sub(prod0, remainder) } // Factor powers of two out of denominator // Compute largest power of two divisor of denominator. // Always >= 1. uint256 twos = -denominator & denominator; // Divide denominator by power of two assembly { denominator := div(denominator, twos) } // Divide [prod1 prod0] by the factors of two assembly { prod0 := div(prod0, twos) } // Shift in bits from prod1 into prod0. For this we need // to flip `twos` such that it is 2**256 / twos. // If twos is zero, then it becomes one assembly { twos := add(div(sub(0, twos), twos), 1) } 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 // correct for four bits. That is, denominator * inv = 1 mod 2**4 uint256 inv = (3 * denominator) ^ 2; // Now use 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. inv *= 2 - denominator * inv; // inverse mod 2**8 inv *= 2 - denominator * inv; // inverse mod 2**16 inv *= 2 - denominator * inv; // inverse mod 2**32 inv *= 2 - denominator * inv; // inverse mod 2**64 inv *= 2 - denominator * inv; // inverse mod 2**128 inv *= 2 - denominator * inv; // 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 * inv; return result; } /// @notice Calculates ceil(a×b÷denominator) with full precision. Throws if result overflows a uint256 or denominator == 0 /// @param a The multiplicand /// @param b The multiplier /// @param denominator The divisor /// @return result The 256-bit result function mulDivRoundingUp( uint256 a, uint256 b, uint256 denominator ) internal pure returns (uint256 result) { if (a == 0 || ((result = a * b) / a == b)) { require(denominator > 0); assembly { result := add(div(result, denominator), gt(mod(result, denominator), 0)) } } else { result = mulDiv(a, b, denominator); if (mulmod(a, b, denominator) > 0) { require(result < type(uint256).max); result++; } } } /// @notice Returns ceil(x / y) /// @dev division by 0 has unspecified behavior, and must be checked externally /// @param x The dividend /// @param y The divisor /// @return z The quotient, ceil(x / y) function divRoundingUp(uint256 x, uint256 y) internal pure returns (uint256 z) { assembly { z := add(div(x, y), gt(mod(x, y), 0)) } } }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; library PositionKey { /// @dev Returns the key of the position in the core library function compute( address owner, int24 bottomTick, int24 topTick ) internal pure returns (bytes32 key) { assembly { key := or(shl(24, or(shl(24, owner), and(bottomTick, 0xFFFFFF))), and(topTick, 0xFFFFFF)) } } }
//SPDX-License-Identifier: BSL pragma solidity ^0.7.6; /* Copyright 2018 Set Labs Inc. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ import "@openzeppelin/contracts/math/SafeMath.sol"; library CommonMath { using SafeMath for uint256; /** * Calculates and returns the maximum value for a uint256 * * @return The maximum value for uint256 */ function maxUInt256() internal pure returns (uint256) { return 2**256 - 1; } /** * @dev Performs the power on a specified value, reverts on overflow. */ function safePower(uint256 a, uint256 pow) internal pure returns (uint256) { require(a > 0); uint256 result = 1; for (uint256 i = 0; i < pow; i++) { uint256 previousResult = result; // Using safemath multiplication prevents overflows result = previousResult.mul(a); } return result; } /** * Checks for rounding errors and returns value of potential partial amounts of a principal * * @param _principal Number fractional amount is derived from * @param _numerator Numerator of fraction * @param _denominator Denominator of fraction * @return uint256 Fractional amount of principal calculated */ function getPartialAmount( uint256 _principal, uint256 _numerator, uint256 _denominator ) internal pure returns (uint256) { // Get remainder of partial amount (if 0 not a partial amount) uint256 remainder = mulmod(_principal, _numerator, _denominator); // Return if not a partial amount if (remainder == 0) { return _principal.mul(_numerator).div(_denominator); } // Calculate error percentage uint256 errPercentageTimes1000000 = remainder.mul(1000000).div( _numerator.mul(_principal) ); // Require error percentage is less than 0.1%. require( errPercentageTimes1000000 < 1000, "CommonMath.getPartialAmount: Rounding error exceeds bounds" ); return _principal.mul(_numerator).div(_denominator); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; pragma abicoder v2; import "./AggregatorV2V3Interface.sol"; interface FeedRegistryInterface { struct Phase { uint16 phaseId; uint80 startingAggregatorRoundId; uint80 endingAggregatorRoundId; } event FeedProposed( address indexed asset, address indexed denomination, address indexed proposedAggregator, address currentAggregator, address sender ); event FeedConfirmed( address indexed asset, address indexed denomination, address indexed latestAggregator, address previousAggregator, uint16 nextPhaseId, address sender ); // V3 AggregatorV3Interface function decimals( address base, address quote ) external view returns ( uint8 ); function description( address base, address quote ) external view returns ( string memory ); function version( address base, address quote ) external view returns ( uint256 ); function latestRoundData( address base, address quote ) external view returns ( uint80 roundId, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound ); function getRoundData( address base, address quote, uint80 _roundId ) external view returns ( uint80 roundId, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound ); // V2 AggregatorInterface function latestAnswer( address base, address quote ) external view returns ( int256 answer ); function latestTimestamp( address base, address quote ) external view returns ( uint256 timestamp ); function latestRound( address base, address quote ) external view returns ( uint256 roundId ); function getAnswer( address base, address quote, uint256 roundId ) external view returns ( int256 answer ); function getTimestamp( address base, address quote, uint256 roundId ) external view returns ( uint256 timestamp ); // Registry getters function getFeed( address base, address quote ) external view returns ( AggregatorV2V3Interface aggregator ); function getPhaseFeed( address base, address quote, uint16 phaseId ) external view returns ( AggregatorV2V3Interface aggregator ); function isFeedEnabled( address aggregator ) external view returns ( bool ); function getPhase( address base, address quote, uint16 phaseId ) external view returns ( Phase memory phase ); // Round helpers function getRoundFeed( address base, address quote, uint80 roundId ) external view returns ( AggregatorV2V3Interface aggregator ); function getPhaseRange( address base, address quote, uint16 phaseId ) external view returns ( uint80 startingRoundId, uint80 endingRoundId ); function getPreviousRoundId( address base, address quote, uint80 roundId ) external view returns ( uint80 previousRoundId ); function getNextRoundId( address base, address quote, uint80 roundId ) external view returns ( uint80 nextRoundId ); // Feed management function proposeFeed( address base, address quote, address aggregator ) external; function confirmFeed( address base, address quote, address aggregator ) external; // Proposed aggregator function getProposedFeed( address base, address quote ) external view returns ( AggregatorV2V3Interface proposedAggregator ); function proposedGetRoundData( address base, address quote, uint80 roundId ) external view returns ( uint80 id, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound ); function proposedLatestRoundData( address base, address quote ) external view returns ( uint80 id, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound ); // Phases function getCurrentPhaseId( address base, address quote ) external view returns ( uint16 currentPhaseId ); }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; import './pool/IAlgebraPoolImmutables.sol'; import './pool/IAlgebraPoolState.sol'; import './pool/IAlgebraPoolDerivedState.sol'; import './pool/IAlgebraPoolActions.sol'; import './pool/IAlgebraPoolPermissionedActions.sol'; import './pool/IAlgebraPoolEvents.sol'; /** * @title The interface for a Algebra Pool * @dev The pool interface is broken up into many smaller pieces. * Credit to Uniswap Labs under GPL-2.0-or-later license: * https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces */ interface IAlgebraPool is IAlgebraPoolImmutables, IAlgebraPoolState, IAlgebraPoolDerivedState, IAlgebraPoolActions, IAlgebraPoolPermissionedActions, IAlgebraPoolEvents { // used only for combining interfaces }
//SPDX-License-Identifier: Unlicense pragma solidity ^0.7.6; pragma abicoder v2; // import "./thena/IAlgebraPool.sol"; import "@cryptoalgebra/core/contracts/interfaces/IAlgebraFactory.sol"; import "@chainlink/contracts/src/v0.7/interfaces/FeedRegistryInterface.sol"; import "./IOneInchRouter.sol"; import "./IStrategyBase.sol"; import "./IDefiEdgeStrategyDeployer.sol"; interface IStrategyFactory { struct CreateStrategyParams { // address of the strategy operator (manager) address operator; // address where all the strategy's fees should go address feeTo; // management fee rate, 1e8 is 100% uint256 managementFeeRate; // performance fee rate, 1e8 is 100% uint256 performanceFeeRate; // limit in the form of shares uint256 limit; // address of the pool IAlgebraPool pool; // Chainlink's pair with USD, if token0 has pair with USD it should be true and v.v. same for token1 bool[2] usdAsBase; // initial ticks to setup IStrategyBase.Tick[] ticks; } function totalIndex() external view returns (uint256); function strategyCreationFee() external view returns (uint256); // fee for strategy creation in native token function defaultAllowedSlippage() external view returns (uint256); // 1e18 means 100% function defaultAllowedDeviation() external view returns (uint256); // 1e18 means 100% function defaultAllowedSwapDeviation() external view returns (uint256); // 1e18 means 100% function allowedDeviation(address _pool) external view returns (uint256); // 1e18 means 100% function allowedSwapDeviation(address _pool) external view returns (uint256); // 1e18 means 100% function allowedSlippage(address _pool) external view returns (uint256); // 1e18 means 100% function isValidStrategy(address) external view returns (bool); // function isAllowedOneInchCaller(address) external view returns (bool); function strategyByIndex(uint256) external view returns (address); function strategyByManager(address) external view returns (address); function feeTo() external view returns (address); function denied(address) external view returns (bool); function maximumManagerPerformanceFeeRate() external view returns (uint256); // 1e8 means 100% function protocolFeeRate() external view returns (uint256); // 1e8 means 100% function protocolPerformanceFeeRateByPool(address) external view returns (uint256); // 1e8 means 100% function protocolPerformanceFeeRateByStrategy(address) external view returns (uint256); // 1e8 means 100% function defaultProtocolPerformanceFeeRate() external view returns (uint256); // 1e8 means 100% function getProtocolPerformanceFeeRate(address pool, address strategy) external view returns(uint256 _feeRate); // 1e8 means 100% function governance() external view returns (address); function pendingGovernance() external view returns (address); function deployerProxy() external view returns (IDefiEdgeStrategyDeployer); function algebraFactory() external view returns (IAlgebraFactory); function chainlinkRegistry() external view returns (FeedRegistryInterface); function swapProxy() external view returns (address); function freezeEmergency() external view returns (bool); function getHeartBeat(address _base, address _quote) external view returns (uint256); function createStrategy(CreateStrategyParams calldata params) external payable; function freezeEmergencyFunctions() external; function changeAllowedSlippage(address, uint256) external; function changeAllowedDeviation(address, uint256) external; function changeAllowedSwapDeviation(address, uint256) external; function changeDefaultValues(uint256, uint256, uint256) external; function getTotalAmounts(address _strategy) external view returns(uint tot0,uint tot1); event NewStrategy(address indexed strategy, address indexed creater); event ChangeProtocolFee(uint256 fee); event ChangeDefaultMaxManagerPerformanceFee(uint256 _feeRate); event ChangeProtocolPerformanceFee(address strategyOrPool, uint256 _feeRate); event StrategyStatusChanged(bool status); event ChangeStrategyCreationFee(uint256 amount); event ClaimFees(address to, uint256 amount); event ChangeAllowedSlippage(address pool, uint256 value); event ChangeAllowedDeviation(address pool, uint256 value); event ChangeAllowedSwapDeviation(address pool, uint256 value); event EmergencyFrozen(); event ChangeSwapProxy(address newSwapProxy); }
//SPDX-License-Identifier: Unlicense pragma solidity ^0.7.6; import "./IStrategyFactory.sol"; interface IStrategyManager { function isUserWhiteListed(address _account) external view returns (bool); function isAllowedToManage(address) external view returns (bool); function isAllowedToBurn(address) external view returns (bool); function managementFeeRate() external view returns (uint256); // 1e8 decimals function performanceFeeRate() external view returns (uint256); // 1e8 decimals function operator() external view returns (address); function limit() external view returns (uint256); function allowedDeviation() external view returns (uint256); // 1e18 decimals function allowedSwapDeviation() external view returns (uint256); // 1e18 decimals function feeTo() external view returns (address); function factory() external view returns (IStrategyFactory); function increamentSwapCounter() external; }
// SPDX-License-Identifier: UNLICENSED pragma solidity ^0.7.6; interface IERC20Minimal { function decimals() external view returns (uint8); }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; import "./AggregatorInterface.sol"; import "./AggregatorV3Interface.sol"; interface AggregatorV2V3Interface is AggregatorInterface, AggregatorV3Interface { }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; interface AggregatorInterface { function latestAnswer() external view returns ( int256 ); function latestTimestamp() external view returns ( uint256 ); function latestRound() external view returns ( uint256 ); function getAnswer( uint256 roundId ) external view returns ( int256 ); function getTimestamp( uint256 roundId ) external view returns ( uint256 ); event AnswerUpdated( int256 indexed current, uint256 indexed roundId, uint256 updatedAt ); event NewRound( uint256 indexed roundId, address indexed startedBy, uint256 startedAt ); }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; 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: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Pool state that never changes /// @dev Credit to Uniswap Labs under GPL-2.0-or-later license: /// https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces interface IAlgebraPoolImmutables { /** * @notice The contract that stores all the timepoints and can perform actions with them * @return The operator address */ function dataStorageOperator() external view returns (address); /** * @notice The contract that deployed the pool, which must adhere to the IAlgebraFactory interface * @return The contract address */ function factory() external view returns (address); /** * @notice The first of the two tokens of the pool, sorted by address * @return The token contract address */ function token0() external view returns (address); /** * @notice The second of the two tokens of the pool, sorted by address * @return The token contract address */ function token1() external view returns (address); /** * @notice The maximum amount of position liquidity that can use any tick in the range * @dev This parameter is enforced per tick to prevent liquidity from overflowing a uint128 at any point, and * also prevents out-of-range liquidity from being used to prevent adding in-range liquidity to a pool * @return The max amount of liquidity per tick */ function maxLiquidityPerTick() external view returns (uint128); }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Pool state that can change /// @dev Credit to Uniswap Labs under GPL-2.0-or-later license: /// https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces interface IAlgebraPoolState { /** * @notice The globalState structure in the pool stores many values but requires only one slot * and is exposed as a single method to save gas when accessed externally. * @return price The current price of the pool as a sqrt(token1/token0) Q64.96 value; * Returns tick The current tick of the pool, i.e. according to the last tick transition that was run; * Returns This value may not always be equal to SqrtTickMath.getTickAtSqrtRatio(price) if the price is on a tick * boundary; * Returns fee The last pool fee value in hundredths of a bip, i.e. 1e-6; * Returns timepointIndex The index of the last written timepoint; * Returns communityFeeToken0 The community fee percentage of the swap fee in thousandths (1e-3) for token0; * Returns communityFeeToken1 The community fee percentage of the swap fee in thousandths (1e-3) for token1; * Returns unlocked Whether the pool is currently locked to reentrancy; */ function globalState() external view returns ( uint160 price, int24 tick, uint16 fee, uint16 timepointIndex, uint16 communityFeeToken0, uint16 communityFeeToken1, bool unlocked ); /** * @notice The fee growth as a Q128.128 fees of token0 collected per unit of liquidity for the entire life of the pool * @dev This value can overflow the uint256 */ function totalFeeGrowth0Token() external view returns (uint256); /** * @notice The fee growth as a Q128.128 fees of token1 collected per unit of liquidity for the entire life of the pool * @dev This value can overflow the uint256 */ function totalFeeGrowth1Token() external view returns (uint256); /** * @notice The currently in range liquidity available to the pool * @dev This value has no relationship to the total liquidity across all ticks. * Returned value cannot exceed type(uint128).max */ function liquidity() external view returns (uint128); /** * @notice Look up information about a specific tick in the pool * @dev This is a public structure, so the `return` natspec tags are omitted. * @param tick The tick to look up * @return liquidityTotal the total amount of position liquidity that uses the pool either as tick lower or * tick upper; * Returns liquidityDelta how much liquidity changes when the pool price crosses the tick; * Returns outerFeeGrowth0Token the fee growth on the other side of the tick from the current tick in token0; * Returns outerFeeGrowth1Token the fee growth on the other side of the tick from the current tick in token1; * Returns outerTickCumulative the cumulative tick value on the other side of the tick from the current tick; * Returns outerSecondsPerLiquidity the seconds spent per liquidity on the other side of the tick from the current tick; * Returns outerSecondsSpent the seconds spent on the other side of the tick from the current tick; * Returns initialized Set to true if the tick is initialized, i.e. liquidityTotal is greater than 0 * otherwise equal to false. Outside values can only be used if the tick is initialized. * In addition, these values are only relative and must be used only in comparison to previous snapshots for * a specific position. */ function ticks(int24 tick) external view returns ( uint128 liquidityTotal, int128 liquidityDelta, uint256 outerFeeGrowth0Token, uint256 outerFeeGrowth1Token, int56 outerTickCumulative, uint160 outerSecondsPerLiquidity, uint32 outerSecondsSpent, bool initialized ); /** @notice Returns 256 packed tick initialized boolean values. See TickTable for more information */ function tickTable(int16 wordPosition) external view returns (uint256); /** * @notice Returns the information about a position by the position's key * @dev This is a public mapping of structures, so the `return` natspec tags are omitted. * @param key The position's key is a hash of a preimage composed by the owner, bottomTick and topTick * @return liquidityAmount The amount of liquidity in the position; * Returns lastLiquidityAddTimestamp Timestamp of last adding of liquidity; * Returns innerFeeGrowth0Token Fee growth of token0 inside the tick range as of the last mint/burn/poke; * Returns innerFeeGrowth1Token Fee growth of token1 inside the tick range as of the last mint/burn/poke; * Returns fees0 The computed amount of token0 owed to the position as of the last mint/burn/poke; * Returns fees1 The computed amount of token1 owed to the position as of the last mint/burn/poke */ function positions(bytes32 key) external view returns ( uint128 liquidityAmount, uint32 lastLiquidityAddTimestamp, uint256 innerFeeGrowth0Token, uint256 innerFeeGrowth1Token, uint128 fees0, uint128 fees1 ); /** * @notice Returns data about a specific timepoint index * @param index The element of the timepoints array to fetch * @dev You most likely want to use #getTimepoints() instead of this method to get an timepoint as of some amount of time * ago, rather than at a specific index in the array. * This is a public mapping of structures, so the `return` natspec tags are omitted. * @return initialized whether the timepoint has been initialized and the values are safe to use; * Returns blockTimestamp The timestamp of the timepoint; * Returns tickCumulative the tick multiplied by seconds elapsed for the life of the pool as of the timepoint timestamp; * Returns secondsPerLiquidityCumulative the seconds per in range liquidity for the life of the pool as of the timepoint timestamp; * Returns volatilityCumulative Cumulative standard deviation for the life of the pool as of the timepoint timestamp; * Returns averageTick Time-weighted average tick; * Returns volumePerLiquidityCumulative Cumulative swap volume per liquidity for the life of the pool as of the timepoint timestamp; */ function timepoints(uint256 index) external view returns ( bool initialized, uint32 blockTimestamp, int56 tickCumulative, uint160 secondsPerLiquidityCumulative, uint88 volatilityCumulative, int24 averageTick, uint144 volumePerLiquidityCumulative ); /** * @notice Returns the information about active incentive * @dev if there is no active incentive at the moment, virtualPool,endTimestamp,startTimestamp would be equal to 0 * @return virtualPool The address of a virtual pool associated with the current active incentive */ function activeIncentive() external view returns (address virtualPool); /** * @notice Returns the lock time for added liquidity */ function liquidityCooldown() external view returns (uint32 cooldownInSeconds); /** * @notice The pool tick spacing * @dev Ticks can only be used at multiples of this value * e.g.: a tickSpacing of 60 means ticks can be initialized every 60th tick, i.e., ..., -120, -60, 0, 60, 120, ... * This value is an int24 to avoid casting even though it is always positive. * @return The tick spacing */ function tickSpacing() external view returns (int24); }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /** * @title Pool state that is not stored * @notice Contains view functions to provide information about the pool that is computed rather than stored on the * blockchain. The functions here may have variable gas costs. * @dev Credit to Uniswap Labs under GPL-2.0-or-later license: * https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces */ interface IAlgebraPoolDerivedState { /** * @notice Returns the cumulative tick and liquidity as of each timestamp `secondsAgo` from the current block timestamp * @dev To get a time weighted average tick or liquidity-in-range, you must call this with two values, one representing * the beginning of the period and another for the end of the period. E.g., to get the last hour time-weighted average tick, * you must call it with secondsAgos = [3600, 0]. * @dev The time weighted average tick represents the geometric time weighted average price of the pool, in * log base sqrt(1.0001) of token1 / token0. The TickMath library can be used to go from a tick value to a ratio. * @param secondsAgos From how long ago each cumulative tick and liquidity value should be returned * @return tickCumulatives Cumulative tick values as of each `secondsAgos` from the current block timestamp * @return secondsPerLiquidityCumulatives Cumulative seconds per liquidity-in-range value as of each `secondsAgos` * from the current block timestamp * @return volatilityCumulatives Cumulative standard deviation as of each `secondsAgos` * @return volumePerAvgLiquiditys Cumulative swap volume per liquidity as of each `secondsAgos` */ function getTimepoints(uint32[] calldata secondsAgos) external view returns ( int56[] memory tickCumulatives, uint160[] memory secondsPerLiquidityCumulatives, uint112[] memory volatilityCumulatives, uint256[] memory volumePerAvgLiquiditys ); /** * @notice Returns a snapshot of the tick cumulative, seconds per liquidity and seconds inside a tick range * @dev Snapshots must only be compared to other snapshots, taken over a period for which a position existed. * I.e., snapshots cannot be compared if a position is not held for the entire period between when the first * snapshot is taken and the second snapshot is taken. * @param bottomTick The lower tick of the range * @param topTick The upper tick of the range * @return innerTickCumulative The snapshot of the tick accumulator for the range * @return innerSecondsSpentPerLiquidity The snapshot of seconds per liquidity for the range * @return innerSecondsSpent The snapshot of the number of seconds during which the price was in this range */ function getInnerCumulatives(int24 bottomTick, int24 topTick) external view returns ( int56 innerTickCumulative, uint160 innerSecondsSpentPerLiquidity, uint32 innerSecondsSpent ); }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Permissionless pool actions /// @dev Credit to Uniswap Labs under GPL-2.0-or-later license: /// https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces interface IAlgebraPoolActions { /** * @notice Sets the initial price for the pool * @dev Price is represented as a sqrt(amountToken1/amountToken0) Q64.96 value * @param price the initial sqrt price of the pool as a Q64.96 */ function initialize(uint160 price) external; /** * @notice Adds liquidity for the given recipient/bottomTick/topTick position * @dev The caller of this method receives a callback in the form of IAlgebraMintCallback# AlgebraMintCallback * in which they must pay any token0 or token1 owed for the liquidity. The amount of token0/token1 due depends * on bottomTick, topTick, the amount of liquidity, and the current price. * @param sender The address which will receive potential surplus of paid tokens * @param recipient The address for which the liquidity will be created * @param bottomTick The lower tick of the position in which to add liquidity * @param topTick The upper tick of the position in which to add liquidity * @param amount The desired amount of liquidity to mint * @param data Any data that should be passed through to the callback * @return amount0 The amount of token0 that was paid to mint the given amount of liquidity. Matches the value in the callback * @return amount1 The amount of token1 that was paid to mint the given amount of liquidity. Matches the value in the callback * @return liquidityActual The actual minted amount of liquidity */ function mint( address sender, address recipient, int24 bottomTick, int24 topTick, uint128 amount, bytes calldata data ) external returns ( uint256 amount0, uint256 amount1, uint128 liquidityActual ); /** * @notice Collects tokens owed to a position * @dev Does not recompute fees earned, which must be done either via mint or burn of any amount of liquidity. * Collect must be called by the position owner. To withdraw only token0 or only token1, amount0Requested or * amount1Requested may be set to zero. To withdraw all tokens owed, caller may pass any value greater than the * actual tokens owed, e.g. type(uint128).max. Tokens owed may be from accumulated swap fees or burned liquidity. * @param recipient The address which should receive the fees collected * @param bottomTick The lower tick of the position for which to collect fees * @param topTick The upper tick of the position for which to collect fees * @param amount0Requested How much token0 should be withdrawn from the fees owed * @param amount1Requested How much token1 should be withdrawn from the fees owed * @return amount0 The amount of fees collected in token0 * @return amount1 The amount of fees collected in token1 */ function collect( address recipient, int24 bottomTick, int24 topTick, uint128 amount0Requested, uint128 amount1Requested ) external returns (uint128 amount0, uint128 amount1); /** * @notice Burn liquidity from the sender and account tokens owed for the liquidity to the position * @dev Can be used to trigger a recalculation of fees owed to a position by calling with an amount of 0 * @dev Fees must be collected separately via a call to #collect * @param bottomTick The lower tick of the position for which to burn liquidity * @param topTick The upper tick of the position for which to burn liquidity * @param amount How much liquidity to burn * @return amount0 The amount of token0 sent to the recipient * @return amount1 The amount of token1 sent to the recipient */ function burn( int24 bottomTick, int24 topTick, uint128 amount ) external returns (uint256 amount0, uint256 amount1); /** * @notice Swap token0 for token1, or token1 for token0 * @dev The caller of this method receives a callback in the form of IAlgebraSwapCallback# AlgebraSwapCallback * @param recipient The address to receive the output of the swap * @param zeroToOne The direction of the swap, true for token0 to token1, false for token1 to token0 * @param amountSpecified The amount of the swap, which implicitly configures the swap as exact input (positive), or exact output (negative) * @param limitSqrtPrice The Q64.96 sqrt price limit. If zero for one, the price cannot be less than this * value after the swap. If one for zero, the price cannot be greater than this value after the swap * @param data Any data to be passed through to the callback. If using the Router it should contain * SwapRouter#SwapCallbackData * @return amount0 The delta of the balance of token0 of the pool, exact when negative, minimum when positive * @return amount1 The delta of the balance of token1 of the pool, exact when negative, minimum when positive */ function swap( address recipient, bool zeroToOne, int256 amountSpecified, uint160 limitSqrtPrice, bytes calldata data ) external returns (int256 amount0, int256 amount1); /** * @notice Swap token0 for token1, or token1 for token0 (tokens that have fee on transfer) * @dev The caller of this method receives a callback in the form of I AlgebraSwapCallback# AlgebraSwapCallback * @param sender The address called this function (Comes from the Router) * @param recipient The address to receive the output of the swap * @param zeroToOne The direction of the swap, true for token0 to token1, false for token1 to token0 * @param amountSpecified The amount of the swap, which implicitly configures the swap as exact input (positive), or exact output (negative) * @param limitSqrtPrice The Q64.96 sqrt price limit. If zero for one, the price cannot be less than this * value after the swap. If one for zero, the price cannot be greater than this value after the swap * @param data Any data to be passed through to the callback. If using the Router it should contain * SwapRouter#SwapCallbackData * @return amount0 The delta of the balance of token0 of the pool, exact when negative, minimum when positive * @return amount1 The delta of the balance of token1 of the pool, exact when negative, minimum when positive */ function swapSupportingFeeOnInputTokens( address sender, address recipient, bool zeroToOne, int256 amountSpecified, uint160 limitSqrtPrice, bytes calldata data ) external returns (int256 amount0, int256 amount1); /** * @notice Receive token0 and/or token1 and pay it back, plus a fee, in the callback * @dev The caller of this method receives a callback in the form of IAlgebraFlashCallback# AlgebraFlashCallback * @dev All excess tokens paid in the callback are distributed to liquidity providers as an additional fee. So this method can be used * to donate underlying tokens to currently in-range liquidity providers by calling with 0 amount{0,1} and sending * the donation amount(s) from the callback * @param recipient The address which will receive the token0 and token1 amounts * @param amount0 The amount of token0 to send * @param amount1 The amount of token1 to send * @param data Any data to be passed through to the callback */ function flash( address recipient, uint256 amount0, uint256 amount1, bytes calldata data ) external; }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /** * @title Permissioned pool actions * @notice Contains pool methods that may only be called by the factory owner or tokenomics * @dev Credit to Uniswap Labs under GPL-2.0-or-later license: * https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces */ interface IAlgebraPoolPermissionedActions { /** * @notice Set the community's % share of the fees. Cannot exceed 25% (250) * @param communityFee0 new community fee percent for token0 of the pool in thousandths (1e-3) * @param communityFee1 new community fee percent for token1 of the pool in thousandths (1e-3) */ function setCommunityFee(uint16 communityFee0, uint16 communityFee1) external; /// @notice Set the new tick spacing values. Only factory owner /// @param newTickSpacing The new tick spacing value function setTickSpacing(int24 newTickSpacing) external; /** * @notice Sets an active incentive * @param virtualPoolAddress The address of a virtual pool associated with the incentive */ function setIncentive(address virtualPoolAddress) external; /** * @notice Sets new lock time for added liquidity * @param newLiquidityCooldown The time in seconds */ function setLiquidityCooldown(uint32 newLiquidityCooldown) external; }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Events emitted by a pool /// @dev Credit to Uniswap Labs under GPL-2.0-or-later license: /// https://github.com/Uniswap/v3-core/tree/main/contracts/interfaces interface IAlgebraPoolEvents { /** * @notice Emitted exactly once by a pool when #initialize is first called on the pool * @dev Mint/Burn/Swap cannot be emitted by the pool before Initialize * @param price The initial sqrt price of the pool, as a Q64.96 * @param tick The initial tick of the pool, i.e. log base 1.0001 of the starting price of the pool */ event Initialize(uint160 price, int24 tick); /** * @notice Emitted when liquidity is minted for a given position * @param sender The address that minted the liquidity * @param owner The owner of the position and recipient of any minted liquidity * @param bottomTick The lower tick of the position * @param topTick The upper tick of the position * @param liquidityAmount The amount of liquidity minted to the position range * @param amount0 How much token0 was required for the minted liquidity * @param amount1 How much token1 was required for the minted liquidity */ event Mint( address sender, address indexed owner, int24 indexed bottomTick, int24 indexed topTick, uint128 liquidityAmount, uint256 amount0, uint256 amount1 ); /** * @notice Emitted when fees are collected by the owner of a position * @dev Collect events may be emitted with zero amount0 and amount1 when the caller chooses not to collect fees * @param owner The owner of the position for which fees are collected * @param recipient The address that received fees * @param bottomTick The lower tick of the position * @param topTick The upper tick of the position * @param amount0 The amount of token0 fees collected * @param amount1 The amount of token1 fees collected */ event Collect(address indexed owner, address recipient, int24 indexed bottomTick, int24 indexed topTick, uint128 amount0, uint128 amount1); /** * @notice Emitted when a position's liquidity is removed * @dev Does not withdraw any fees earned by the liquidity position, which must be withdrawn via #collect * @param owner The owner of the position for which liquidity is removed * @param bottomTick The lower tick of the position * @param topTick The upper tick of the position * @param liquidityAmount The amount of liquidity to remove * @param amount0 The amount of token0 withdrawn * @param amount1 The amount of token1 withdrawn */ event Burn(address indexed owner, int24 indexed bottomTick, int24 indexed topTick, uint128 liquidityAmount, uint256 amount0, uint256 amount1); /** * @notice Emitted by the pool for any swaps between token0 and token1 * @param sender The address that initiated the swap call, and that received the callback * @param recipient The address that received the output of the swap * @param amount0 The delta of the token0 balance of the pool * @param amount1 The delta of the token1 balance of the pool * @param price The sqrt(price) of the pool after the swap, as a Q64.96 * @param liquidity The liquidity of the pool after the swap * @param tick The log base 1.0001 of price of the pool after the swap */ event Swap(address indexed sender, address indexed recipient, int256 amount0, int256 amount1, uint160 price, uint128 liquidity, int24 tick); /** * @notice Emitted by the pool for any flashes of token0/token1 * @param sender The address that initiated the swap call, and that received the callback * @param recipient The address that received the tokens from flash * @param amount0 The amount of token0 that was flashed * @param amount1 The amount of token1 that was flashed * @param paid0 The amount of token0 paid for the flash, which can exceed the amount0 plus the fee * @param paid1 The amount of token1 paid for the flash, which can exceed the amount1 plus the fee */ event Flash(address indexed sender, address indexed recipient, uint256 amount0, uint256 amount1, uint256 paid0, uint256 paid1); /** * @notice Emitted when the community fee is changed by the pool * @param communityFee0New The updated value of the token0 community fee percent * @param communityFee1New The updated value of the token1 community fee percent */ event CommunityFee(uint16 communityFee0New, uint16 communityFee1New); /** * @notice Emitted when the tick spacing changes * @param newTickSpacing The updated value of the new tick spacing */ event TickSpacing(int24 newTickSpacing); /** * @notice Emitted when new activeIncentive is set * @param virtualPoolAddress The address of a virtual pool associated with the current active incentive */ event Incentive(address indexed virtualPoolAddress); /** * @notice Emitted when the fee changes * @param fee The value of the token fee */ event Fee(uint16 fee); /** * @notice Emitted when the LiquidityCooldown changes * @param liquidityCooldown The value of locktime for added liquidity */ event LiquidityCooldown(uint32 liquidityCooldown); }
// SPDX-License-Identifier: UNLICENSED pragma solidity ^0.7.6; import "@openzeppelin/contracts/token/ERC20/IERC20.sol"; interface IOneInchRouter { function swap( IERC20 fromToken, IERC20 destToken, uint256 amount, uint256 minReturn, uint256[] memory distribution, uint256 flags ) external returns (uint256 returnAmount); }
//SPDX-License-Identifier: Unlicense pragma solidity ^0.7.6; pragma abicoder v2; import "./IStrategyFactory.sol"; import "./linex/IAlgebraPool.sol"; import "./IStrategyManager.sol"; interface IStrategyBase { struct Tick { int24 tickLower; int24 tickUpper; } event ClaimFee(uint256 managerFee, uint256 protocolFee); function onHold() external view returns (bool); function accManagementFeeShares() external view returns (uint256); function factory() external view returns (IStrategyFactory); function pool() external view returns (IAlgebraPool); function manager() external view returns (IStrategyManager); function usdAsBase(uint256 index) external view returns (bool); function claimFee() external; }
// SPDX-License-Identifier: BSL pragma solidity ^0.7.6; pragma abicoder v2; import "./IStrategyFactory.sol"; import "./IStrategyManager.sol"; import "./IStrategyBase.sol"; import "@chainlink/contracts/src/v0.7/interfaces/FeedRegistryInterface.sol"; interface IDefiEdgeStrategyDeployer { function createStrategy( IStrategyFactory _factory, IAlgebraPool _pool, FeedRegistryInterface _chainlinkRegistry, IStrategyManager _manager, bool[2] memory _usdAsBase, IStrategyBase.Tick[] memory _ticks ) external returns (address); event StrategyDeployed(address strategy); }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Math library for computing sqrt prices from ticks and vice versa /// @notice Computes sqrt price for ticks of size 1.0001, i.e. sqrt(1.0001^tick) as fixed point Q64.96 numbers. Supports /// prices between 2**-128 and 2**128 /// @dev Credit to Uniswap Labs under GPL-2.0-or-later license: /// https://github.com/Uniswap/v3-core/blob/main/contracts/libraries library TickMath { /// @dev The minimum tick that may be passed to #getSqrtRatioAtTick computed from log base 1.0001 of 2**-128 int24 internal constant MIN_TICK = -887272; /// @dev The maximum tick that may be passed to #getSqrtRatioAtTick computed from log base 1.0001 of 2**128 int24 internal constant MAX_TICK = -MIN_TICK; /// @dev The minimum value that can be returned from #getSqrtRatioAtTick. Equivalent to getSqrtRatioAtTick(MIN_TICK) uint160 internal constant MIN_SQRT_RATIO = 4295128739; /// @dev The maximum value that can be returned from #getSqrtRatioAtTick. Equivalent to getSqrtRatioAtTick(MAX_TICK) uint160 internal constant MAX_SQRT_RATIO = 1461446703485210103287273052203988822378723970342; /// @notice Calculates sqrt(1.0001^tick) * 2^96 /// @dev Throws if |tick| > max tick /// @param tick The input tick for the above formula /// @return price A Fixed point Q64.96 number representing the sqrt of the ratio of the two assets (token1/token0) /// at the given tick function getSqrtRatioAtTick(int24 tick) internal pure returns (uint160 price) { // get abs value int24 mask = tick >> (24 - 1); uint256 absTick = uint256((tick ^ mask) - mask); require(absTick <= uint256(MAX_TICK), 'T'); uint256 ratio = absTick & 0x1 != 0 ? 0xfffcb933bd6fad37aa2d162d1a594001 : 0x100000000000000000000000000000000; if (absTick & 0x2 != 0) ratio = (ratio * 0xfff97272373d413259a46990580e213a) >> 128; if (absTick & 0x4 != 0) ratio = (ratio * 0xfff2e50f5f656932ef12357cf3c7fdcc) >> 128; if (absTick & 0x8 != 0) ratio = (ratio * 0xffe5caca7e10e4e61c3624eaa0941cd0) >> 128; if (absTick & 0x10 != 0) ratio = (ratio * 0xffcb9843d60f6159c9db58835c926644) >> 128; if (absTick & 0x20 != 0) ratio = (ratio * 0xff973b41fa98c081472e6896dfb254c0) >> 128; if (absTick & 0x40 != 0) ratio = (ratio * 0xff2ea16466c96a3843ec78b326b52861) >> 128; if (absTick & 0x80 != 0) ratio = (ratio * 0xfe5dee046a99a2a811c461f1969c3053) >> 128; if (absTick & 0x100 != 0) ratio = (ratio * 0xfcbe86c7900a88aedcffc83b479aa3a4) >> 128; if (absTick & 0x200 != 0) ratio = (ratio * 0xf987a7253ac413176f2b074cf7815e54) >> 128; if (absTick & 0x400 != 0) ratio = (ratio * 0xf3392b0822b70005940c7a398e4b70f3) >> 128; if (absTick & 0x800 != 0) ratio = (ratio * 0xe7159475a2c29b7443b29c7fa6e889d9) >> 128; if (absTick & 0x1000 != 0) ratio = (ratio * 0xd097f3bdfd2022b8845ad8f792aa5825) >> 128; if (absTick & 0x2000 != 0) ratio = (ratio * 0xa9f746462d870fdf8a65dc1f90e061e5) >> 128; if (absTick & 0x4000 != 0) ratio = (ratio * 0x70d869a156d2a1b890bb3df62baf32f7) >> 128; if (absTick & 0x8000 != 0) ratio = (ratio * 0x31be135f97d08fd981231505542fcfa6) >> 128; if (absTick & 0x10000 != 0) ratio = (ratio * 0x9aa508b5b7a84e1c677de54f3e99bc9) >> 128; if (absTick & 0x20000 != 0) ratio = (ratio * 0x5d6af8dedb81196699c329225ee604) >> 128; if (absTick & 0x40000 != 0) ratio = (ratio * 0x2216e584f5fa1ea926041bedfe98) >> 128; if (absTick & 0x80000 != 0) ratio = (ratio * 0x48a170391f7dc42444e8fa2) >> 128; if (tick > 0) ratio = type(uint256).max / ratio; // this divides by 1<<32 rounding up to go from a Q128.128 to a Q128.96. // we then downcast because we know the result always fits within 160 bits due to our tick input constraint // we round up in the division so getTickAtSqrtRatio of the output price is always consistent price = uint160((ratio >> 32) + (ratio % (1 << 32) == 0 ? 0 : 1)); } /// @notice Calculates the greatest tick value such that getRatioAtTick(tick) <= ratio /// @dev Throws in case price < MIN_SQRT_RATIO, as MIN_SQRT_RATIO is the lowest value getRatioAtTick may /// ever return. /// @param price The sqrt ratio for which to compute the tick as a Q64.96 /// @return tick The greatest tick for which the ratio is less than or equal to the input ratio function getTickAtSqrtRatio(uint160 price) internal pure returns (int24 tick) { // second inequality must be < because the price can never reach the price at the max tick require(price >= MIN_SQRT_RATIO && price < MAX_SQRT_RATIO, 'R'); uint256 ratio = uint256(price) << 32; uint256 r = ratio; uint256 msb = 0; assembly { let f := shl(7, gt(r, 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(6, gt(r, 0xFFFFFFFFFFFFFFFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(5, gt(r, 0xFFFFFFFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(4, gt(r, 0xFFFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(3, gt(r, 0xFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(2, gt(r, 0xF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(1, gt(r, 0x3)) msb := or(msb, f) r := shr(f, r) } assembly { let f := gt(r, 0x1) msb := or(msb, f) } if (msb >= 128) r = ratio >> (msb - 127); else r = ratio << (127 - msb); int256 log_2 = (int256(msb) - 128) << 64; assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(63, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(62, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(61, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(60, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(59, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(58, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(57, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(56, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(55, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(54, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(53, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(52, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(51, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(50, f)) } int256 log_sqrt10001 = log_2 * 255738958999603826347141; // 128.128 number int24 tickLow = int24((log_sqrt10001 - 3402992956809132418596140100660247210) >> 128); int24 tickHi = int24((log_sqrt10001 + 291339464771989622907027621153398088495) >> 128); tick = tickLow == tickHi ? tickLow : getSqrtRatioAtTick(tickHi) <= price ? tickHi : tickLow; } }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; import '@cryptoalgebra/core/contracts/libraries/FullMath.sol'; import '@cryptoalgebra/core/contracts/libraries/Constants.sol'; /// @title Liquidity amount functions /// @notice Provides functions for computing liquidity amounts from token amounts and prices /// @dev Credit to Uniswap Labs under GPL-2.0-or-later license: /// https://github.com/Uniswap/v3-periphery library LiquidityAmounts { /// @notice Downcasts uint256 to uint128 /// @param x The uint258 to be downcasted /// @return y The passed value, downcasted to uint128 function toUint128(uint256 x) private pure returns (uint128 y) { require((y = uint128(x)) == x); } /// @notice Computes the amount of liquidity received for a given amount of token0 and price range /// @dev Calculates amount0 * (sqrt(upper) * sqrt(lower)) / (sqrt(upper) - sqrt(lower)) /// @param sqrtRatioAX96 A sqrt price representing the first tick boundary /// @param sqrtRatioBX96 A sqrt price representing the second tick boundary /// @param amount0 The amount0 being sent in /// @return liquidity The amount of returned liquidity function getLiquidityForAmount0( uint160 sqrtRatioAX96, uint160 sqrtRatioBX96, uint256 amount0 ) internal pure returns (uint128 liquidity) { if (sqrtRatioAX96 > sqrtRatioBX96) (sqrtRatioAX96, sqrtRatioBX96) = (sqrtRatioBX96, sqrtRatioAX96); uint256 intermediate = FullMath.mulDiv(sqrtRatioAX96, sqrtRatioBX96, Constants.Q96); return toUint128(FullMath.mulDiv(amount0, intermediate, sqrtRatioBX96 - sqrtRatioAX96)); } /// @notice Computes the amount of liquidity received for a given amount of token1 and price range /// @dev Calculates amount1 / (sqrt(upper) - sqrt(lower)). /// @param sqrtRatioAX96 A sqrt price representing the first tick boundary /// @param sqrtRatioBX96 A sqrt price representing the second tick boundary /// @param amount1 The amount1 being sent in /// @return liquidity The amount of returned liquidity function getLiquidityForAmount1( uint160 sqrtRatioAX96, uint160 sqrtRatioBX96, uint256 amount1 ) internal pure returns (uint128 liquidity) { if (sqrtRatioAX96 > sqrtRatioBX96) (sqrtRatioAX96, sqrtRatioBX96) = (sqrtRatioBX96, sqrtRatioAX96); return toUint128(FullMath.mulDiv(amount1, Constants.Q96, sqrtRatioBX96 - sqrtRatioAX96)); } /// @notice Computes the maximum amount of liquidity received for a given amount of token0, token1, the current /// pool prices and the prices at the tick boundaries /// @param sqrtRatioX96 A sqrt price representing the current pool prices /// @param sqrtRatioAX96 A sqrt price representing the first tick boundary /// @param sqrtRatioBX96 A sqrt price representing the second tick boundary /// @param amount0 The amount of token0 being sent in /// @param amount1 The amount of token1 being sent in /// @return liquidity The maximum amount of liquidity received function getLiquidityForAmounts( uint160 sqrtRatioX96, uint160 sqrtRatioAX96, uint160 sqrtRatioBX96, uint256 amount0, uint256 amount1 ) internal pure returns (uint128 liquidity) { if (sqrtRatioAX96 > sqrtRatioBX96) (sqrtRatioAX96, sqrtRatioBX96) = (sqrtRatioBX96, sqrtRatioAX96); if (sqrtRatioX96 <= sqrtRatioAX96) { liquidity = getLiquidityForAmount0(sqrtRatioAX96, sqrtRatioBX96, amount0); } else if (sqrtRatioX96 < sqrtRatioBX96) { uint128 liquidity0 = getLiquidityForAmount0(sqrtRatioX96, sqrtRatioBX96, amount0); uint128 liquidity1 = getLiquidityForAmount1(sqrtRatioAX96, sqrtRatioX96, amount1); liquidity = liquidity0 < liquidity1 ? liquidity0 : liquidity1; } else { liquidity = getLiquidityForAmount1(sqrtRatioAX96, sqrtRatioBX96, amount1); } } /// @notice Computes the amount of token0 for a given amount of liquidity and a price range /// @param sqrtRatioAX96 A sqrt price representing the first tick boundary /// @param sqrtRatioBX96 A sqrt price representing the second tick boundary /// @param liquidity The liquidity being valued /// @return amount0 The amount of token0 function getAmount0ForLiquidity( uint160 sqrtRatioAX96, uint160 sqrtRatioBX96, uint128 liquidity ) internal pure returns (uint256 amount0) { if (sqrtRatioAX96 > sqrtRatioBX96) (sqrtRatioAX96, sqrtRatioBX96) = (sqrtRatioBX96, sqrtRatioAX96); return FullMath.mulDiv(uint256(liquidity) << Constants.RESOLUTION, sqrtRatioBX96 - sqrtRatioAX96, sqrtRatioBX96) / sqrtRatioAX96; } /// @notice Computes the amount of token1 for a given amount of liquidity and a price range /// @param sqrtRatioAX96 A sqrt price representing the first tick boundary /// @param sqrtRatioBX96 A sqrt price representing the second tick boundary /// @param liquidity The liquidity being valued /// @return amount1 The amount of token1 function getAmount1ForLiquidity( uint160 sqrtRatioAX96, uint160 sqrtRatioBX96, uint128 liquidity ) internal pure returns (uint256 amount1) { if (sqrtRatioAX96 > sqrtRatioBX96) (sqrtRatioAX96, sqrtRatioBX96) = (sqrtRatioBX96, sqrtRatioAX96); return FullMath.mulDiv(liquidity, sqrtRatioBX96 - sqrtRatioAX96, Constants.Q96); } /// @notice Computes the token0 and token1 value for a given amount of liquidity, the current /// pool prices and the prices at the tick boundaries /// @param sqrtRatioX96 A sqrt price representing the current pool prices /// @param sqrtRatioAX96 A sqrt price representing the first tick boundary /// @param sqrtRatioBX96 A sqrt price representing the second tick boundary /// @param liquidity The liquidity being valued /// @return amount0 The amount of token0 /// @return amount1 The amount of token1 function getAmountsForLiquidity( uint160 sqrtRatioX96, uint160 sqrtRatioAX96, uint160 sqrtRatioBX96, uint128 liquidity ) internal pure returns (uint256 amount0, uint256 amount1) { if (sqrtRatioAX96 > sqrtRatioBX96) (sqrtRatioAX96, sqrtRatioBX96) = (sqrtRatioBX96, sqrtRatioAX96); if (sqrtRatioX96 <= sqrtRatioAX96) { amount0 = getAmount0ForLiquidity(sqrtRatioAX96, sqrtRatioBX96, liquidity); } else if (sqrtRatioX96 < sqrtRatioBX96) { amount0 = getAmount0ForLiquidity(sqrtRatioX96, sqrtRatioBX96, liquidity); amount1 = getAmount1ForLiquidity(sqrtRatioAX96, sqrtRatioX96, liquidity); } else { amount1 = getAmount1ForLiquidity(sqrtRatioAX96, sqrtRatioBX96, liquidity); } } }
// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity =0.7.6; library Constants { uint8 internal constant RESOLUTION = 96; uint256 internal constant Q96 = 0x1000000000000000000000000; uint256 internal constant Q128 = 0x100000000000000000000000000000000; // fee value in hundredths of a bip, i.e. 1e-6 uint16 internal constant BASE_FEE = 100; int24 internal constant TICK_SPACING = 60; // max(uint128) / ( (MAX_TICK - MIN_TICK) / TICK_SPACING ) uint128 internal constant MAX_LIQUIDITY_PER_TICK = 11505743598341114571880798222544994; uint32 internal constant MAX_LIQUIDITY_COOLDOWN = 1 days; uint8 internal constant MAX_COMMUNITY_FEE = 250; uint256 internal constant COMMUNITY_FEE_DENOMINATOR = 1000; }
// SPDX-License-Identifier: MIT pragma solidity ^0.7.0; /** * @dev Collection of functions related to the address type */ library Address { /** * @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 * ==== */ function isContract(address account) internal view returns (bool) { // This method relies on extcodesize, which returns 0 for contracts in // construction, since the code is only stored at the end of the // constructor execution. uint256 size; // solhint-disable-next-line no-inline-assembly assembly { size := extcodesize(account) } return size > 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"); // solhint-disable-next-line avoid-low-level-calls, avoid-call-value (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"); // solhint-disable-next-line avoid-low-level-calls (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"); // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = target.staticcall(data); return _verifyCallResult(success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) { return functionDelegateCall(target, data, "Address: low-level delegate call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) { require(isContract(target), "Address: delegate call to non-contract"); // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = target.delegatecall(data); return _verifyCallResult(success, returndata, errorMessage); } function _verifyCallResult(bool success, bytes memory returndata, string memory errorMessage) private 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 // solhint-disable-next-line no-inline-assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } } }
{ "optimizer": { "enabled": true, "runs": 1 }, "metadata": { "bytecodeHash": "none" }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "libraries": { "contracts/libraries/LiquidityHelper.sol": { "LiquidityHelper": "0x07cd92b0c1b5537aaf63fad0946e25d4969d7971" }, "contracts/libraries/OracleLibrary.sol": { "OracleLibrary": "0xeb1d8e9dd57db41081c94dbad5eaf38486b9610f" }, "contracts/libraries/ShareHelper.sol": { "ShareHelper": "0x4f5ad67a35da241d9f32d3d08d65f9b820df7e2a" } } }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"inputs":[{"internalType":"contract IStrategyFactory","name":"_factory","type":"address"},{"internalType":"contract IAlgebraPool","name":"_pool","type":"address"},{"internalType":"contract FeedRegistryInterface","name":"_chainlinkRegistry","type":"address"},{"internalType":"contract IStrategyManager","name":"_manager","type":"address"},{"internalType":"bool[2]","name":"_usdAsBase","type":"bool[2]"},{"components":[{"internalType":"int24","name":"tickLower","type":"int24"},{"internalType":"int24","name":"tickUpper","type":"int24"}],"internalType":"struct IStrategyBase.Tick[]","name":"_ticks","type":"tuple[]"}],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"spender","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":false,"internalType":"uint256","name":"share","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount0","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount1","type":"uint256"}],"name":"Burn","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"managerFee","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"protocolFee","type":"uint256"}],"name":"ClaimFee","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"strategy","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount0","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount1","type":"uint256"}],"name":"FeesClaim","type":"event"},{"anonymous":false,"inputs":[],"name":"Hold","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":false,"internalType":"uint256","name":"share","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount0","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount1","type":"uint256"}],"name":"Mint","type":"event"},{"anonymous":false,"inputs":[{"components":[{"internalType":"uint256","name":"index","type":"uint256"},{"internalType":"bool","name":"burn","type":"bool"},{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"}],"indexed":false,"internalType":"struct DefiEdgeStrategy.PartialTick[]","name":"ticks","type":"tuple[]"}],"name":"PartialRebalance","type":"event"},{"anonymous":false,"inputs":[{"components":[{"internalType":"int24","name":"tickLower","type":"int24"},{"internalType":"int24","name":"tickUpper","type":"int24"},{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"}],"indexed":false,"internalType":"struct DefiEdgeStrategy.NewTick[]","name":"ticks","type":"tuple[]"}],"name":"Rebalance","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"amountIn","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amountOut","type":"uint256"},{"indexed":false,"internalType":"bool","name":"_zeroForOne","type":"bool"}],"name":"Swap","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"reserve0","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"reserve1","type":"uint256"}],"name":"Sync","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Transfer","type":"event"},{"inputs":[],"name":"FEE_PRECISION","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MAX_TICK_LENGTH","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MINIMUM_LIQUIDITY","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"accManagementFeeShares","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"algebraMintCallback","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"},{"internalType":"address","name":"","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_shares","type":"uint256"},{"internalType":"uint256","name":"_amount0Min","type":"uint256"},{"internalType":"uint256","name":"_amount1Min","type":"uint256"}],"name":"burn","outputs":[{"internalType":"uint256","name":"collect0","type":"uint256"},{"internalType":"uint256","name":"collect1","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_tickIndex","type":"uint256"}],"name":"burnLiquiditySingle","outputs":[{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"},{"internalType":"uint256","name":"fee0","type":"uint256"},{"internalType":"uint256","name":"fee1","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"claimFee","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"subtractedValue","type":"uint256"}],"name":"decreaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_token","type":"address"},{"internalType":"address","name":"_to","type":"address"},{"internalType":"uint256","name":"_amount","type":"uint256"},{"components":[{"internalType":"int24","name":"tickLower","type":"int24"},{"internalType":"int24","name":"tickUpper","type":"int24"},{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"}],"internalType":"struct DefiEdgeStrategy.NewTick[]","name":"_newTicks","type":"tuple[]"}],"name":"emergencyWithdraw","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"factory","outputs":[{"internalType":"contract IStrategyFactory","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bool","name":"_includeFee","type":"bool"}],"name":"getAUMWithFees","outputs":[{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"},{"internalType":"uint256","name":"totalFee0","type":"uint256"},{"internalType":"uint256","name":"totalFee1","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"getTicks","outputs":[{"components":[{"internalType":"int24","name":"tickLower","type":"int24"},{"internalType":"int24","name":"tickUpper","type":"int24"}],"internalType":"struct IStrategyBase.Tick[]","name":"","type":"tuple[]"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getTotalAmounts","outputs":[{"internalType":"uint256","name":"tot0","type":"uint256"},{"internalType":"uint256","name":"tot1","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"addedValue","type":"uint256"}],"name":"increaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"manager","outputs":[{"internalType":"contract IStrategyManager","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_amount0","type":"uint256"},{"internalType":"uint256","name":"_amount1","type":"uint256"},{"internalType":"uint256","name":"_amount0Min","type":"uint256"},{"internalType":"uint256","name":"_amount1Min","type":"uint256"},{"internalType":"uint256","name":"_minShare","type":"uint256"}],"name":"mint","outputs":[{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"},{"internalType":"uint256","name":"share","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"onHold","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pool","outputs":[{"internalType":"contract IAlgebraPool","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bool","name":"_zeroToOne","type":"bool"},{"internalType":"uint256","name":"_amountIn","type":"uint256"},{"internalType":"bool","name":"_isOneInchSwap","type":"bool"},{"internalType":"bytes","name":"_swapData","type":"bytes"},{"components":[{"internalType":"uint256","name":"index","type":"uint256"},{"internalType":"bool","name":"burn","type":"bool"},{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"}],"internalType":"struct DefiEdgeStrategy.PartialTick[]","name":"_existingTicks","type":"tuple[]"},{"components":[{"internalType":"int24","name":"tickLower","type":"int24"},{"internalType":"int24","name":"tickUpper","type":"int24"},{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"}],"internalType":"struct DefiEdgeStrategy.NewTick[]","name":"_newTicks","type":"tuple[]"},{"internalType":"bool","name":"_burnAll","type":"bool"}],"name":"rebalance","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"reserve0","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"reserve1","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"}],"name":"skim","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bool","name":"zeroToOne","type":"bool"},{"internalType":"uint256","name":"amountIn","type":"uint256"},{"internalType":"bool","name":"isOneInchSwap","type":"bool"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"swap","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"sync","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"ticks","outputs":[{"internalType":"int24","name":"tickLower","type":"int24"},{"internalType":"int24","name":"tickUpper","type":"int24"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"token0","outputs":[{"internalType":"contract IERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"token1","outputs":[{"internalType":"contract IERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"sender","type":"address"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"usdAsBase","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"}]
Contract Creation Code
60806040523480156200001157600080fd5b5060405162005bac38038062005bac833981016040819052620000349162000550565b6001600f556200004481620002d5565b156200006d5760405162461bcd60e51b8152600401620000649062000669565b60405180910390fd5b601481511115620000925760405162461bcd60e51b815260040162000064906200064c565b600b80546001600160a01b03199081166001600160a01b0386811691909117909255600680548216898416179055600a8054821687841617905560078054909116878316179081905560408051630dfe168160e01b815290519190921691630dfe1681916004828101926020929190829003018186803b1580156200011657600080fd5b505afa1580156200012b573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906200015191906200052a565b600880546001600160a01b0319166001600160a01b039283161790556007546040805163d21220a760e01b81529051919092169163d21220a7916004808301926020929190829003018186803b158015620001ab57600080fd5b505afa158015620001c0573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190620001e691906200052a565b600980546001600160a01b0319166001600160a01b039290921691909117905562000215600c836002620003a1565b5060005b8151811015620002c857600460405180604001604052808484815181106200023d57fe5b60200260200101516000015160020b81526020018484815181106200025e57fe5b602090810291909101810151810151600290810b9092528354600181810186556000958652948290208451910180549490920151830b62ffffff90811663010000000265ffffff000000199290940b1662ffffff1990941693909317929092161790550162000219565b50505050505050620006c2565b6000805b82518110156200039a576000838281518110620002f257fe5b602002602001015160000151905060008483815181106200030f57fe5b602002602001015160200151905060005b838110156200038e578581815181106200033657fe5b60200260200101516000015160020b8360020b141562000385578581815181106200035d57fe5b60200260200101516020015160020b8260020b1415620003855760019450505050506200039c565b60010162000320565b505050600101620002d9565b505b919050565b600183019183908215620004285791602002820160005b83821115620003f757835183826101000a81548160ff0219169083151502179055509260200192600101602081600001049283019260010302620003b8565b8015620004265782816101000a81549060ff0219169055600101602081600001049283019260010302620003f7565b505b50620004369291506200043a565b5090565b5b808211156200043657600081556001016200043b565b600082601f83011262000462578081fd5b815160206001600160401b03808311156200047957fe5b62000488828385020162000685565b838152828101908684016040808702890186018a1015620004a7578788fd5b875b87811015620005085781838c031215620004c1578889fd5b81518281018181108882111715620004d557fe5b8352620004e28462000517565b8152620004f188850162000517565b8189015285529386019391810191600101620004a9565b50919998505050505050505050565b8051600281900b81146200039c57600080fd5b6000602082840312156200053c578081fd5b81516200054981620006a9565b9392505050565b60008060008060008060e0878903121562000569578182fd5b86516200057681620006a9565b809650506020808801516200058b81620006a9565b60408901519096506200059e81620006a9565b6060890151909550620005b181620006a9565b9350609f88018913620005c2578283fd5b620005ce604062000685565b8060808a0160c08b018c811115620005e4578687fd5b865b600281101562000613578251801515811462000600578889fd5b85529385019391850191600101620005e6565b505191955090925050506001600160401b0381111562000631578182fd5b6200063f89828a0162000451565b9150509295509295509295565b60208082526003908201526212551360ea1b604082015260600190565b602080825260029082015261125560f21b604082015260600190565b6040518181016001600160401b0381118282101715620006a157fe5b604052919050565b6001600160a01b0381168114620006bf57600080fd5b50565b6154da80620006d26000396000f3fe608060405234801561001057600080fd5b50600436106101c25760003560e01c806305a10028146101c757806306fdde03146101f1578063095ea7b3146102065780630dfe16811461022657806316f0115b1461023b57806318160ddd1461024357806323b872dd14610258578063313ce5671461026b57806339509351146102805780633d1c387b146102935780633dd657c5146102a8578063443cb4bc146102bd578063481c6a75146102c5578063534cb30d146102cd57806356e3f54e146102ee5780635a76f25e1461030157806370a08231146103095780637fc505451461031c5780638579f7ca1461032457806395d89b411461032c57806399d32fc4146103345780639f9275ef1461033c578063a457c2d71461034f578063a637196c14610362578063a9059cbb14610385578063ae3dfa2814610398578063ba9a7a56146103ba578063bc191148146103c2578063bc25cf77146103d5578063bf8ceec5146103e8578063c45a0155146103fb578063c4a7761e14610403578063ce52f63c1461040b578063d21220a714610413578063daf20a571461041b578063dd62ed3e1461042e578063e63a391f14610441578063fff6cae914610449575b600080fd5b6101da6101d5366004614c2f565b610451565b6040516101e89291906152dd565b60405180910390f35b6101f96106cb565b6040516101e8919061511f565b6102196102143660046147af565b6106f5565b6040516101e89190614f05565b61022e610713565b6040516101e89190614d20565b61022e610722565b61024b610731565b6040516101e89190614f10565b6102196102663660046146b8565b610750565b6102736107e7565b6040516101e8919061531c565b61021961028e3660046147af565b6107ec565b61029b61083a565b6040516101e89190614eae565b6102bb6102b6366004614bab565b6108b3565b005b61024b610995565b61022e61099b565b6102e06102db366004614b58565b6109aa565b6040516101e89291906150e5565b6102bb6102fc3660046146f8565b6109da565b61024b610da0565b61024b610317366004614648565b610da6565b610219610dc5565b61024b610dce565b6101f9610dd3565b6102bb610df6565b6102bb61034a366004614871565b610f0e565b61021961035d3660046147af565b6114ac565b610375610370366004614b58565b611515565b6040516101e89493929190615301565b6102196103933660046147af565b611706565b6103ab6103a6366004614c8f565b61171a565b6040516101e8939291906152eb565b61024b611adb565b6103756103d03660046147da565b611ae4565b6102bb6103e3366004614648565b611ec3565b6102196103f6366004614b58565b611fae565b61022e611fd8565b6101da611fe7565b61024b612073565b61022e612079565b6102bb610429366004614812565b612088565b61024b61043c366004614680565b612135565b61024b612152565b6102bb61215a565b6000806002600f54141561049a576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f55846104a933610da6565b101580156104b657508415155b6104db5760405162461bcd60e51b81526004016104d290615132565b60405180910390fd5b60008060008060005b600454811015610571576000600482815481106104fd57fe5b600091825260208220018054909250819061052890600281810b9163010000009004900b8f846122af565b929a509098509250905061053c86836125cb565b955061054885826125cb565b94506105548a896125cb565b995061056089886125cb565b985050600190920191506104e49050565b5060008211806105815750600081115b15610590576105908282612623565b600d54600e5460006105a0610731565b9050888311156105c4576105c16105ba8a85038e84612925565b8a906125cb565b98505b878211156105e6576105e36105dc8984038e84612925565b89906125cb565b97505b888b111580156105f65750878a11155b6106125760405162461bcd60e51b81526004016104d290615212565b61061c338d6129bb565b881561063957600854610639906001600160a01b0316338b612a61565b871561065657600954610656906001600160a01b0316338a612a61565b600d54610663908a612ba8565b600d55600e546106739089612ba8565b600e5560405133907f743033787f4738ff4d6a7225ce2bd0977ee5f86b91a902a58f5e4d0b297b4644906106ac908f908d908d906152eb565b60405180910390a2505050505050506001600f81905550935093915050565b6040518060400160405280600e81526020016d446566694564676520536861726560901b81525081565b6000610709610702612c05565b8484612c09565b5060015b92915050565b6008546001600160a01b031681565b6007546001600160a01b031681565b600061074a6005546002546125cb90919063ffffffff16565b90505b90565b600061075d848484612c6b565b6107dc84610769612c05565b6107d785604051806040016040528060018152602001606160f81b815250600160008b6001600160a01b03166001600160a01b0316815260200190815260200160002060006107b6612c05565b6001600160a01b031681526020810191909152604001600020549190612d2a565b612c09565b5060015b9392505050565b601281565b60006107096107f9612c05565b846107d7856001600061080a612c05565b6001600160a01b03908116825260208083019390935260409182016000908120918c1681529252902054906125cb565b60606004805480602002602001604051908101604052809291908181526020016000905b828210156108aa5760008481526020908190206040805180820190915290840154600281810b810b810b83526301000000909104810b810b900b8183015282526001909201910161085e565b50505050905090565b6007546001600160a01b031633146108ca57600080fd5b60006108d8828401846149db565b80519091506001600160a01b031630141561094e57841561091b5760085461090a906001600160a01b03163387612a61565b600d546109179086612ba8565b600d555b831561094957600954610938906001600160a01b03163386612a61565b600e546109459085612ba8565b600e555b61098e565b841561096e57600854815161096e916001600160a01b0316903388612dc1565b831561098e57600954815161098e916001600160a01b0316903387612dc1565b5050505050565b600d5481565b600b546001600160a01b031681565b600481815481106109ba57600080fd5b600091825260209091200154600281810b92506301000000909104900b82565b6109e2612f19565b8015610a715750600660009054906101000a90046001600160a01b03166001600160a01b03166313a82bc56040518163ffffffff1660e01b815260040160206040518083038186803b158015610a3757600080fd5b505afa158015610a4b573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a6f91906147f6565b155b610a7a57600080fd5b8015610c825760005b81811015610c80576000838383818110610a9957fe5b905060800201803603810190610aaf9190614a32565b600754815160208301519293506000926001600160a01b039092169163514ea4bf91610add91309190612fb5565b6040518263ffffffff1660e01b8152600401610af99190614f10565b60c06040518083038186803b158015610b1157600080fd5b505afa158015610b25573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b499190614ae8565b50506007548651602088015160405163a34123a760e01b81529697506001600160a01b039092169563a34123a79550610b8a945090925086906004016150f9565b6040805180830381600087803b158015610ba357600080fd5b505af1158015610bb7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610bdb9190614b88565b5050600754825160208401516040516309e3d67b60e31b81526001600160a01b0390931692634f1eb3d892610c1f9230926001600160801b03908190600401614da7565b6040805180830381600087803b158015610c3857600080fd5b505af1158015610c4c573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c709190614ab6565b505060019092019150610a839050565b505b8215610c9357610c93858585612a61565b6008546040516370a0823160e01b81526001600160a01b03909116906370a0823190610cc3903090600401614d20565b60206040518083038186803b158015610cdb57600080fd5b505afa158015610cef573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d139190614b70565b600d556009546040516370a0823160e01b81526001600160a01b03909116906370a0823190610d46903090600401614d20565b60206040518083038186803b158015610d5e57600080fd5b505afa158015610d72573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d969190614b70565b600e555050505050565b600e5481565b6001600160a01b0381166000908152602081905260409020545b919050565b60035460ff1681565b601481565b604051806040016040528060078152602001664445536861726560c81b81525081565b600654600b54600554604051630a9dce8b60e01b8152600093849384938493734f5ad67a35da241d9f32d3d08d65f9b820df7e2a93630a9dce8b93610e4e936001600160a01b039283169392909116916004016150c1565b60806040518083038186803b158015610e6657600080fd5b505af4158015610e7a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610e9e9190614768565b93509350935093506000821115610eb957610eb98483612fcb565b8015610ec957610ec98382612fcb565b60006005556040517f48b06b1a71c95ebd2ca58625da601bd9103a72670daa6d769054365cd81d5e3990610f0090849084906152dd565b60405180910390a150505050565b6002600f541415610f54576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f55610f6161304e565b610f7d5760405162461bcd60e51b81526004016104d2906151c0565b610f856130da565b15610fa25760405162461bcd60e51b81526004016104d29061529e565b6000808215611036578515610fc95760405162461bcd60e51b81526004016104d2906151f6565b6003805460ff19166001179055610fde61310b565b909250905081151580610ff15750600081115b15611000576110008282612623565b61100c60046000614521565b6040517f11f465e766ea3db0c8e7ec9feeeb4a40a061dd0d533d8e238d8e51627e34846990600090a15b8715611049576110498c8c8c8c8c613248565b85156113445760005b868110156112eb5780156110ac5787878281811061106c57fe5b9050608002016000013588886001840381811061108557fe5b90506080020160000135116110ac5760405162461bcd60e51b81526004016104d29061516b565b600060048989848181106110bc57fe5b90506080020160000135815481106110d057fe5b600091825260209182902060408051808201909152910154600281810b810b810b83526301000000909104810b810b900b91810191909152905088888381811061111657fe5b905060800201602001602081019061112e91906147da565b1561117e576000806111548b8b8681811061114557fe5b905060800201600001356138c6565b93509350505061116d82876125cb90919063ffffffff16565b955061117985826125cb565b945050505b600089898481811061118c57fe5b9050608002016040013511806111b7575060008989848181106111ab57fe5b90506080020160600135115b15611202576111fb816000015182602001518b8b868181106111d557fe5b905060800201604001358c8c878181106111eb57fe5b90506080020160600135306139d0565b50506112e2565b88888381811061120e57fe5b905060800201602001602081019061122691906147da565b156112e25760048054600019810190811061123d57fe5b9060005260206000200160048a8a8581811061125557fe5b905060800201600001358154811061126957fe5b6000918252602090912082549101805462ffffff191662ffffff600293840b840b811691909117808355935465ffffff00000019909416630100000094859004840b90930b1690920217905560048054806112c057fe5b6000828152602090208101600019908101805465ffffffffffff191690550190555b50600101611052565b5060008211806112fb5750600081115b1561130a5761130a8282612623565b7fc164ad37eb8a406203b8ca3874be2fcb034f4eeb7db0ef3478359e329b4eb351878760405161133b929190614e55565b60405180910390a15b83156113df576113a58585808060200260200160405190810160405280939291908181526020016000905b8282101561139b5761138c60808302860136819003810190614a32565b8152602001906001019061136f565b5050505050613b6e565b7f852383cff866ad1535b2b0a4d3b1e6b4d46d064745e607b3c6daa715af9b412d85856040516113d6929190614de4565b60405180910390a15b6114596004805480602002602001604051908101604052809291908181526020016000905b828210156114505760008481526020908190206040805180820190915290840154600281810b810b810b83526301000000909104810b810b900b81830152825260019092019101611404565b50505050613c76565b156114765760405162461bcd60e51b81526004016104d290615266565b600454601e10156114995760405162461bcd60e51b81526004016104d290615249565b50506001600f5550505050505050505050565b60006107096114b9612c05565b846107d785604051806040016040528060018152602001606160f81b815250600160006114e4612c05565b6001600160a01b03908116825260208083019390935260409182016000908120918d16815292529020549190612d2a565b6000806000806002600f541415611561576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f5561156e613d36565b1561158b5760405162461bcd60e51b81526004016104d2906151a5565b600b54604051631ca536b960e01b81526001600160a01b0390911690631ca536b9906115bb903390600401614d20565b60206040518083038186803b1580156115d357600080fd5b505afa1580156115e7573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061160b91906147f6565b6116275760405162461bcd60e51b81526004016104d2906151c0565b611630856138c6565b92965090945092509050811515806116485750600081115b15611657576116578282612623565b60048054600019810190811061166957fe5b906000526020600020016004868154811061168057fe5b6000918252602090912082549101805462ffffff191662ffffff600293840b840b811691909117808355935465ffffff00000019909416630100000094859004840b90930b1690920217905560048054806116d757fe5b6000828152602090208101600019908101805465ffffffffffff191690550190556001600f5592949193509190565b6000610709611713612c05565b8484612c6b565b60008060006002600f541415611765576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f556117726130da565b1561178f5760405162461bcd60e51b81526004016104d29061529e565b600b54604051631a7cd8dd60e11b81526001600160a01b03909116906334f9b1ba906117bf903390600401614d20565b60206040518083038186803b1580156117d757600080fd5b505afa1580156117eb573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061180f91906147f6565b61182b5760405162461bcd60e51b81526004016104d29061522d565b604051631783222960e31b81526000908190309063bc1911489061185490600190600401614f05565b608060405180830381600087803b15801561186e57600080fd5b505af1158015611882573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118a69190614c5a565b50509150915060008a1180156118bc5750600089115b80156118c9575060045415155b1561191557600060046000815481106118de57fe5b6000918252602090912001805490915061190990600281810b9163010000009004900b8d8d336139d0565b90965094506119799050565b899450889350841561194a57600854611939906001600160a01b0316333088612dc1565b600d5461194690866125cb565b600d555b831561197957600954611968906001600160a01b0316333087612dc1565b600e5461197590856125cb565b600e555b6119868585848433613dc1565b9250858310156119a85760405162461bcd60e51b81526004016104d290615282565b8785101580156119b85750868410155b6119d45760405162461bcd60e51b81526004016104d290615212565b600b546040805163a4d66daf60e01b815290516000926001600160a01b03169163a4d66daf916004808301926020929190829003018186803b158015611a1957600080fd5b505afa158015611a2d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611a519190614b70565b90508015611a805780611a62610731565b1115611a805760405162461bcd60e51b81526004016104d2906151db565b336001600160a01b03167fb4c03061fb5b7fed76389d5af8f2e0ddb09f8c70d1333abbb62582835e10accb858888604051611abd939291906152eb565b60405180910390a25050506001600f81905550955095509592505050565b64e8d4a5100081565b60008060008060005b600454811015611e4e57600060048281548110611b0657fe5b6000918252602080832060408051808201909152920154600281810b810b810b8085526301000000909204810b810b900b9183018290526007549294506001600160a01b039092169163514ea4bf91611b60913091612fb5565b6040518263ffffffff1660e01b8152600401611b7c9190614f10565b60c06040518083038186803b158015611b9457600080fd5b505afa158015611ba8573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611bcc9190614ae8565b505050505090506000816001600160801b03161115611ca6576007548251602084015160405163ca7691cf60e01b815260009384937307cd92b0c1b5537aaf63fad0946e25d4969d79719363ca7691cf93611c37936001600160a01b03169291908990600401614fbd565b604080518083038186803b158015611c4e57600080fd5b505af4158015611c62573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611c869190614b88565b9092509050611c9589836125cb565b9850611ca188826125cb565b975050505b878015611cbc57506000816001600160801b0316115b15611e44576007548251602084015160405163a34123a760e01b81526001600160a01b039093169263a34123a792611cfb9290916000906004016150f9565b6040805180830381600087803b158015611d1457600080fd5b505af1158015611d28573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611d4c9190614b88565b5050600754825160208401516040516309e3d67b60e31b815260009384936001600160a01b0390911692634f1eb3d892611d9792309290916001600160801b03908190600401614da7565b6040805180830381600087803b158015611db057600080fd5b505af1158015611dc4573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611de89190614ab6565b6001600160801b039182169350169050611e0287836125cb565b9650611e0e86826125cb565b9550306001600160a01b031660008051602061539a8339815191528888604051611e399291906152dd565b60405180910390a250505b5050600101611aed565b50600d54611e5c90836125cb565b600d55600e54611e6c90826125cb565b600e55848015611e8657506000821180611e865750600081115b15611e9557611e958282612623565b600d54611ea39085906125cb565b9350611eba600e54846125cb90919063ffffffff16565b92509193509193565b611ecb61304e565b611ed457600080fd5b600854600d546040516370a0823160e01b8152611f6d926001600160a01b0316918491611f68919084906370a0823190611f12903090600401614d20565b60206040518083038186803b158015611f2a57600080fd5b505afa158015611f3e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611f629190614b70565b90612ba8565b612a61565b600954600e546040516370a0823160e01b8152611fab926001600160a01b0316918491611f68919084906370a0823190611f12903090600401614d20565b50565b600c8160028110611fbe57600080fd5b60209182820401919006915054906101000a900460ff1681565b6006546001600160a01b031681565b600654604051633749c20360e11b815260009182916001600160a01b0390911690636e9384069061201c903090600401614d20565b604080518083038186803b15801561203357600080fd5b505afa158015612047573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061206b9190614b88565b915091509091565b60055481565b6009546001600160a01b031681565b6002600f5414156120ce576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f556120db61304e565b6120f75760405162461bcd60e51b81526004016104d2906151c0565b6120ff6130da565b1561211c5760405162461bcd60e51b81526004016104d29061529e565b6121298585858585613248565b50506001600f55505050565b600160209081526000928352604080842090915290825290205481565b6305f5e10081565b61216261304e565b61216b57600080fd5b6008546040516370a0823160e01b81526001600160a01b03909116906370a082319061219b903090600401614d20565b60206040518083038186803b1580156121b357600080fd5b505afa1580156121c7573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906121eb9190614b70565b600d556009546040516370a0823160e01b81526001600160a01b03909116906370a082319061221e903090600401614d20565b60206040518083038186803b15801561223657600080fd5b505afa15801561224a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061226e9190614b70565b600e819055600d546040517fcf2aa50876cdfbb541206f89af0ee78d44a2abf8d328e37fa4917f982149848a926122a592916152dd565b60405180910390a1565b6000806000806122bd613d36565b156122da5760405162461bcd60e51b81526004016104d2906151a5565b600080871561243b576007546001600160a01b031663514ea4bf6122ff308d8d612fb5565b6040518263ffffffff1660e01b815260040161231b9190614f10565b60c06040518083038186803b15801561233357600080fd5b505afa158015612347573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061236b9190614ae8565b50939a5050506001600160801b03891615915061243690505760006123a1886001600160801b03168a61239c610731565b612925565b6007549091506001600160a01b031663a34123a78c8c6123c085613f84565b6040518463ffffffff1660e01b81526004016123de939291906150f9565b6040805180830381600087803b1580156123f757600080fd5b505af115801561240b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061242f9190614b88565b9097509550505b6124c6565b60075460405163a34123a760e01b81526001600160a01b039091169063a34123a79061246f908d908d908c906004016150f9565b6040805180830381600087803b15801561248857600080fd5b505af115801561249c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906124c09190614b88565b90965094505b6007546040516309e3d67b60e31b81526001600160a01b0390911690634f1eb3d8906125059030908e908e906001600160801b03908190600401614da7565b6040805180830381600087803b15801561251e57600080fd5b505af1158015612532573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906125569190614ab6565b6001600160801b03918216935016905085821161257457600061257e565b61257e8287612ba8565b935084811161258e576000612598565b6125988186612ba8565b600d549093506125a890836125cb565b600d55600e546125b890826125cb565b600e819055505050945094509450949050565b6000828201838110156107e0576040805162461bcd60e51b815260206004820152601b60248201527a536166654d6174683a206164646974696f6e206f766572666c6f7760281b604482015290519081900360640190fd5b600654600754604051631304687960e31b81526000926001600160a01b039081169263982343c89261265d92909116903090600401614d34565b60206040518083038186803b15801561267557600080fd5b505afa158015612689573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906126ad9190614b70565b905060008082156126db576126c785846305f5e100612925565b91506126d884846305f5e100612925565b90505b60006126e78684612ba8565b905060006126f58684612ba8565b90506000600b60009054906101000a90046001600160a01b03166001600160a01b031663017e7e586040518163ffffffff1660e01b815260040160206040518083038186803b15801561274757600080fd5b505afa15801561275b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061277f9190614664565b90506000600660009054906101000a90046001600160a01b03166001600160a01b031663017e7e586040518163ffffffff1660e01b815260040160206040518083038186803b1580156127d157600080fd5b505afa1580156127e5573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906128099190614664565b90506001600160a01b0382166128315760405162461bcd60e51b81526004016104d29061514f565b831561285f5760085461284e906001600160a01b03168386612a61565b600d5461285b9085612ba8565b600d555b821561288d5760095461287c906001600160a01b03168385612a61565b600e546128899084612ba8565b600e555b85156128bb576008546128aa906001600160a01b03168288612a61565b600d546128b79087612ba8565b600d555b84156128e9576009546128d8906001600160a01b03168287612a61565b600e546128e59086612ba8565b600e555b306001600160a01b031660008051602061539a8339815191528a8a6040516129129291906152dd565b60405180910390a2505050505050505050565b6000838302816000198587098281108382030391505080841161294757600080fd5b80612957575082900490506107e0565b8385870960008581038616958690049560026003880281188089028203028089028203028089028203028089028203028089028203028089029091030291819003819004600101858411909403939093029190930391909104170290509392505050565b6129c782600083613fcc565b60408051808201825260018152603160f91b6020808301919091526001600160a01b0385166000908152908190529190912054612a05918390612d2a565b6001600160a01b038316600090815260208190526040902055600254612a2b9082612ba8565b6002556040805182815290516000916001600160a01b0385169160008051602061544e8339815191529181900360200190a35050565b604080516001600160a01b038481166024830152604480830185905283518084039091018152606490920183526020820180516001600160e01b031663a9059cbb60e01b1781529251825160009485949389169392918291908083835b60208310612add5780518252601f199092019160209182019101612abe565b6001836020036101000a0380198251168184511680821785525050505050509050019150506000604051808303816000865af19150503d8060008114612b3f576040519150601f19603f3d011682016040523d82523d6000602084013e612b44565b606091505b5091509150818015612b72575080511580612b725750808060200190516020811015612b6f57600080fd5b50515b61098e576040805162461bcd60e51b815260206004820152600260248201526114d560f21b604482015290519081900360640190fd5b600082821115612bff576040805162461bcd60e51b815260206004820152601e60248201527f536166654d6174683a207375627472616374696f6e206f766572666c6f770000604482015290519081900360640190fd5b50900390565b3390565b6001600160a01b03808416600081815260016020908152604080832094871680845294825291829020859055815185815291517f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b9259281900390910190a3505050565b612c76838383613fcc565b612cb3816040518060600160405280602681526020016153ba602691396001600160a01b0386166000908152602081905260409020549190612d2a565b6001600160a01b038085166000908152602081905260408082209390935590841681522054612ce290826125cb565b6001600160a01b0380841660008181526020818152604091829020949094558051858152905191939287169260008051602061544e83398151915292918290030190a3505050565b60008184841115612db95760405162461bcd60e51b81526004018080602001828103825283818151815260200191508051906020019080838360005b83811015612d7e578181015183820152602001612d66565b50505050905090810190601f168015612dab5780820380516001836020036101000a031916815260200191505b509250505060405180910390fd5b505050900390565b604080516001600160a01b0385811660248301528481166044830152606480830185905283518084039091018152608490920183526020820180516001600160e01b03166323b872dd60e01b178152925182516000948594938a169392918291908083835b60208310612e455780518252601f199092019160209182019101612e26565b6001836020036101000a0380198251168184511680821785525050505050509050019150506000604051808303816000865af19150503d8060008114612ea7576040519150601f19603f3d011682016040523d82523d6000602084013e612eac565b606091505b5091509150818015612eda575080511580612eda5750808060200190516020811015612ed757600080fd5b50515b612f11576040805162461bcd60e51b815260206004820152600360248201526229aa2360e91b604482015290519081900360640190fd5b505050505050565b60065460408051635aa6e67560e01b815290516000926001600160a01b031691635aa6e675916004808301926020929190829003018186803b158015612f5e57600080fd5b505afa158015612f72573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612f969190614664565b6001600160a01b0316336001600160a01b0316141561074d5750600190565b601892831b62ffffff9283161790921b91161790565b612fd760008383613fcc565b600254612fe490826125cb565b6002556001600160a01b03821660009081526020819052604090205461300a90826125cb565b6001600160a01b03831660008181526020818152604080832094909455835185815293519293919260008051602061544e8339815191529281900390910190a35050565b600b5460405163de33b11b60e01b81526000916001600160a01b03169063de33b11b9061307f903390600401614d20565b60206040518083038186803b15801561309757600080fd5b505afa1580156130ab573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906130cf91906147f6565b1561074d5750600190565b600654604051637e4ecb5d60e11b81526000916001600160a01b03169063fc9d96ba9061307f903090600401614d20565b60008060005b6004548110156132435760006004828154811061312a57fe5b600091825260208220600754910180549093506001600160a01b039091169063514ea4bf90613169903090600281810b9163010000009004900b612fb5565b6040518263ffffffff1660e01b81526004016131859190614f10565b60c06040518083038186803b15801561319d57600080fd5b505afa1580156131b1573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906131d59190614ae8565b505050505090506000816001600160801b03161115613239578154600090819061320f90600281810b9163010000009004900b83866122af565b93509350505061322882886125cb90919063ffffffff16565b965061323486826125cb565b955050505b5050600101613111565b509091565b613250613d36565b1561326d5760405162461bcd60e51b81526004016104d2906151a5565b61327561453f565b600654604080516306ec4be960e41b815290516000926001600160a01b031691636ec4be90916004808301926020929190829003018186803b1580156132ba57600080fd5b505afa1580156132ce573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906132f29190614664565b9050600080881561332e57600854613314906001600160a01b0316848a613fd1565b50506008546009546001600160a01b03918216911661335b565b600954613345906001600160a01b0316848a613fd1565b50506009546008546001600160a01b0391821691165b6040516370a0823160e01b81526001600160a01b038316906370a0823190613387903090600401614d20565b60206040518083038186803b15801561339f57600080fd5b505afa1580156133b3573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906133d79190614b70565b84526040516370a0823160e01b81526001600160a01b038216906370a0823190613405903090600401614d20565b60206040518083038186803b15801561341d57600080fd5b505afa158015613431573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906134559190614b70565b6020850152613462610731565b608085015286156134d25760405163fa85d9b960e01b81526001600160a01b0384169063fa85d9b99061349b9089908990600401614f19565b600060405180830381600087803b1580156134b557600080fd5b505af11580156134c9573d6000803e3d6000fd5b505050506135a5565b600080846001600160a01b031688886040516134ef929190614d10565b6000604051808303816000865af19150503d806000811461352c576040519150601f19603f3d011682016040523d82523d6000602084013e613531565b606091505b5091509150816135a2578051604481101561355e5760405162461bcd60e51b81526004016104d290615187565b6004820180516003198301825290926000906135839084810160200190602401614945565b90508184528060405162461bcd60e51b81526004016104d2919061511f565b50505b6135ad610731565b8460800151146135bc57600080fd5b6040516370a0823160e01b81526001600160a01b038316906370a08231906135e8903090600401614d20565b60206040518083038186803b15801561360057600080fd5b505afa158015613614573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906136389190614b70565b604080860191909152516370a0823160e01b81526001600160a01b038216906370a082319061366b903090600401614d20565b60206040518083038186803b15801561368357600080fd5b505afa158015613697573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906136bb9190614b70565b6060850152604084015184516000916136d49190612ba8565b905060006136f386602001518760600151612ba890919063ffffffff16565b90508a1561373857600854613713906001600160a01b03168660006140c2565b600d546137209083612ba8565b600d55600e5461373090826125cb565b600e55613771565b600954613750906001600160a01b03168660006140c2565b600d5461375d90826125cb565b600d55600e5461376d9083612ba8565b600e555b600b60009054906101000a90046001600160a01b03166001600160a01b03166361d274496040518163ffffffff1660e01b8152600401600060405180830381600087803b1580156137c157600080fd5b505af11580156137d5573d6000803e3d6000fd5b5050600754600654604080518082018252600c5460ff8082161515835261010090910416151560208201529051630869c60f60e01b815273eb1d8e9dd57db41081c94dbad5eaf38486b9610f9550630869c60f945061384d936001600160a01b03908116931691889188918c918c9190600401614f48565b60206040518083038186803b15801561386557600080fd5b505af4158015613879573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061389d91906147f6565b6138b95760405162461bcd60e51b81526004016104d290615212565b5050505050505050505050565b6000806000806000600486815481106138db57fe5b600091825260208220600754910180549093506001600160a01b039091169063514ea4bf9061391a903090600281810b9163010000009004900b612fb5565b6040518263ffffffff1660e01b81526004016139369190614f10565b60c06040518083038186803b15801561394e57600080fd5b505afa158015613962573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906139869190614ae8565b505050505090506000816001600160801b031611156139c75781546139bc90600281810b9163010000009004900b6000846122af565b929850909650945092505b50509193509193565b6000806139db613d36565b156139f85760405162461bcd60e51b81526004016104d2906151a5565b600754604051632c06cc1960e01b81526000917307cd92b0c1b5537aaf63fad0946e25d4969d797191632c06cc1991613a47916001600160a01b03909116908c908c908c908c90600401614ff0565b60206040518083038186803b158015613a5f57600080fd5b505af4158015613a73573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613a979190614a9c565b6007546040805180820182526001600160a01b038881168252909216602080840182905291519394509263aafe29c092309283928e928e928992613adc9291016152ba565b6040516020818303038152906040526040518763ffffffff1660e01b8152600401613b0c96959493929190614d4e565b606060405180830381600087803b158015613b2657600080fd5b505af1158015613b3a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613b5e9190614bfb565b5090999098509650505050505050565b613b76613d36565b15613b935760405162461bcd60e51b81526004016104d2906151a5565b6003805460ff1916905560005b8151811015613c72576000828281518110613bb757fe5b60200260200101519050613bde8160000151826020015183604001518460600151306139d0565b5050604080518082019091528151600290810b8252602092830151810b928201928352600480546001818101835560009290925292517f8a35acfbc15ff81a39ae7d344fd709f28e8600b4aa8c65c6b64bfe7fe36bd19b90930180549451830b62ffffff90811663010000000265ffffff000000199590940b1662ffffff1990951694909417929092161790915501613ba0565b5050565b6000805b8251811015613d30576000838281518110613c9157fe5b60200260200101516000015190506000848381518110613cad57fe5b602002602001015160200151905060005b83811015613d2557858181518110613cd257fe5b60200260200101516000015160020b8360020b1415613d1d57858181518110613cf757fe5b60200260200101516020015160020b8260020b1415613d1d576001945050505050610dc0565b600101613cbe565b505050600101613c7a565b50919050565b600654600754600a54600b54604051630e7e577360e11b815260009473eb1d8e9dd57db41081c94dbad5eaf38486b9610f94631cfcaee694613d95946001600160a01b03938416949284169391821692600c929091169060040161507f565b60206040518083038186803b158015613dad57600080fd5b505af41580156130ab573d6000803e3d6000fd5b600080613dcc610731565b600654600a54600754604051637d5f21d160e11b8152939450734f5ad67a35da241d9f32d3d08d65f9b820df7e2a9363fabe43a293613e2d936001600160a01b039182169390821692911690600c908e908e908e908e908c90600401615024565b60206040518083038186803b158015613e4557600080fd5b505af4158015613e59573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613e7d9190614b70565b9150600080600b60009054906101000a90046001600160a01b03166001600160a01b03166391a543b66040518163ffffffff1660e01b815260040160206040518083038186803b158015613ed057600080fd5b505afa158015613ee4573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613f089190614b70565b905082613f3057613f1e8464e8d4a51000612ba8565b9350613f30600064e8d4a51000612fcb565b8015613f6e57613f4e6305f5e100613f4886846141d5565b9061422e565b600554909250613f5e90836125cb565b600555613f6b8483612ba8565b93505b613f788585612fcb565b50505095945050505050565b6000600160801b8210613fc85760405162461bcd60e51b81526004018080602001828103825260278152602001806153e06027913960400191505060405180910390fd5b5090565b505050565b600061406782856001600160a01b031663dd62ed3e30876040518363ffffffff1660e01b815260040180836001600160a01b03168152602001826001600160a01b031681526020019250505060206040518083038186803b15801561403557600080fd5b505afa158015614049573d6000803e3d6000fd5b505050506040513d602081101561405f57600080fd5b5051906125cb565b604080516001600160a01b038616602482015260448082018490528251808303909101815260649091019091526020810180516001600160e01b031663095ea7b360e01b1790529091506140bc908590614292565b50505050565b801580614148575060408051636eb1769f60e11b81523060048201526001600160a01b03848116602483015291519185169163dd62ed3e91604480820192602092909190829003018186803b15801561411a57600080fd5b505afa15801561412e573d6000803e3d6000fd5b505050506040513d602081101561414457600080fd5b5051155b6141835760405162461bcd60e51b81526004018080602001828103825260368152602001806154986036913960400191505060405180910390fd5b604080516001600160a01b038416602482015260448082018490528251808303909101815260649091019091526020810180516001600160e01b031663095ea7b360e01b179052613fcc908490614292565b6000826141e45750600061070d565b828202828482816141f157fe5b04146107e05760405162461bcd60e51b815260040180806020018281038252602181526020018061542d6021913960400191505060405180910390fd5b6000808211614281576040805162461bcd60e51b815260206004820152601a602482015279536166654d6174683a206469766973696f6e206279207a65726f60301b604482015290519081900360640190fd5b81838161428a57fe5b049392505050565b60006142e7826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b03166143439092919063ffffffff16565b805190915015613fcc5780806020019051602081101561430657600080fd5b5051613fcc5760405162461bcd60e51b815260040180806020018281038252602a81526020018061546e602a913960400191505060405180910390fd5b6060614352848460008561435a565b949350505050565b60608247101561439b5760405162461bcd60e51b81526004018080602001828103825260268152602001806154076026913960400191505060405180910390fd5b6143a4856144b5565b6143f5576040805162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e7472616374000000604482015290519081900360640190fd5b600080866001600160a01b031685876040518082805190602001908083835b602083106144335780518252601f199092019160209182019101614414565b6001836020036101000a03801982511681845116808217855250505050505090500191505060006040518083038185875af1925050503d8060008114614495576040519150601f19603f3d011682016040523d82523d6000602084013e61449a565b606091505b50915091506144aa8282866144bb565b979650505050505050565b3b151590565b606083156144ca5750816107e0565b8251156144da5782518084602001fd5b60405162461bcd60e51b8152602060048201818152845160248401528451859391928392604401919085019080838360008315612d7e578181015183820152602001612d66565b5080546000825590600052602060002090810190611fab919061456e565b6040518060a0016040528060008152602001600081526020016000815260200160008152602001600081525090565b5b80821115613fc857805465ffffffffffff1916815560010161456f565b60008083601f84011261459d578081fd5b5081356001600160401b038111156145b3578182fd5b6020830191508360206080830285010111156145ce57600080fd5b9250929050565b8035610dc08161536b565b60008083601f8401126145f1578182fd5b5081356001600160401b03811115614607578182fd5b6020830191508360208285010111156145ce57600080fd5b8035600281900b8114610dc057600080fd5b80516001600160801b0381168114610dc057600080fd5b600060208284031215614659578081fd5b81356107e081615356565b600060208284031215614675578081fd5b81516107e081615356565b60008060408385031215614692578081fd5b823561469d81615356565b915060208301356146ad81615356565b809150509250929050565b6000806000606084860312156146cc578081fd5b83356146d781615356565b925060208401356146e781615356565b929592945050506040919091013590565b60008060008060006080868803121561470f578081fd5b853561471a81615356565b9450602086013561472a81615356565b93506040860135925060608601356001600160401b0381111561474b578182fd5b6147578882890161458c565b969995985093965092949392505050565b6000806000806080858703121561477d578384fd5b845161478881615356565b602086015190945061479981615356565b6040860151606090960151949790965092505050565b600080604083850312156147c1578182fd5b82356147cc81615356565b946020939093013593505050565b6000602082840312156147eb578081fd5b81356107e08161536b565b600060208284031215614807578081fd5b81516107e08161536b565b600080600080600060808688031215614829578283fd5b85356148348161536b565b945060208601359350604086013561484b8161536b565b925060608601356001600160401b03811115614865578182fd5b614757888289016145e0565b60008060008060008060008060008060e08b8d03121561488f578788fd5b8a3561489a8161536b565b995060208b0135985060408b01356148b18161536b565b975060608b01356001600160401b03808211156148cc578687fd5b6148d88e838f016145e0565b909950975060808d01359150808211156148f0578687fd5b6148fc8e838f0161458c565b909750955060a08d0135915080821115614914578485fd5b506149218d828e0161458c565b9094509250614934905060c08c016145d5565b90509295989b9194979a5092959850565b600060208284031215614956578081fd5b81516001600160401b038082111561496c578283fd5b818401915084601f83011261497f578283fd5b81518181111561498b57fe5b604051601f8201601f1916810160200183811182821017156149a957fe5b6040528181528382016020018710156149c0578485fd5b6149d182602083016020870161532a565b9695505050505050565b6000604082840312156149ec578081fd5b604080519081016001600160401b0381118282101715614a0857fe5b6040528235614a1681615356565b81526020830135614a2681615356565b60208201529392505050565b600060808284031215614a43578081fd5b604051608081016001600160401b0381118282101715614a5f57fe5b604052614a6b8361461f565b8152614a796020840161461f565b602082015260408301356040820152606083013560608201528091505092915050565b600060208284031215614aad578081fd5b6107e082614631565b60008060408385031215614ac8578182fd5b614ad183614631565b9150614adf60208401614631565b90509250929050565b60008060008060008060c08789031215614b00578384fd5b614b0987614631565b9550602087015163ffffffff81168114614b21578485fd5b6040880151606089015191965094509250614b3e60808801614631565b9150614b4c60a08801614631565b90509295509295509295565b600060208284031215614b69578081fd5b5035919050565b600060208284031215614b81578081fd5b5051919050565b60008060408385031215614b9a578182fd5b505080516020909101519092909150565b60008060008060608587031215614bc0578182fd5b843593506020850135925060408501356001600160401b03811115614be3578283fd5b614bef878288016145e0565b95989497509550505050565b600080600060608486031215614c0f578081fd5b8351925060208401519150614c2660408501614631565b90509250925092565b600080600060608486031215614c43578081fd5b505081359360208301359350604090920135919050565b60008060008060808587031215614c6f578182fd5b505082516020840151604085015160609095015191969095509092509050565b600080600080600060a08688031215614ca6578283fd5b505083359560208501359550604085013594606081013594506080013592509050565b5460ff8082161515835260089190911c161515602090910152565b60008151808452614cfc81602086016020860161532a565b601f01601f19169290920160200192915050565b6000828483379101908152919050565b6001600160a01b0391909116815260200190565b6001600160a01b0392831681529116602082015260400190565b6001600160a01b03878116825286166020820152600285810b604083015284900b60608201526001600160801b038316608082015260c060a08201819052600090614d9b90830184614ce4565b98975050505050505050565b6001600160a01b03959095168552600293840b60208601529190920b60408401526001600160801b03918216606084015216608082015260a00190565b6020808252818101839052600090604080840186845b87811015614e4857614e0b8261461f565b600281810b8552614e1d87850161461f565b900b848701525081840135848401526060808301359084015260809283019290910190600101614dfa565b5090979650505050505050565b6020808252818101839052600090604080840186845b87811015614e48578135835284820135614e848161536b565b15158386015281840135848401526060808301359084015260809283019290910190600101614e6b565b602080825282518282018190526000919060409081850190868401855b82811015614ef85781518051600290810b865290870151900b868501529284019290850190600101614ecb565b5091979650505050505050565b901515815260200190565b90815260200190565b60006020825282602083015282846040840137818301604090810191909152601f909201601f19160101919050565b6001600160a01b0388811682528781166020808401919091526040830188905260608301879052858216608084015290841660a083015261010082019060c08301908460005b6002811015614fad578151151584529282019290820190600101614f8e565b5050505098975050505050505050565b6001600160a01b03949094168452600292830b6020850152910b60408301526001600160801b0316606082015260800190565b6001600160a01b03959095168552600293840b60208601529190920b60408401526060830191909152608082015260a00190565b6001600160a01b038a8116825289811660208301528816604082015261014081016150526060830189614cc9565b60a082019690965260c081019490945260e084019290925261010083015261012090910152949350505050565b6001600160a01b0386811682528581166020830152848116604083015260c08201906150ae6060840186614cc9565b80841660a0840152509695505050505050565b6001600160a01b039384168152919092166020820152604081019190915260600190565b600292830b8152910b602082015260400190565b600293840b81529190920b60208201526001600160801b03909116604082015260600190565b6000602082526107e06020830184614ce4565b602080825260039082015262494e5360e81b604082015260600190565b6020808252600290820152615a4160f01b604082015260600190565b602080825260029082015261494f60f01b604082015260600190565b6020808252600490820152630737761760e41b604082015260600190565b6020808252600190820152601160fa1b604082015260600190565b6020808252600190820152602760f91b604082015260600190565b6020808252600190820152601360fa1b604082015260600190565b602080825260029082015261494160f01b604082015260600190565b6020808252600190820152605360f81b604082015260600190565b602080825260029082015261554160f01b604082015260600190565b60208082526003908201526212551360ea1b604082015260600190565b602080825260029082015261125560f21b604082015260600190565b602080825260029082015261534360f01b604082015260600190565b602080825260029082015261111360f21b604082015260600190565b81516001600160a01b039081168252602092830151169181019190915260400190565b918252602082015260400190565b9283526020830191909152604082015260600190565b93845260208401929092526040830152606082015260800190565b60ff91909116815260200190565b60005b8381101561534557818101518382015260200161532d565b838111156140bc5750506000910152565b6001600160a01b0381168114611fab57600080fd5b8015158114611fab57600080fdfe5265656e7472616e637947756172643a207265656e7472616e742063616c6c007a6996f208e1f74222a1b84b080a89f0b84e81ec5bed570e1c232950014ecc6f45524332303a207472616e7366657220616d6f756e7420657863656564732062616c616e636553616665436173743a2076616c756520646f65736e27742066697420696e203132382062697473416464726573733a20696e73756666696369656e742062616c616e636520666f722063616c6c536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f77ddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef5361666545524332303a204552433230206f7065726174696f6e20646964206e6f7420737563636565645361666545524332303a20617070726f76652066726f6d206e6f6e2d7a65726f20746f206e6f6e2d7a65726f20616c6c6f77616e6365a164736f6c6343000706000a000000000000000000000000eebf6773ec00723ce66277b892bd3528bcaad2c90000000000000000000000003cb104f044db23d6513f2a6100a1997fa5e3f587000000000000000000000000f9aa1ed3f3fdb44ad3002b137f1c0e65748d24ba000000000000000000000000ec864d25b09beccc4dc40eba1cf0f965046399e00000000000000000000000000000000000000000000000000000000000000001000000000000000000000000000000000000000000000000000000000000000100000000000000000000000000000000000000000000000000000000000000e00000000000000000000000000000000000000000000000000000000000000001000000000000000000000000000000000000000000000000000000000002ec5c000000000000000000000000000000000000000000000000000000000002fc2e
Deployed Bytecode
0x608060405234801561001057600080fd5b50600436106101c25760003560e01c806305a10028146101c757806306fdde03146101f1578063095ea7b3146102065780630dfe16811461022657806316f0115b1461023b57806318160ddd1461024357806323b872dd14610258578063313ce5671461026b57806339509351146102805780633d1c387b146102935780633dd657c5146102a8578063443cb4bc146102bd578063481c6a75146102c5578063534cb30d146102cd57806356e3f54e146102ee5780635a76f25e1461030157806370a08231146103095780637fc505451461031c5780638579f7ca1461032457806395d89b411461032c57806399d32fc4146103345780639f9275ef1461033c578063a457c2d71461034f578063a637196c14610362578063a9059cbb14610385578063ae3dfa2814610398578063ba9a7a56146103ba578063bc191148146103c2578063bc25cf77146103d5578063bf8ceec5146103e8578063c45a0155146103fb578063c4a7761e14610403578063ce52f63c1461040b578063d21220a714610413578063daf20a571461041b578063dd62ed3e1461042e578063e63a391f14610441578063fff6cae914610449575b600080fd5b6101da6101d5366004614c2f565b610451565b6040516101e89291906152dd565b60405180910390f35b6101f96106cb565b6040516101e8919061511f565b6102196102143660046147af565b6106f5565b6040516101e89190614f05565b61022e610713565b6040516101e89190614d20565b61022e610722565b61024b610731565b6040516101e89190614f10565b6102196102663660046146b8565b610750565b6102736107e7565b6040516101e8919061531c565b61021961028e3660046147af565b6107ec565b61029b61083a565b6040516101e89190614eae565b6102bb6102b6366004614bab565b6108b3565b005b61024b610995565b61022e61099b565b6102e06102db366004614b58565b6109aa565b6040516101e89291906150e5565b6102bb6102fc3660046146f8565b6109da565b61024b610da0565b61024b610317366004614648565b610da6565b610219610dc5565b61024b610dce565b6101f9610dd3565b6102bb610df6565b6102bb61034a366004614871565b610f0e565b61021961035d3660046147af565b6114ac565b610375610370366004614b58565b611515565b6040516101e89493929190615301565b6102196103933660046147af565b611706565b6103ab6103a6366004614c8f565b61171a565b6040516101e8939291906152eb565b61024b611adb565b6103756103d03660046147da565b611ae4565b6102bb6103e3366004614648565b611ec3565b6102196103f6366004614b58565b611fae565b61022e611fd8565b6101da611fe7565b61024b612073565b61022e612079565b6102bb610429366004614812565b612088565b61024b61043c366004614680565b612135565b61024b612152565b6102bb61215a565b6000806002600f54141561049a576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f55846104a933610da6565b101580156104b657508415155b6104db5760405162461bcd60e51b81526004016104d290615132565b60405180910390fd5b60008060008060005b600454811015610571576000600482815481106104fd57fe5b600091825260208220018054909250819061052890600281810b9163010000009004900b8f846122af565b929a509098509250905061053c86836125cb565b955061054885826125cb565b94506105548a896125cb565b995061056089886125cb565b985050600190920191506104e49050565b5060008211806105815750600081115b15610590576105908282612623565b600d54600e5460006105a0610731565b9050888311156105c4576105c16105ba8a85038e84612925565b8a906125cb565b98505b878211156105e6576105e36105dc8984038e84612925565b89906125cb565b97505b888b111580156105f65750878a11155b6106125760405162461bcd60e51b81526004016104d290615212565b61061c338d6129bb565b881561063957600854610639906001600160a01b0316338b612a61565b871561065657600954610656906001600160a01b0316338a612a61565b600d54610663908a612ba8565b600d55600e546106739089612ba8565b600e5560405133907f743033787f4738ff4d6a7225ce2bd0977ee5f86b91a902a58f5e4d0b297b4644906106ac908f908d908d906152eb565b60405180910390a2505050505050506001600f81905550935093915050565b6040518060400160405280600e81526020016d446566694564676520536861726560901b81525081565b6000610709610702612c05565b8484612c09565b5060015b92915050565b6008546001600160a01b031681565b6007546001600160a01b031681565b600061074a6005546002546125cb90919063ffffffff16565b90505b90565b600061075d848484612c6b565b6107dc84610769612c05565b6107d785604051806040016040528060018152602001606160f81b815250600160008b6001600160a01b03166001600160a01b0316815260200190815260200160002060006107b6612c05565b6001600160a01b031681526020810191909152604001600020549190612d2a565b612c09565b5060015b9392505050565b601281565b60006107096107f9612c05565b846107d7856001600061080a612c05565b6001600160a01b03908116825260208083019390935260409182016000908120918c1681529252902054906125cb565b60606004805480602002602001604051908101604052809291908181526020016000905b828210156108aa5760008481526020908190206040805180820190915290840154600281810b810b810b83526301000000909104810b810b900b8183015282526001909201910161085e565b50505050905090565b6007546001600160a01b031633146108ca57600080fd5b60006108d8828401846149db565b80519091506001600160a01b031630141561094e57841561091b5760085461090a906001600160a01b03163387612a61565b600d546109179086612ba8565b600d555b831561094957600954610938906001600160a01b03163386612a61565b600e546109459085612ba8565b600e555b61098e565b841561096e57600854815161096e916001600160a01b0316903388612dc1565b831561098e57600954815161098e916001600160a01b0316903387612dc1565b5050505050565b600d5481565b600b546001600160a01b031681565b600481815481106109ba57600080fd5b600091825260209091200154600281810b92506301000000909104900b82565b6109e2612f19565b8015610a715750600660009054906101000a90046001600160a01b03166001600160a01b03166313a82bc56040518163ffffffff1660e01b815260040160206040518083038186803b158015610a3757600080fd5b505afa158015610a4b573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a6f91906147f6565b155b610a7a57600080fd5b8015610c825760005b81811015610c80576000838383818110610a9957fe5b905060800201803603810190610aaf9190614a32565b600754815160208301519293506000926001600160a01b039092169163514ea4bf91610add91309190612fb5565b6040518263ffffffff1660e01b8152600401610af99190614f10565b60c06040518083038186803b158015610b1157600080fd5b505afa158015610b25573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b499190614ae8565b50506007548651602088015160405163a34123a760e01b81529697506001600160a01b039092169563a34123a79550610b8a945090925086906004016150f9565b6040805180830381600087803b158015610ba357600080fd5b505af1158015610bb7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610bdb9190614b88565b5050600754825160208401516040516309e3d67b60e31b81526001600160a01b0390931692634f1eb3d892610c1f9230926001600160801b03908190600401614da7565b6040805180830381600087803b158015610c3857600080fd5b505af1158015610c4c573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c709190614ab6565b505060019092019150610a839050565b505b8215610c9357610c93858585612a61565b6008546040516370a0823160e01b81526001600160a01b03909116906370a0823190610cc3903090600401614d20565b60206040518083038186803b158015610cdb57600080fd5b505afa158015610cef573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d139190614b70565b600d556009546040516370a0823160e01b81526001600160a01b03909116906370a0823190610d46903090600401614d20565b60206040518083038186803b158015610d5e57600080fd5b505afa158015610d72573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d969190614b70565b600e555050505050565b600e5481565b6001600160a01b0381166000908152602081905260409020545b919050565b60035460ff1681565b601481565b604051806040016040528060078152602001664445536861726560c81b81525081565b600654600b54600554604051630a9dce8b60e01b8152600093849384938493734f5ad67a35da241d9f32d3d08d65f9b820df7e2a93630a9dce8b93610e4e936001600160a01b039283169392909116916004016150c1565b60806040518083038186803b158015610e6657600080fd5b505af4158015610e7a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610e9e9190614768565b93509350935093506000821115610eb957610eb98483612fcb565b8015610ec957610ec98382612fcb565b60006005556040517f48b06b1a71c95ebd2ca58625da601bd9103a72670daa6d769054365cd81d5e3990610f0090849084906152dd565b60405180910390a150505050565b6002600f541415610f54576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f55610f6161304e565b610f7d5760405162461bcd60e51b81526004016104d2906151c0565b610f856130da565b15610fa25760405162461bcd60e51b81526004016104d29061529e565b6000808215611036578515610fc95760405162461bcd60e51b81526004016104d2906151f6565b6003805460ff19166001179055610fde61310b565b909250905081151580610ff15750600081115b15611000576110008282612623565b61100c60046000614521565b6040517f11f465e766ea3db0c8e7ec9feeeb4a40a061dd0d533d8e238d8e51627e34846990600090a15b8715611049576110498c8c8c8c8c613248565b85156113445760005b868110156112eb5780156110ac5787878281811061106c57fe5b9050608002016000013588886001840381811061108557fe5b90506080020160000135116110ac5760405162461bcd60e51b81526004016104d29061516b565b600060048989848181106110bc57fe5b90506080020160000135815481106110d057fe5b600091825260209182902060408051808201909152910154600281810b810b810b83526301000000909104810b810b900b91810191909152905088888381811061111657fe5b905060800201602001602081019061112e91906147da565b1561117e576000806111548b8b8681811061114557fe5b905060800201600001356138c6565b93509350505061116d82876125cb90919063ffffffff16565b955061117985826125cb565b945050505b600089898481811061118c57fe5b9050608002016040013511806111b7575060008989848181106111ab57fe5b90506080020160600135115b15611202576111fb816000015182602001518b8b868181106111d557fe5b905060800201604001358c8c878181106111eb57fe5b90506080020160600135306139d0565b50506112e2565b88888381811061120e57fe5b905060800201602001602081019061122691906147da565b156112e25760048054600019810190811061123d57fe5b9060005260206000200160048a8a8581811061125557fe5b905060800201600001358154811061126957fe5b6000918252602090912082549101805462ffffff191662ffffff600293840b840b811691909117808355935465ffffff00000019909416630100000094859004840b90930b1690920217905560048054806112c057fe5b6000828152602090208101600019908101805465ffffffffffff191690550190555b50600101611052565b5060008211806112fb5750600081115b1561130a5761130a8282612623565b7fc164ad37eb8a406203b8ca3874be2fcb034f4eeb7db0ef3478359e329b4eb351878760405161133b929190614e55565b60405180910390a15b83156113df576113a58585808060200260200160405190810160405280939291908181526020016000905b8282101561139b5761138c60808302860136819003810190614a32565b8152602001906001019061136f565b5050505050613b6e565b7f852383cff866ad1535b2b0a4d3b1e6b4d46d064745e607b3c6daa715af9b412d85856040516113d6929190614de4565b60405180910390a15b6114596004805480602002602001604051908101604052809291908181526020016000905b828210156114505760008481526020908190206040805180820190915290840154600281810b810b810b83526301000000909104810b810b900b81830152825260019092019101611404565b50505050613c76565b156114765760405162461bcd60e51b81526004016104d290615266565b600454601e10156114995760405162461bcd60e51b81526004016104d290615249565b50506001600f5550505050505050505050565b60006107096114b9612c05565b846107d785604051806040016040528060018152602001606160f81b815250600160006114e4612c05565b6001600160a01b03908116825260208083019390935260409182016000908120918d16815292529020549190612d2a565b6000806000806002600f541415611561576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f5561156e613d36565b1561158b5760405162461bcd60e51b81526004016104d2906151a5565b600b54604051631ca536b960e01b81526001600160a01b0390911690631ca536b9906115bb903390600401614d20565b60206040518083038186803b1580156115d357600080fd5b505afa1580156115e7573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061160b91906147f6565b6116275760405162461bcd60e51b81526004016104d2906151c0565b611630856138c6565b92965090945092509050811515806116485750600081115b15611657576116578282612623565b60048054600019810190811061166957fe5b906000526020600020016004868154811061168057fe5b6000918252602090912082549101805462ffffff191662ffffff600293840b840b811691909117808355935465ffffff00000019909416630100000094859004840b90930b1690920217905560048054806116d757fe5b6000828152602090208101600019908101805465ffffffffffff191690550190556001600f5592949193509190565b6000610709611713612c05565b8484612c6b565b60008060006002600f541415611765576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f556117726130da565b1561178f5760405162461bcd60e51b81526004016104d29061529e565b600b54604051631a7cd8dd60e11b81526001600160a01b03909116906334f9b1ba906117bf903390600401614d20565b60206040518083038186803b1580156117d757600080fd5b505afa1580156117eb573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061180f91906147f6565b61182b5760405162461bcd60e51b81526004016104d29061522d565b604051631783222960e31b81526000908190309063bc1911489061185490600190600401614f05565b608060405180830381600087803b15801561186e57600080fd5b505af1158015611882573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118a69190614c5a565b50509150915060008a1180156118bc5750600089115b80156118c9575060045415155b1561191557600060046000815481106118de57fe5b6000918252602090912001805490915061190990600281810b9163010000009004900b8d8d336139d0565b90965094506119799050565b899450889350841561194a57600854611939906001600160a01b0316333088612dc1565b600d5461194690866125cb565b600d555b831561197957600954611968906001600160a01b0316333087612dc1565b600e5461197590856125cb565b600e555b6119868585848433613dc1565b9250858310156119a85760405162461bcd60e51b81526004016104d290615282565b8785101580156119b85750868410155b6119d45760405162461bcd60e51b81526004016104d290615212565b600b546040805163a4d66daf60e01b815290516000926001600160a01b03169163a4d66daf916004808301926020929190829003018186803b158015611a1957600080fd5b505afa158015611a2d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611a519190614b70565b90508015611a805780611a62610731565b1115611a805760405162461bcd60e51b81526004016104d2906151db565b336001600160a01b03167fb4c03061fb5b7fed76389d5af8f2e0ddb09f8c70d1333abbb62582835e10accb858888604051611abd939291906152eb565b60405180910390a25050506001600f81905550955095509592505050565b64e8d4a5100081565b60008060008060005b600454811015611e4e57600060048281548110611b0657fe5b6000918252602080832060408051808201909152920154600281810b810b810b8085526301000000909204810b810b900b9183018290526007549294506001600160a01b039092169163514ea4bf91611b60913091612fb5565b6040518263ffffffff1660e01b8152600401611b7c9190614f10565b60c06040518083038186803b158015611b9457600080fd5b505afa158015611ba8573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611bcc9190614ae8565b505050505090506000816001600160801b03161115611ca6576007548251602084015160405163ca7691cf60e01b815260009384937307cd92b0c1b5537aaf63fad0946e25d4969d79719363ca7691cf93611c37936001600160a01b03169291908990600401614fbd565b604080518083038186803b158015611c4e57600080fd5b505af4158015611c62573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611c869190614b88565b9092509050611c9589836125cb565b9850611ca188826125cb565b975050505b878015611cbc57506000816001600160801b0316115b15611e44576007548251602084015160405163a34123a760e01b81526001600160a01b039093169263a34123a792611cfb9290916000906004016150f9565b6040805180830381600087803b158015611d1457600080fd5b505af1158015611d28573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611d4c9190614b88565b5050600754825160208401516040516309e3d67b60e31b815260009384936001600160a01b0390911692634f1eb3d892611d9792309290916001600160801b03908190600401614da7565b6040805180830381600087803b158015611db057600080fd5b505af1158015611dc4573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611de89190614ab6565b6001600160801b039182169350169050611e0287836125cb565b9650611e0e86826125cb565b9550306001600160a01b031660008051602061539a8339815191528888604051611e399291906152dd565b60405180910390a250505b5050600101611aed565b50600d54611e5c90836125cb565b600d55600e54611e6c90826125cb565b600e55848015611e8657506000821180611e865750600081115b15611e9557611e958282612623565b600d54611ea39085906125cb565b9350611eba600e54846125cb90919063ffffffff16565b92509193509193565b611ecb61304e565b611ed457600080fd5b600854600d546040516370a0823160e01b8152611f6d926001600160a01b0316918491611f68919084906370a0823190611f12903090600401614d20565b60206040518083038186803b158015611f2a57600080fd5b505afa158015611f3e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611f629190614b70565b90612ba8565b612a61565b600954600e546040516370a0823160e01b8152611fab926001600160a01b0316918491611f68919084906370a0823190611f12903090600401614d20565b50565b600c8160028110611fbe57600080fd5b60209182820401919006915054906101000a900460ff1681565b6006546001600160a01b031681565b600654604051633749c20360e11b815260009182916001600160a01b0390911690636e9384069061201c903090600401614d20565b604080518083038186803b15801561203357600080fd5b505afa158015612047573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061206b9190614b88565b915091509091565b60055481565b6009546001600160a01b031681565b6002600f5414156120ce576040805162461bcd60e51b815260206004820152601f602482015260008051602061537a833981519152604482015290519081900360640190fd5b6002600f556120db61304e565b6120f75760405162461bcd60e51b81526004016104d2906151c0565b6120ff6130da565b1561211c5760405162461bcd60e51b81526004016104d29061529e565b6121298585858585613248565b50506001600f55505050565b600160209081526000928352604080842090915290825290205481565b6305f5e10081565b61216261304e565b61216b57600080fd5b6008546040516370a0823160e01b81526001600160a01b03909116906370a082319061219b903090600401614d20565b60206040518083038186803b1580156121b357600080fd5b505afa1580156121c7573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906121eb9190614b70565b600d556009546040516370a0823160e01b81526001600160a01b03909116906370a082319061221e903090600401614d20565b60206040518083038186803b15801561223657600080fd5b505afa15801561224a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061226e9190614b70565b600e819055600d546040517fcf2aa50876cdfbb541206f89af0ee78d44a2abf8d328e37fa4917f982149848a926122a592916152dd565b60405180910390a1565b6000806000806122bd613d36565b156122da5760405162461bcd60e51b81526004016104d2906151a5565b600080871561243b576007546001600160a01b031663514ea4bf6122ff308d8d612fb5565b6040518263ffffffff1660e01b815260040161231b9190614f10565b60c06040518083038186803b15801561233357600080fd5b505afa158015612347573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061236b9190614ae8565b50939a5050506001600160801b03891615915061243690505760006123a1886001600160801b03168a61239c610731565b612925565b6007549091506001600160a01b031663a34123a78c8c6123c085613f84565b6040518463ffffffff1660e01b81526004016123de939291906150f9565b6040805180830381600087803b1580156123f757600080fd5b505af115801561240b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061242f9190614b88565b9097509550505b6124c6565b60075460405163a34123a760e01b81526001600160a01b039091169063a34123a79061246f908d908d908c906004016150f9565b6040805180830381600087803b15801561248857600080fd5b505af115801561249c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906124c09190614b88565b90965094505b6007546040516309e3d67b60e31b81526001600160a01b0390911690634f1eb3d8906125059030908e908e906001600160801b03908190600401614da7565b6040805180830381600087803b15801561251e57600080fd5b505af1158015612532573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906125569190614ab6565b6001600160801b03918216935016905085821161257457600061257e565b61257e8287612ba8565b935084811161258e576000612598565b6125988186612ba8565b600d549093506125a890836125cb565b600d55600e546125b890826125cb565b600e819055505050945094509450949050565b6000828201838110156107e0576040805162461bcd60e51b815260206004820152601b60248201527a536166654d6174683a206164646974696f6e206f766572666c6f7760281b604482015290519081900360640190fd5b600654600754604051631304687960e31b81526000926001600160a01b039081169263982343c89261265d92909116903090600401614d34565b60206040518083038186803b15801561267557600080fd5b505afa158015612689573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906126ad9190614b70565b905060008082156126db576126c785846305f5e100612925565b91506126d884846305f5e100612925565b90505b60006126e78684612ba8565b905060006126f58684612ba8565b90506000600b60009054906101000a90046001600160a01b03166001600160a01b031663017e7e586040518163ffffffff1660e01b815260040160206040518083038186803b15801561274757600080fd5b505afa15801561275b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061277f9190614664565b90506000600660009054906101000a90046001600160a01b03166001600160a01b031663017e7e586040518163ffffffff1660e01b815260040160206040518083038186803b1580156127d157600080fd5b505afa1580156127e5573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906128099190614664565b90506001600160a01b0382166128315760405162461bcd60e51b81526004016104d29061514f565b831561285f5760085461284e906001600160a01b03168386612a61565b600d5461285b9085612ba8565b600d555b821561288d5760095461287c906001600160a01b03168385612a61565b600e546128899084612ba8565b600e555b85156128bb576008546128aa906001600160a01b03168288612a61565b600d546128b79087612ba8565b600d555b84156128e9576009546128d8906001600160a01b03168287612a61565b600e546128e59086612ba8565b600e555b306001600160a01b031660008051602061539a8339815191528a8a6040516129129291906152dd565b60405180910390a2505050505050505050565b6000838302816000198587098281108382030391505080841161294757600080fd5b80612957575082900490506107e0565b8385870960008581038616958690049560026003880281188089028203028089028203028089028203028089028203028089028203028089029091030291819003819004600101858411909403939093029190930391909104170290509392505050565b6129c782600083613fcc565b60408051808201825260018152603160f91b6020808301919091526001600160a01b0385166000908152908190529190912054612a05918390612d2a565b6001600160a01b038316600090815260208190526040902055600254612a2b9082612ba8565b6002556040805182815290516000916001600160a01b0385169160008051602061544e8339815191529181900360200190a35050565b604080516001600160a01b038481166024830152604480830185905283518084039091018152606490920183526020820180516001600160e01b031663a9059cbb60e01b1781529251825160009485949389169392918291908083835b60208310612add5780518252601f199092019160209182019101612abe565b6001836020036101000a0380198251168184511680821785525050505050509050019150506000604051808303816000865af19150503d8060008114612b3f576040519150601f19603f3d011682016040523d82523d6000602084013e612b44565b606091505b5091509150818015612b72575080511580612b725750808060200190516020811015612b6f57600080fd5b50515b61098e576040805162461bcd60e51b815260206004820152600260248201526114d560f21b604482015290519081900360640190fd5b600082821115612bff576040805162461bcd60e51b815260206004820152601e60248201527f536166654d6174683a207375627472616374696f6e206f766572666c6f770000604482015290519081900360640190fd5b50900390565b3390565b6001600160a01b03808416600081815260016020908152604080832094871680845294825291829020859055815185815291517f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b9259281900390910190a3505050565b612c76838383613fcc565b612cb3816040518060600160405280602681526020016153ba602691396001600160a01b0386166000908152602081905260409020549190612d2a565b6001600160a01b038085166000908152602081905260408082209390935590841681522054612ce290826125cb565b6001600160a01b0380841660008181526020818152604091829020949094558051858152905191939287169260008051602061544e83398151915292918290030190a3505050565b60008184841115612db95760405162461bcd60e51b81526004018080602001828103825283818151815260200191508051906020019080838360005b83811015612d7e578181015183820152602001612d66565b50505050905090810190601f168015612dab5780820380516001836020036101000a031916815260200191505b509250505060405180910390fd5b505050900390565b604080516001600160a01b0385811660248301528481166044830152606480830185905283518084039091018152608490920183526020820180516001600160e01b03166323b872dd60e01b178152925182516000948594938a169392918291908083835b60208310612e455780518252601f199092019160209182019101612e26565b6001836020036101000a0380198251168184511680821785525050505050509050019150506000604051808303816000865af19150503d8060008114612ea7576040519150601f19603f3d011682016040523d82523d6000602084013e612eac565b606091505b5091509150818015612eda575080511580612eda5750808060200190516020811015612ed757600080fd5b50515b612f11576040805162461bcd60e51b815260206004820152600360248201526229aa2360e91b604482015290519081900360640190fd5b505050505050565b60065460408051635aa6e67560e01b815290516000926001600160a01b031691635aa6e675916004808301926020929190829003018186803b158015612f5e57600080fd5b505afa158015612f72573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612f969190614664565b6001600160a01b0316336001600160a01b0316141561074d5750600190565b601892831b62ffffff9283161790921b91161790565b612fd760008383613fcc565b600254612fe490826125cb565b6002556001600160a01b03821660009081526020819052604090205461300a90826125cb565b6001600160a01b03831660008181526020818152604080832094909455835185815293519293919260008051602061544e8339815191529281900390910190a35050565b600b5460405163de33b11b60e01b81526000916001600160a01b03169063de33b11b9061307f903390600401614d20565b60206040518083038186803b15801561309757600080fd5b505afa1580156130ab573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906130cf91906147f6565b1561074d5750600190565b600654604051637e4ecb5d60e11b81526000916001600160a01b03169063fc9d96ba9061307f903090600401614d20565b60008060005b6004548110156132435760006004828154811061312a57fe5b600091825260208220600754910180549093506001600160a01b039091169063514ea4bf90613169903090600281810b9163010000009004900b612fb5565b6040518263ffffffff1660e01b81526004016131859190614f10565b60c06040518083038186803b15801561319d57600080fd5b505afa1580156131b1573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906131d59190614ae8565b505050505090506000816001600160801b03161115613239578154600090819061320f90600281810b9163010000009004900b83866122af565b93509350505061322882886125cb90919063ffffffff16565b965061323486826125cb565b955050505b5050600101613111565b509091565b613250613d36565b1561326d5760405162461bcd60e51b81526004016104d2906151a5565b61327561453f565b600654604080516306ec4be960e41b815290516000926001600160a01b031691636ec4be90916004808301926020929190829003018186803b1580156132ba57600080fd5b505afa1580156132ce573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906132f29190614664565b9050600080881561332e57600854613314906001600160a01b0316848a613fd1565b50506008546009546001600160a01b03918216911661335b565b600954613345906001600160a01b0316848a613fd1565b50506009546008546001600160a01b0391821691165b6040516370a0823160e01b81526001600160a01b038316906370a0823190613387903090600401614d20565b60206040518083038186803b15801561339f57600080fd5b505afa1580156133b3573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906133d79190614b70565b84526040516370a0823160e01b81526001600160a01b038216906370a0823190613405903090600401614d20565b60206040518083038186803b15801561341d57600080fd5b505afa158015613431573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906134559190614b70565b6020850152613462610731565b608085015286156134d25760405163fa85d9b960e01b81526001600160a01b0384169063fa85d9b99061349b9089908990600401614f19565b600060405180830381600087803b1580156134b557600080fd5b505af11580156134c9573d6000803e3d6000fd5b505050506135a5565b600080846001600160a01b031688886040516134ef929190614d10565b6000604051808303816000865af19150503d806000811461352c576040519150601f19603f3d011682016040523d82523d6000602084013e613531565b606091505b5091509150816135a2578051604481101561355e5760405162461bcd60e51b81526004016104d290615187565b6004820180516003198301825290926000906135839084810160200190602401614945565b90508184528060405162461bcd60e51b81526004016104d2919061511f565b50505b6135ad610731565b8460800151146135bc57600080fd5b6040516370a0823160e01b81526001600160a01b038316906370a08231906135e8903090600401614d20565b60206040518083038186803b15801561360057600080fd5b505afa158015613614573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906136389190614b70565b604080860191909152516370a0823160e01b81526001600160a01b038216906370a082319061366b903090600401614d20565b60206040518083038186803b15801561368357600080fd5b505afa158015613697573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906136bb9190614b70565b6060850152604084015184516000916136d49190612ba8565b905060006136f386602001518760600151612ba890919063ffffffff16565b90508a1561373857600854613713906001600160a01b03168660006140c2565b600d546137209083612ba8565b600d55600e5461373090826125cb565b600e55613771565b600954613750906001600160a01b03168660006140c2565b600d5461375d90826125cb565b600d55600e5461376d9083612ba8565b600e555b600b60009054906101000a90046001600160a01b03166001600160a01b03166361d274496040518163ffffffff1660e01b8152600401600060405180830381600087803b1580156137c157600080fd5b505af11580156137d5573d6000803e3d6000fd5b5050600754600654604080518082018252600c5460ff8082161515835261010090910416151560208201529051630869c60f60e01b815273eb1d8e9dd57db41081c94dbad5eaf38486b9610f9550630869c60f945061384d936001600160a01b03908116931691889188918c918c9190600401614f48565b60206040518083038186803b15801561386557600080fd5b505af4158015613879573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061389d91906147f6565b6138b95760405162461bcd60e51b81526004016104d290615212565b5050505050505050505050565b6000806000806000600486815481106138db57fe5b600091825260208220600754910180549093506001600160a01b039091169063514ea4bf9061391a903090600281810b9163010000009004900b612fb5565b6040518263ffffffff1660e01b81526004016139369190614f10565b60c06040518083038186803b15801561394e57600080fd5b505afa158015613962573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906139869190614ae8565b505050505090506000816001600160801b031611156139c75781546139bc90600281810b9163010000009004900b6000846122af565b929850909650945092505b50509193509193565b6000806139db613d36565b156139f85760405162461bcd60e51b81526004016104d2906151a5565b600754604051632c06cc1960e01b81526000917307cd92b0c1b5537aaf63fad0946e25d4969d797191632c06cc1991613a47916001600160a01b03909116908c908c908c908c90600401614ff0565b60206040518083038186803b158015613a5f57600080fd5b505af4158015613a73573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613a979190614a9c565b6007546040805180820182526001600160a01b038881168252909216602080840182905291519394509263aafe29c092309283928e928e928992613adc9291016152ba565b6040516020818303038152906040526040518763ffffffff1660e01b8152600401613b0c96959493929190614d4e565b606060405180830381600087803b158015613b2657600080fd5b505af1158015613b3a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613b5e9190614bfb565b5090999098509650505050505050565b613b76613d36565b15613b935760405162461bcd60e51b81526004016104d2906151a5565b6003805460ff1916905560005b8151811015613c72576000828281518110613bb757fe5b60200260200101519050613bde8160000151826020015183604001518460600151306139d0565b5050604080518082019091528151600290810b8252602092830151810b928201928352600480546001818101835560009290925292517f8a35acfbc15ff81a39ae7d344fd709f28e8600b4aa8c65c6b64bfe7fe36bd19b90930180549451830b62ffffff90811663010000000265ffffff000000199590940b1662ffffff1990951694909417929092161790915501613ba0565b5050565b6000805b8251811015613d30576000838281518110613c9157fe5b60200260200101516000015190506000848381518110613cad57fe5b602002602001015160200151905060005b83811015613d2557858181518110613cd257fe5b60200260200101516000015160020b8360020b1415613d1d57858181518110613cf757fe5b60200260200101516020015160020b8260020b1415613d1d576001945050505050610dc0565b600101613cbe565b505050600101613c7a565b50919050565b600654600754600a54600b54604051630e7e577360e11b815260009473eb1d8e9dd57db41081c94dbad5eaf38486b9610f94631cfcaee694613d95946001600160a01b03938416949284169391821692600c929091169060040161507f565b60206040518083038186803b158015613dad57600080fd5b505af41580156130ab573d6000803e3d6000fd5b600080613dcc610731565b600654600a54600754604051637d5f21d160e11b8152939450734f5ad67a35da241d9f32d3d08d65f9b820df7e2a9363fabe43a293613e2d936001600160a01b039182169390821692911690600c908e908e908e908e908c90600401615024565b60206040518083038186803b158015613e4557600080fd5b505af4158015613e59573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613e7d9190614b70565b9150600080600b60009054906101000a90046001600160a01b03166001600160a01b03166391a543b66040518163ffffffff1660e01b815260040160206040518083038186803b158015613ed057600080fd5b505afa158015613ee4573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613f089190614b70565b905082613f3057613f1e8464e8d4a51000612ba8565b9350613f30600064e8d4a51000612fcb565b8015613f6e57613f4e6305f5e100613f4886846141d5565b9061422e565b600554909250613f5e90836125cb565b600555613f6b8483612ba8565b93505b613f788585612fcb565b50505095945050505050565b6000600160801b8210613fc85760405162461bcd60e51b81526004018080602001828103825260278152602001806153e06027913960400191505060405180910390fd5b5090565b505050565b600061406782856001600160a01b031663dd62ed3e30876040518363ffffffff1660e01b815260040180836001600160a01b03168152602001826001600160a01b031681526020019250505060206040518083038186803b15801561403557600080fd5b505afa158015614049573d6000803e3d6000fd5b505050506040513d602081101561405f57600080fd5b5051906125cb565b604080516001600160a01b038616602482015260448082018490528251808303909101815260649091019091526020810180516001600160e01b031663095ea7b360e01b1790529091506140bc908590614292565b50505050565b801580614148575060408051636eb1769f60e11b81523060048201526001600160a01b03848116602483015291519185169163dd62ed3e91604480820192602092909190829003018186803b15801561411a57600080fd5b505afa15801561412e573d6000803e3d6000fd5b505050506040513d602081101561414457600080fd5b5051155b6141835760405162461bcd60e51b81526004018080602001828103825260368152602001806154986036913960400191505060405180910390fd5b604080516001600160a01b038416602482015260448082018490528251808303909101815260649091019091526020810180516001600160e01b031663095ea7b360e01b179052613fcc908490614292565b6000826141e45750600061070d565b828202828482816141f157fe5b04146107e05760405162461bcd60e51b815260040180806020018281038252602181526020018061542d6021913960400191505060405180910390fd5b6000808211614281576040805162461bcd60e51b815260206004820152601a602482015279536166654d6174683a206469766973696f6e206279207a65726f60301b604482015290519081900360640190fd5b81838161428a57fe5b049392505050565b60006142e7826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b03166143439092919063ffffffff16565b805190915015613fcc5780806020019051602081101561430657600080fd5b5051613fcc5760405162461bcd60e51b815260040180806020018281038252602a81526020018061546e602a913960400191505060405180910390fd5b6060614352848460008561435a565b949350505050565b60608247101561439b5760405162461bcd60e51b81526004018080602001828103825260268152602001806154076026913960400191505060405180910390fd5b6143a4856144b5565b6143f5576040805162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e7472616374000000604482015290519081900360640190fd5b600080866001600160a01b031685876040518082805190602001908083835b602083106144335780518252601f199092019160209182019101614414565b6001836020036101000a03801982511681845116808217855250505050505090500191505060006040518083038185875af1925050503d8060008114614495576040519150601f19603f3d011682016040523d82523d6000602084013e61449a565b606091505b50915091506144aa8282866144bb565b979650505050505050565b3b151590565b606083156144ca5750816107e0565b8251156144da5782518084602001fd5b60405162461bcd60e51b8152602060048201818152845160248401528451859391928392604401919085019080838360008315612d7e578181015183820152602001612d66565b5080546000825590600052602060002090810190611fab919061456e565b6040518060a0016040528060008152602001600081526020016000815260200160008152602001600081525090565b5b80821115613fc857805465ffffffffffff1916815560010161456f565b60008083601f84011261459d578081fd5b5081356001600160401b038111156145b3578182fd5b6020830191508360206080830285010111156145ce57600080fd5b9250929050565b8035610dc08161536b565b60008083601f8401126145f1578182fd5b5081356001600160401b03811115614607578182fd5b6020830191508360208285010111156145ce57600080fd5b8035600281900b8114610dc057600080fd5b80516001600160801b0381168114610dc057600080fd5b600060208284031215614659578081fd5b81356107e081615356565b600060208284031215614675578081fd5b81516107e081615356565b60008060408385031215614692578081fd5b823561469d81615356565b915060208301356146ad81615356565b809150509250929050565b6000806000606084860312156146cc578081fd5b83356146d781615356565b925060208401356146e781615356565b929592945050506040919091013590565b60008060008060006080868803121561470f578081fd5b853561471a81615356565b9450602086013561472a81615356565b93506040860135925060608601356001600160401b0381111561474b578182fd5b6147578882890161458c565b969995985093965092949392505050565b6000806000806080858703121561477d578384fd5b845161478881615356565b602086015190945061479981615356565b6040860151606090960151949790965092505050565b600080604083850312156147c1578182fd5b82356147cc81615356565b946020939093013593505050565b6000602082840312156147eb578081fd5b81356107e08161536b565b600060208284031215614807578081fd5b81516107e08161536b565b600080600080600060808688031215614829578283fd5b85356148348161536b565b945060208601359350604086013561484b8161536b565b925060608601356001600160401b03811115614865578182fd5b614757888289016145e0565b60008060008060008060008060008060e08b8d03121561488f578788fd5b8a3561489a8161536b565b995060208b0135985060408b01356148b18161536b565b975060608b01356001600160401b03808211156148cc578687fd5b6148d88e838f016145e0565b909950975060808d01359150808211156148f0578687fd5b6148fc8e838f0161458c565b909750955060a08d0135915080821115614914578485fd5b506149218d828e0161458c565b9094509250614934905060c08c016145d5565b90509295989b9194979a5092959850565b600060208284031215614956578081fd5b81516001600160401b038082111561496c578283fd5b818401915084601f83011261497f578283fd5b81518181111561498b57fe5b604051601f8201601f1916810160200183811182821017156149a957fe5b6040528181528382016020018710156149c0578485fd5b6149d182602083016020870161532a565b9695505050505050565b6000604082840312156149ec578081fd5b604080519081016001600160401b0381118282101715614a0857fe5b6040528235614a1681615356565b81526020830135614a2681615356565b60208201529392505050565b600060808284031215614a43578081fd5b604051608081016001600160401b0381118282101715614a5f57fe5b604052614a6b8361461f565b8152614a796020840161461f565b602082015260408301356040820152606083013560608201528091505092915050565b600060208284031215614aad578081fd5b6107e082614631565b60008060408385031215614ac8578182fd5b614ad183614631565b9150614adf60208401614631565b90509250929050565b60008060008060008060c08789031215614b00578384fd5b614b0987614631565b9550602087015163ffffffff81168114614b21578485fd5b6040880151606089015191965094509250614b3e60808801614631565b9150614b4c60a08801614631565b90509295509295509295565b600060208284031215614b69578081fd5b5035919050565b600060208284031215614b81578081fd5b5051919050565b60008060408385031215614b9a578182fd5b505080516020909101519092909150565b60008060008060608587031215614bc0578182fd5b843593506020850135925060408501356001600160401b03811115614be3578283fd5b614bef878288016145e0565b95989497509550505050565b600080600060608486031215614c0f578081fd5b8351925060208401519150614c2660408501614631565b90509250925092565b600080600060608486031215614c43578081fd5b505081359360208301359350604090920135919050565b60008060008060808587031215614c6f578182fd5b505082516020840151604085015160609095015191969095509092509050565b600080600080600060a08688031215614ca6578283fd5b505083359560208501359550604085013594606081013594506080013592509050565b5460ff8082161515835260089190911c161515602090910152565b60008151808452614cfc81602086016020860161532a565b601f01601f19169290920160200192915050565b6000828483379101908152919050565b6001600160a01b0391909116815260200190565b6001600160a01b0392831681529116602082015260400190565b6001600160a01b03878116825286166020820152600285810b604083015284900b60608201526001600160801b038316608082015260c060a08201819052600090614d9b90830184614ce4565b98975050505050505050565b6001600160a01b03959095168552600293840b60208601529190920b60408401526001600160801b03918216606084015216608082015260a00190565b6020808252818101839052600090604080840186845b87811015614e4857614e0b8261461f565b600281810b8552614e1d87850161461f565b900b848701525081840135848401526060808301359084015260809283019290910190600101614dfa565b5090979650505050505050565b6020808252818101839052600090604080840186845b87811015614e48578135835284820135614e848161536b565b15158386015281840135848401526060808301359084015260809283019290910190600101614e6b565b602080825282518282018190526000919060409081850190868401855b82811015614ef85781518051600290810b865290870151900b868501529284019290850190600101614ecb565b5091979650505050505050565b901515815260200190565b90815260200190565b60006020825282602083015282846040840137818301604090810191909152601f909201601f19160101919050565b6001600160a01b0388811682528781166020808401919091526040830188905260608301879052858216608084015290841660a083015261010082019060c08301908460005b6002811015614fad578151151584529282019290820190600101614f8e565b5050505098975050505050505050565b6001600160a01b03949094168452600292830b6020850152910b60408301526001600160801b0316606082015260800190565b6001600160a01b03959095168552600293840b60208601529190920b60408401526060830191909152608082015260a00190565b6001600160a01b038a8116825289811660208301528816604082015261014081016150526060830189614cc9565b60a082019690965260c081019490945260e084019290925261010083015261012090910152949350505050565b6001600160a01b0386811682528581166020830152848116604083015260c08201906150ae6060840186614cc9565b80841660a0840152509695505050505050565b6001600160a01b039384168152919092166020820152604081019190915260600190565b600292830b8152910b602082015260400190565b600293840b81529190920b60208201526001600160801b03909116604082015260600190565b6000602082526107e06020830184614ce4565b602080825260039082015262494e5360e81b604082015260600190565b6020808252600290820152615a4160f01b604082015260600190565b602080825260029082015261494f60f01b604082015260600190565b6020808252600490820152630737761760e41b604082015260600190565b6020808252600190820152601160fa1b604082015260600190565b6020808252600190820152602760f91b604082015260600190565b6020808252600190820152601360fa1b604082015260600190565b602080825260029082015261494160f01b604082015260600190565b6020808252600190820152605360f81b604082015260600190565b602080825260029082015261554160f01b604082015260600190565b60208082526003908201526212551360ea1b604082015260600190565b602080825260029082015261125560f21b604082015260600190565b602080825260029082015261534360f01b604082015260600190565b602080825260029082015261111360f21b604082015260600190565b81516001600160a01b039081168252602092830151169181019190915260400190565b918252602082015260400190565b9283526020830191909152604082015260600190565b93845260208401929092526040830152606082015260800190565b60ff91909116815260200190565b60005b8381101561534557818101518382015260200161532d565b838111156140bc5750506000910152565b6001600160a01b0381168114611fab57600080fd5b8015158114611fab57600080fdfe5265656e7472616e637947756172643a207265656e7472616e742063616c6c007a6996f208e1f74222a1b84b080a89f0b84e81ec5bed570e1c232950014ecc6f45524332303a207472616e7366657220616d6f756e7420657863656564732062616c616e636553616665436173743a2076616c756520646f65736e27742066697420696e203132382062697473416464726573733a20696e73756666696369656e742062616c616e636520666f722063616c6c536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f77ddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef5361666545524332303a204552433230206f7065726174696f6e20646964206e6f7420737563636565645361666545524332303a20617070726f76652066726f6d206e6f6e2d7a65726f20746f206e6f6e2d7a65726f20616c6c6f77616e6365a164736f6c6343000706000a
[ Download: CSV Export ]
A token is a representation of an on-chain or off-chain asset. The token page shows information such as price, total supply, holders, transfers and social links. Learn more about this page in our Knowledge Base.