ETH Price: $2,403.19 (-3.18%)
Gas: 4.01 Gwei
 

Multichain Info

No addresses found
Transaction Hash
Method
Block
From
To
Unpause135032302021-10-28 3:09:441103 days ago1635390584IN
0xdEA0bDfe...31E7beb13
0 ETH0.00808082220
Rescue Tokens135032292021-10-28 3:09:231103 days ago1635390563IN
0xdEA0bDfe...31E7beb13
0 ETH0.0219549220
Pause135032072021-10-28 3:04:461103 days ago1635390286IN
0xdEA0bDfe...31E7beb13
0 ETH0.00809556220
Harvest133573432021-10-05 6:09:091126 days ago1633414149IN
0xdEA0bDfe...31E7beb13
0 ETH0.0101128169.2
Harvest133573432021-10-05 6:09:091126 days ago1633414149IN
0xdEA0bDfe...31E7beb13
0 ETH0.0425083869.2
Add Pool133307172021-10-01 2:14:271131 days ago1633054467IN
0xdEA0bDfe...31E7beb13
0 ETH0.017007280
Add Pool133208562021-09-29 13:12:211132 days ago1632921141IN
0xdEA0bDfe...31E7beb13
0 ETH0.017007280
0x61010060133179942021-09-29 2:21:331133 days ago1632882093IN
 Create: SushiStakingV2Strategy
0 ETH0.3544351370

View more zero value Internal Transactions in Advanced View mode

Advanced mode:
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
SushiStakingV2Strategy

Compiler Version
v0.8.3+commit.8d00100c

Optimization Enabled:
Yes with 100 runs

Other Settings:
default evmVersion
File 1 of 38 : SushiStakingV2Strategy.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@uniswap/v2-core/contracts/interfaces/IUniswapV2Pair.sol";
import "@uniswap/v2-core/contracts/interfaces/IUniswapV2Factory.sol";
import "@uniswap/v2-periphery/contracts/interfaces/IUniswapV2Router02.sol";
import "@uniswap/lib/contracts/libraries/Babylonian.sol";
import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import "@openzeppelin/contracts/utils/Counters.sol";
import "contracts/Registry.sol";
import "contracts/strategies/BasePairLPStrategy.sol";
import "contracts/vendor/uniswap/SushiSwapLibrary.sol";
import "contracts/vendor/sushiswap/IMasterChefV2.sol";
import "contracts/libraries/OndoLibrary.sol";
import "contracts/interfaces/IUserTriggeredReward.sol";

/**
 * @title Access Sushiswap
 * @notice Add and remove liquidity to Sushiswap
 * @dev Though Sushiswap ripped off Uniswap, there is an extra step of
 *      dealing with mining incentives. Unfortunately some of this info is
 *      not in the Sushiswap contracts. This strategy will occasionally sell
 *      Sushi for more senior/junior assets to reinvest as more LP. This cycle
 *      continues: original assets -> LP -> sushi -> LP.
 */
contract SushiStakingV2Strategy is BasePairLPStrategy {
  using SafeERC20 for IERC20;
  using OndoSaferERC20 for IERC20;

  string public constant name = "Ondo MasterChefV2 Staking Strategy";

  struct PoolData {
    uint256 pid;
    address[][2] pathsFromRewards;
    uint256 totalShares;
    uint256 totalLp;
    uint256 accRewardToken;
    IUserTriggeredReward extraRewardHandler;
    bool _isSet; // can't use pid because pid 0 is usdt/eth
  }

  mapping(address => PoolData) public pools;

  // Pointers to Sushiswap contracts
  IUniswapV2Router02 public immutable sushiRouter;
  IERC20 public immutable sushiToken;
  IMasterChefV2 public immutable masterChef;
  address public immutable sushiFactory;

  uint256 public sharesToLpRatio = 10e15;

  event NewPair(address indexed pool, uint256 pid);

  /**
   * @dev
   * @param _registry Ondo global registry
   * @param _router Address for UniswapV2Router02 for Sushiswap
   * @param _chef Sushiswap contract that handles mining incentives
   * @param _factory Address for UniswapV2Factory for Sushiswap
   * @param _sushi ERC20 contract for Sushi tokens
   */
  constructor(
    address _registry,
    address _router,
    address _chef,
    address _factory,
    address _sushi
  ) BasePairLPStrategy(_registry) {
    require(_router != address(0), "Invalid address");
    require(_chef != address(0), "Invalid address");
    require(_factory != address(0), "Invalid address");
    require(_sushi != address(0), "Invalid address");
    registry = Registry(_registry);
    sushiRouter = IUniswapV2Router02(_router);
    sushiToken = IERC20(_sushi);
    masterChef = IMasterChefV2(_chef);
    sushiFactory = _factory;
  }

  /**
   * @notice Conversion of LP tokens to shares
   * @param vaultId Vault
   * @param lpTokens Amount of LP tokens
   * @return Number of shares for LP tokens
   * @return Total shares for this Vault
   * @return Sushiswap pool
   */
  function sharesFromLp(uint256 vaultId, uint256 lpTokens)
    public
    view
    override
    returns (
      uint256,
      uint256,
      IERC20
    )
  {
    Vault storage vault_ = vaults[vaultId];
    PoolData storage poolData = pools[address(vault_.pool)];
    return (
      (lpTokens * poolData.totalShares) / poolData.totalLp,
      vault_.shares,
      vault_.pool
    );
  }

  /**
   * @notice Conversion of shares to LP tokens
   * @param vaultId Vault
   * @param shares Amount of shares
   * @return Number LP tokens
   * @return Total shares for this Vault
   */
  function lpFromShares(uint256 vaultId, uint256 shares)
    public
    view
    override
    returns (uint256, uint256)
  {
    Vault storage vault_ = vaults[vaultId];
    PoolData storage poolData = pools[address(vault_.pool)];
    return ((shares * poolData.totalLp) / poolData.totalShares, vault_.shares);
  }

  /**
   * @notice Add LP tokens while Vault is live
   * @dev Maintain the amount of lp deposited directly
   * @param _vaultId Vault
   * @param _lpTokens Amount of LP tokens
   */
  function addLp(uint256 _vaultId, uint256 _lpTokens)
    external
    virtual
    override
    whenNotPaused
    onlyOrigin(_vaultId)
  {
    Vault storage vault_ = vaults[_vaultId];
    PoolData storage poolData = pools[address(vault_.pool)];
    (uint256 userShares, , ) = sharesFromLp(_vaultId, _lpTokens);
    vault_.shares += userShares;
    poolData.totalShares += userShares;
    poolData.totalLp += _lpTokens;
    midTermDepositLp(vault_.pool, _lpTokens);
  }

  /**
   * @notice Remove LP tokens while Vault is live
   * @dev
   * @param _vaultId Vault
   * @param _shares Number of shares
   * @param to Send LP tokens here
   */
  function removeLp(
    uint256 _vaultId,
    uint256 _shares,
    address to
  ) external override whenNotPaused onlyOrigin(_vaultId) {
    require(to != address(0), "No zero address");
    Vault storage vault_ = vaults[_vaultId];
    PoolData storage poolData = pools[address(vault_.pool)];
    (uint256 userLp, ) = lpFromShares(_vaultId, _shares);
    IERC20 rewardToken = IERC20(poolData.pathsFromRewards[1][0]);
    uint256 rewardTokenAmt = rewardToken.balanceOf(address(this));
    masterChef.withdraw(poolData.pid, userLp, address(this));
    rewardTokenAmt = rewardToken.balanceOf(address(this)) - rewardTokenAmt;
    if (address(poolData.extraRewardHandler) != address(0)) {
      rewardToken.safeTransfer(
        address(poolData.extraRewardHandler),
        rewardTokenAmt
      );
      poolData.extraRewardHandler.invest(rewardTokenAmt);
    } else {
      poolData.accRewardToken += rewardTokenAmt;
    }
    vault_.shares -= _shares;
    poolData.totalShares -= _shares;
    poolData.totalLp -= userLp;
    IERC20(vault_.pool).safeTransfer(to, userLp);
  }

  // @dev harvest must be a controlled function b/c engages with uniswap
  // in mean time, can gain sushi rewards on sushi gained
  // from depositing into masterchef mid term
  function midTermDepositLp(IERC20 pool, uint256 _lpTokens) internal {
    PoolData storage poolData = pools[address(pool)];
    IERC20 rewardToken = IERC20(poolData.pathsFromRewards[1][0]);
    uint256 rewardTokenAmt = rewardToken.balanceOf(address(this));
    pool.ondoSafeIncreaseAllowance(address(masterChef), _lpTokens);
    masterChef.deposit(pools[address(pool)].pid, _lpTokens, address(this));
    rewardTokenAmt = rewardToken.balanceOf(address(this)) - rewardTokenAmt;
    // in some cases such as the ETH/ALCX LP staking pool, the rewarder contract triggered by MasterChef V2 emits rewards when
    // the balance of LP staked in MasterChef is updated (ie. on a new deposit/withdrawal from an address with an existing balance).
    // (This behavior was present in the original MasterChef contract itself, though it is not in V2.)
    // Thus, when users deposit and withdraw LP between harvests, the rewards (not in SUSHI, but the other token) emitted to the strategy
    // have to be accounted for, because:
    // (1) we can't allow users to trigger compounding (swaps) because of flash loan vulnerability
    // (2) we compound only on the new rewards received from harvesting, so these "extra" rewards would be lost/stuck.
    // Instead, we handle this in one of two ways, on a per-pool basis:
    // (1) pool.accRewardToken tracks the amount of reward tokens sent to the contract by the rewarder between harvests.
    // Each pool has its own accRewardToken so that the "extra" rewards emitted to pools with LP deposit/withdrawal activity are not
    // collectivized across the strategy.
    // (2) these "extra" reward tokens are sent on to a secondary strategy, pool.extraRewardHandler, if there is a way to earn yield on
    // them without swapping, such as the Alchemix single-asset ALCX staking pool.
    if (address(poolData.extraRewardHandler) != address(0)) {
      rewardToken.safeTransfer(
        address(poolData.extraRewardHandler),
        rewardTokenAmt
      );
      poolData.extraRewardHandler.invest(rewardTokenAmt);
    } else {
      poolData.accRewardToken += rewardTokenAmt;
    }
  }

  function addPool(
    address _pool,
    uint256 _pid,
    address[][2] memory _pathsFromRewards,
    address _extraRewardHandler
  ) external whenNotPaused isAuthorized(OLib.STRATEGIST_ROLE) {
    require(!pools[_pool]._isSet, "Pool already registered");
    require(_pool != address(0), "Cannot be zero address");

    address lpToken = masterChef.lpToken(_pid);
    require(lpToken == _pool, "LP Token does not match");
    require(
      _pathsFromRewards[0][0] == address(sushiToken) &&
        _pathsFromRewards[1][0] != address(sushiToken),
      "First path must be from SUSHI"
    );
    address token0 = IUniswapV2Pair(_pool).token0();
    address token1 = IUniswapV2Pair(_pool).token1();
    for (uint256 i = 0; i < 2; i++) {
      address rewardToken = _pathsFromRewards[i][0];
      if (rewardToken == token0 || rewardToken == token1) {
        require(_pathsFromRewards[i].length == 1, "Invalid path");
      } else {
        address endToken =
          _pathsFromRewards[i][_pathsFromRewards[i].length - 1];
        require(endToken == token0 || endToken == token1, "Invalid path");
      }
    }
    pools[_pool].pathsFromRewards = _pathsFromRewards;

    pools[_pool].pid = _pid;
    pools[_pool]._isSet = true;
    pools[_pool].extraRewardHandler = IUserTriggeredReward(_extraRewardHandler);

    emit NewPair(_pool, _pid);
  }

  function updateRewardPath(address _pool, address[] calldata _pathFromReward)
    external
    whenNotPaused
    isAuthorized(OLib.STRATEGIST_ROLE)
    returns (bool success)
  {
    require(pools[_pool]._isSet, "Pool ID not yet registered");
    address rewardToken = _pathFromReward[0];
    address endToken = _pathFromReward[_pathFromReward.length - 1];
    require(
      rewardToken != endToken || _pathFromReward.length == 1,
      "Invalid path"
    );
    address token0 = IUniswapV2Pair(_pool).token0();
    address token1 = IUniswapV2Pair(_pool).token1();
    require(
      token0 != rewardToken && token1 != rewardToken,
      "This path should never be updated"
    );
    require(token0 == endToken || token1 == endToken, "Invalid path");
    PoolData storage poolData = pools[_pool];
    if (rewardToken == address(sushiToken)) {
      poolData.pathsFromRewards[0] = _pathFromReward;
      success = true;
    } else if (rewardToken == poolData.pathsFromRewards[1][0]) {
      poolData.pathsFromRewards[1] = _pathFromReward;
      success = true;
    } else {
      success = false;
    }
  }

  function _compound(IERC20 _pool, PoolData storage _poolData)
    internal
    returns (uint256 lpAmount)
  {
    // since some pools may include SUSHI or the dual reward token in the pair, resulting
    // in the strategy holding withdrawable balances of those tokens for expired vaults,
    // we initialize the contract's balance and then take the diff after harvesting
    uint256 sushiAmount = sushiToken.balanceOf(address(this));
    IERC20 rewardToken = IERC20(_poolData.pathsFromRewards[1][0]);
    uint256 rewardTokenAmount = rewardToken.balanceOf(address(this));
    masterChef.harvest(_poolData.pid, address(this));
    // see comments from line 207 in midtermDeposit for documentation explaining the following code
    if (address(_poolData.extraRewardHandler) != address(0)) {
      _poolData.extraRewardHandler.withdraw();
    }
    sushiAmount = sushiToken.balanceOf(address(this)) - sushiAmount;
    rewardTokenAmount =
      rewardToken.balanceOf(address(this)) -
      rewardTokenAmount +
      _poolData.accRewardToken;
    _poolData.accRewardToken = 0;
    // to prevent new vaults from receiving a disproportionate share of the pool, this function is called by invest(). consequently,
    // we have to account for the case in which it is triggered by investing the first vault created for a given pool, since there will
    // not be any rewards after calling harvest, leave, etc. above. we constrain on 1 (10^-18) instead of 0 because of a quirk in
    // MasterChef's bookkeeping that can result in transferring a reward amount of 1 even if there is currently no LP balance
    // deposited in it.
    if (sushiAmount > 10000 && rewardTokenAmount > 10000) {
      IUniswapV2Pair pool = IUniswapV2Pair(address(_pool));
      // tokenAmountsArray will keep track of the token amounts to be reinvested throughout the series of swaps, updating in place.
      // here, it starts as the initially harvested SUSHI and dual reward token amounts. the order semantics are fixed, and match
      // poolInfo.pathsFromRewards - see addPool() and updateRewardPath() above
      uint256[] memory tokenAmountsArray = new uint256[](2);
      tokenAmountsArray[0] = sushiAmount;
      tokenAmountsArray[1] = rewardTokenAmount;
      for (uint256 i = 0; i < 2; i++) {
        // the first element in the swap path is the reward token itself, so an array length of 1 indicates that the token
        // is also one of the LP assets and thus does not need to be swapped
        if (
          tokenAmountsArray[i] > 0 && _poolData.pathsFromRewards[i].length > 1
        ) {
          // if the reward token does need to be swapped into one of the LP assets, that harvestAmount is updated in place with
          // the amount of LP asset received, now representing a token amount that can be passed into addLiquidity()
          tokenAmountsArray[i] = swapExactIn(
            tokenAmountsArray[i],
            // internal swap calls do not set a minimum amount received, which is constrained only after compounding, on LP received
            0,
            _poolData.pathsFromRewards[i]
          );
        }
      }
      // since the first element of pathsFromRewards is always the SUSHI swap path, tokenA is SUSHI if that is one of the LP assets,
      // or otherwise the LP asset we've chosen to swap SUSHI rewards for. we use 'A' and 'B' to avoid confusion with the token0 and token1
      // values of the UniswapV2Pair contract, which represent the same tokens but in a specific order that this function doesn't care about
      address tokenA =
        _poolData.pathsFromRewards[0][_poolData.pathsFromRewards[0].length - 1];
      // tokenB is the other asset in the LP
      address tokenB = IUniswapV2Pair(address(pool)).token0();
      if (tokenB == tokenA) tokenB = IUniswapV2Pair(address(pool)).token1();
      // there are two cases: either both rewards (SUSHI and dual) have now been converted to amounts of the same LP asset, or to
      // amounts of each LP asset
      bool sameTarget =
        tokenA ==
          _poolData.pathsFromRewards[1][
            _poolData.pathsFromRewards[1].length - 1
          ];
      if (sameTarget) {
        // this is the case in which we are starting with two amounts of the same LP asset. we update the first harvestAmount in place
        // to contain the total amount of this asset
        tokenAmountsArray[0] = tokenAmountsArray[0] + tokenAmountsArray[1];
        // we use Zapper's Babylonian method to calculate how much of this total needs to be swapped into the other LP asset in order to
        // addLiquidity without remainder. this is removed from the first harvestAmount, which now represents the final amount of tokenA
        // to be added to the LP, and written into the second harvestAmount, now the amount of tokenA that will be converted to tokenB
        (uint256 reserveA, ) =
          SushiSwapLibrary.getReserves(sushiFactory, tokenA, tokenB);
        tokenAmountsArray[1] = calculateSwapInAmount(
          reserveA,
          tokenAmountsArray[0]
        );
        tokenAmountsArray[0] -= tokenAmountsArray[1];
        // we update the second harvestAmount (amount of tokenA to be swapped) with the amount of tokenB received. tokenAmountsArray now
        // represents balanced LP assets that can be passed into addLiquidity without remainder, resulting in lpAmount = the final
        // compounding result
        tokenAmountsArray[1] = swapExactIn(
          tokenAmountsArray[1],
          0,
          getPath(tokenA, tokenB)
        );
        (, , lpAmount) = addLiquidity(
          tokenA,
          tokenB,
          tokenAmountsArray[0],
          tokenAmountsArray[1]
        );
      } else {
        // in this branch, we have amounts of both LP assets and may need to swap in order to balance them. the zap-in method alone doesn't
        // suffice for this, so to avoid some very tricky and opaque math, we simply:
        // (1) addLiquidity, leaving remainder in at most one LP asset
        // (2) check for a remainder
        // (3) if it exists, zap this amount into balanced amounts of each LP asset
        // (4) addLiquidity again, leaving no remainder
        uint256 amountInA;
        uint256 amountInB;
        (amountInA, amountInB, lpAmount) = addLiquidity(
          tokenA,
          tokenB,
          tokenAmountsArray[0],
          tokenAmountsArray[1]
        );
        // tokenAmountsArray are updated in place to represent the remaining LP assets after adding liquidity. at least one element is 0,
        // and except in the extremely rare case that the amounts were already perfectly balanced, the other element is > 0. the semantics
        // of which element holds a balance of which token remains fixed: [0] is tokenA, which is or was swapped from SUSHI, and [1] is tokenB,
        // which is or was swapped from the dual reward token, and they comprise both of the LP assets.
        tokenAmountsArray[0] -= amountInA;
        tokenAmountsArray[1] -= amountInB;
        require(
          tokenAmountsArray[0] == 0 || tokenAmountsArray[1] == 0,
          "Insufficient liquidity added on one side of first call"
        );
        (uint256 reserveA, uint256 reserveB) =
          SushiSwapLibrary.getReserves(sushiFactory, tokenA, tokenB);
        // in the first branch, the entire original amount of tokenA was added to the LP and is now 0, and there is a nonzero remainder
        // of tokenB. we initialize the swap amount outside the conditional so that at the end we know whether we performed any swaps
        // and therefore need to addLiquidity a second time
        uint256 amountToSwap;
        if (tokenAmountsArray[0] < tokenAmountsArray[1]) {
          // we perform the zap in, swapping tokenB for a balanced amount of tokenA. once again, the harvestAmount swapped from is
          // decremented in place by the swap amount, now available outside the conditional scope, and the amount received from the
          // swap is stored in the other harvestAmount
          amountToSwap = calculateSwapInAmount(reserveB, tokenAmountsArray[1]);
          tokenAmountsArray[1] -= amountToSwap;
          tokenAmountsArray[0] += swapExactIn(
            amountToSwap,
            0,
            getPath(tokenA, tokenB)
          );
        } else if (tokenAmountsArray[0] > 0) {
          // in this branch, there is a nonzero remainder of tokenA, and none of tokenB, recalling that at most one of these
          // balances can be nonzero. the same zap-in procedure is applied, swapping tokenA for tokenB and updating amountToSwap and
          // both tokenAmountsArray. we structure this as an else-if with no further branch because if both amounts are 0, the original amounts
          // were perfectly balanced so we don't need to swap and addLiquidity again.
          amountToSwap = calculateSwapInAmount(reserveA, tokenAmountsArray[0]);
          tokenAmountsArray[0] -= amountToSwap;
          tokenAmountsArray[1] += swapExactIn(
            amountToSwap,
            0,
            getPath(tokenB, tokenA)
          );
        }
        if (amountToSwap > 0) {
          // if amountToSwap was updated in one of the branches above, we have balanced nonzero amounts of both LP assets
          // and need to addLiquidity again
          (, , uint256 moreLp) =
            addLiquidity(
              tokenA,
              tokenB,
              tokenAmountsArray[0],
              tokenAmountsArray[1]
            );
          // recall that lpAmount was previously set by the first addLiquidity. if we've just received more, we add it to
          // get the final compounding result, which we include as a named return so that harvest() can constrain it with a
          // minimum that protects against flash price anomalies, whether adversarial or coincidental
          lpAmount += moreLp;
        }
        _poolData.totalLp += lpAmount;
      }
    }
    // we're back in the outermost function scope, where three cases could obtain:
    // (1) this is the first invest() call on this pool, so we called addLiquidity in the body of invest() and never entered
    // the outer conditional above
    // (2) we entered the first branch of the inner conditional, and zapped in a total amount of one LP asset received from
    // swapping both rewards
    // (3) we entered the second branch of the inner conditional, and added balanced liquidity of both LP assets received from
    // swapping each reward
    // in any case, the contract never holds LP tokens outside the duration of a function call, so its current LP balance is
    // the amount we deposit in MasterChef
    _pool.ondoSafeIncreaseAllowance(
      address(masterChef),
      _pool.balanceOf(address(this))
    );
    masterChef.deposit(
      _poolData.pid,
      _pool.balanceOf(address(this)),
      address(this)
    );
  }

  function depositIntoChef(uint256 vaultId, uint256 _amount) internal {
    Vault storage vault = vaults[vaultId];
    IERC20 pool = vault.pool;
    PoolData storage poolData = pools[address(pool)];
    _compound(pool, poolData);
    if (poolData.totalLp == 0 || poolData.totalShares == 0) {
      poolData.totalShares = _amount * sharesToLpRatio;
      poolData.totalLp = _amount;
      vault.shares = _amount * sharesToLpRatio;
    } else {
      uint256 shares = (_amount * poolData.totalShares) / poolData.totalLp;
      poolData.totalShares += shares;
      vault.shares += shares;
      poolData.totalLp += _amount;
    }
  }

  function withdrawFromChef(uint256 vaultId)
    internal
    returns (uint256 lpTokens)
  {
    Vault storage vault = vaults[vaultId];
    IERC20 pool = vault.pool;
    PoolData storage poolData = pools[address(pool)];
    _compound(pool, poolData);
    lpTokens = vault.shares == poolData.totalShares
      ? poolData.totalLp
      : (poolData.totalLp * vault.shares) / poolData.totalShares;
    poolData.totalLp -= lpTokens;
    poolData.totalShares -= vault.shares;
    vault.shares = 0;
    masterChef.withdraw(poolData.pid, lpTokens, address(this));
    return lpTokens;
  }

  /**
   * @notice Periodically reinvest sushi into LP tokens
   * @param pool Sushiswap pool to reinvest
   */
  function harvest(address pool, uint256 minLp)
    external
    isAuthorized(OLib.STRATEGIST_ROLE)
    whenNotPaused
    returns (uint256)
  {
    PoolData storage poolData = pools[pool];
    uint256 lp = _compound(IERC20(pool), poolData);
    require(lp >= minLp, "Exceeds maximum slippage");
    emit Harvest(pool, lp);
    return lp;
  }

  function poolExists(IERC20 srAsset, IERC20 jrAsset)
    internal
    view
    returns (bool)
  {
    return
      IUniswapV2Factory(sushiFactory).getPair(
        address(srAsset),
        address(jrAsset)
      ) != address(0);
  }

  /**
   * @notice Register a Vault with the strategy
   * @param _vaultId Vault
   * @param _senior Asset for senior tranche
   * @param _junior Asset for junior tranche
   */
  function addVault(
    uint256 _vaultId,
    IERC20 _senior,
    IERC20 _junior
  ) external override whenNotPaused nonReentrant isAuthorized(OLib.VAULT_ROLE) {
    require(
      address(vaults[_vaultId].origin) == address(0),
      "Vault already registered"
    );
    require(poolExists(_senior, _junior), "Pool doesn't exist");
    address pair =
      SushiSwapLibrary.pairFor(
        sushiFactory,
        address(_senior),
        address(_junior)
      );
    require(pools[pair]._isSet, "Pool not supported");
    vaults[_vaultId].origin = IPairVault(msg.sender);
    vaults[_vaultId].pool = IERC20(pair);
    vaults[_vaultId].senior = _senior;
    vaults[_vaultId].junior = _junior;
  }

  /**
   * @dev Simple wrapper around uniswap
   * @param amtIn Amount in
   * @param minOut Minimumum out
   * @param path Router path
   */
  function swapExactIn(
    uint256 amtIn,
    uint256 minOut,
    address[] memory path
  ) internal returns (uint256) {
    IERC20(path[0]).ondoSafeIncreaseAllowance(address(sushiRouter), amtIn);
    return
      sushiRouter.swapExactTokensForTokens(
        amtIn,
        minOut,
        path,
        address(this),
        block.timestamp
      )[path.length - 1];
  }

  function swapExactOut(
    uint256 amtOut,
    uint256 maxIn,
    address[] memory path
  ) internal returns (uint256) {
    IERC20(path[0]).ondoSafeIncreaseAllowance(address(sushiRouter), maxIn);
    return
      sushiRouter.swapTokensForExactTokens(
        amtOut,
        maxIn,
        path,
        address(this),
        block.timestamp
      )[0];
  }

  function addLiquidity(
    address token0,
    address token1,
    uint256 amt0,
    uint256 amt1
  )
    internal
    returns (
      uint256 out0,
      uint256 out1,
      uint256 lp
    )
  {
    IERC20(token0).ondoSafeIncreaseAllowance(address(sushiRouter), amt0);
    IERC20(token1).ondoSafeIncreaseAllowance(address(sushiRouter), amt1);
    (out0, out1, lp) = sushiRouter.addLiquidity(
      token0,
      token1,
      amt0,
      amt1,
      0,
      0,
      address(this),
      block.timestamp
    );
  }

  /**
   * @dev Given the total available amounts of senior and junior asset
   *      tokens, invest as much as possible and record any excess uninvested
   *      assets.
   * @param _vaultId Reference to specific Vault
   * @param _totalSenior Total amount available to invest into senior assets
   * @param _totalJunior Total amount available to invest into junior assets
   * @param _extraSenior Extra funds due to cap on tranche, must be returned
   * @param _extraJunior Extra funds due to cap on tranche, must be returned
   * @param _seniorMinIn Min amount expected for asset
   * @param _seniorMinIn Min amount expected for asset
   * @return seniorInvested Actual amout invested into LP tokens
   * @return juniorInvested Actual amout invested into LP tokens
   */
  function invest(
    uint256 _vaultId,
    uint256 _totalSenior,
    uint256 _totalJunior,
    uint256 _extraSenior,
    uint256 _extraJunior,
    uint256 _seniorMinIn,
    uint256 _juniorMinIn
  )
    external
    override
    nonReentrant
    whenNotPaused
    onlyOrigin(_vaultId)
    returns (uint256 seniorInvested, uint256 juniorInvested)
  {
    uint256 lpTokens;
    Vault storage vault_ = vaults[_vaultId];
    vault_.senior.ondoSafeIncreaseAllowance(address(sushiRouter), _totalSenior);
    vault_.junior.ondoSafeIncreaseAllowance(address(sushiRouter), _totalJunior);
    (seniorInvested, juniorInvested, lpTokens) = sushiRouter.addLiquidity(
      address(vault_.senior),
      address(vault_.junior),
      _totalSenior,
      _totalJunior,
      _seniorMinIn,
      _juniorMinIn,
      address(this),
      block.timestamp
    );
    vault_.seniorExcess = _totalSenior - seniorInvested + _extraSenior;
    vault_.juniorExcess = _totalJunior - juniorInvested + _extraJunior;
    depositIntoChef(_vaultId, lpTokens);
    emit Invest(_vaultId, lpTokens);
  }

  // hack to get stack down for redeem
  function getPath(address _token0, address _token1)
    internal
    pure
    returns (address[] memory path)
  {
    path = new address[](2);
    path[0] = _token0;
    path[1] = _token1;
  }

  function swapForSr(
    address _senior,
    address _junior,
    uint256 _seniorExpected,
    uint256 seniorReceived,
    uint256 juniorReceived
  ) internal returns (uint256, uint256) {
    uint256 seniorNeeded = _seniorExpected - seniorReceived;
    address[] memory jr2Sr = getPath(_junior, _senior);
    if (
      seniorNeeded >
      SushiSwapLibrary.getAmountsOut(sushiFactory, juniorReceived, jr2Sr)[1]
    ) {
      seniorReceived += swapExactIn(juniorReceived, 0, jr2Sr);
      return (seniorReceived, 0);
    } else {
      juniorReceived -= swapExactOut(seniorNeeded, juniorReceived, jr2Sr);
      return (_seniorExpected, juniorReceived);
    }
  }

  /**
   * @dev Convert all LP tokens back into the pair of underlying
   *      assets. Also convert any Sushi equally into both tranches.
   *      The senior tranche is expecting to get paid some hurdle
   *      rate above where they started. Here are the possible outcomes:
   * - If the senior tranche doesn't have enough, then sell some or
   *         all junior tokens to get the senior to the expected
   *         returns. In the worst case, the senior tranche could suffer
   *         a loss and the junior tranche will be wiped out.
   * - If the senior tranche has more than enough, reduce this tranche
   *    to the expected payoff. The excess senior tokens should be
   *    converted to junior tokens.
   * @param _vaultId Reference to a specific Vault
   * @param _seniorExpected Amount the senior tranche is expecting
   * @param _seniorMinReceived Compute the expected seniorReceived factoring in any slippage
   * @param _juniorMinReceived Same, for juniorReceived
   * @return seniorReceived Final amount for senior tranche
   * @return juniorReceived Final amount for junior tranche
   */
  function redeem(
    uint256 _vaultId,
    uint256 _seniorExpected,
    uint256 _seniorMinReceived,
    uint256 _juniorMinReceived
  )
    external
    override
    nonReentrant
    whenNotPaused
    onlyOrigin(_vaultId)
    returns (uint256 seniorReceived, uint256 juniorReceived)
  {
    Vault storage vault_ = vaults[_vaultId];
    {
      uint256 lpTokens = withdrawFromChef(_vaultId);
      vault_.pool.ondoSafeIncreaseAllowance(address(sushiRouter), lpTokens);
      (seniorReceived, juniorReceived) = sushiRouter.removeLiquidity(
        address(vault_.senior),
        address(vault_.junior),
        lpTokens,
        0,
        0,
        address(this),
        block.timestamp
      );
    }
    if (seniorReceived < _seniorExpected) {
      (seniorReceived, juniorReceived) = swapForSr(
        address(vault_.senior),
        address(vault_.junior),
        _seniorExpected,
        seniorReceived,
        juniorReceived
      );
    } else {
      if (seniorReceived > _seniorExpected) {
        juniorReceived += swapExactIn(
          seniorReceived - _seniorExpected,
          0,
          getPath(address(vault_.senior), address(vault_.junior))
        );
      }
      seniorReceived = _seniorExpected;
    }
    require(
      _seniorMinReceived <= seniorReceived &&
        _juniorMinReceived <= juniorReceived,
      "Exceeds maximum slippage"
    );
    vault_.senior.ondoSafeIncreaseAllowance(
      msg.sender,
      seniorReceived + vault_.seniorExcess
    );
    vault_.junior.ondoSafeIncreaseAllowance(
      msg.sender,
      juniorReceived + vault_.juniorExcess
    );
    emit Redeem(_vaultId);
    return (seniorReceived, juniorReceived);
  }

  /**
   * @notice Exactly how much of userIn to swap to get perfectly balanced ratio for LP tokens
   * @dev This code is cloned from L1242-1253 of UniswapV2_ZapIn_General_V4 at https://etherscan.io/address/0x5ACedBA6C402e2682D312a7b4982eda0Ccf2d2E3#code#L1242
   * @param reserveIn Amount of reserves for asset 0
   * @param userIn Availabe amount of asset 0 to swap
   * @return Amount of userIn to swap for asset 1
   */
  function calculateSwapInAmount(uint256 reserveIn, uint256 userIn)
    internal
    pure
    returns (uint256)
  {
    return
      (Babylonian.sqrt(reserveIn * (userIn * 3988000 + reserveIn * 3988009)) -
        reserveIn *
        1997) / 1994;
  }
}

File 2 of 38 : Initializable.sol
// SPDX-License-Identifier: MIT

// solhint-disable-next-line compiler-version
pragma solidity ^0.8.0;

import "../../utils/AddressUpgradeable.sol";

/**
 * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed
 * behind a proxy. Since a proxied contract can't have a constructor, it's common to move constructor logic to an
 * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer
 * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect.
 *
 * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as
 * possible by providing the encoded function call as the `_data` argument to {UpgradeableProxy-constructor}.
 *
 * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure
 * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity.
 */
abstract contract Initializable {

    /**
     * @dev Indicates that the contract has been initialized.
     */
    bool private _initialized;

    /**
     * @dev Indicates that the contract is in the process of being initialized.
     */
    bool private _initializing;

    /**
     * @dev Modifier to protect an initializer function from being invoked twice.
     */
    modifier initializer() {
        require(_initializing || !_initialized, "Initializable: contract is already initialized");

        bool isTopLevelCall = !_initializing;
        if (isTopLevelCall) {
            _initializing = true;
            _initialized = true;
        }

        _;

        if (isTopLevelCall) {
            _initializing = false;
        }
    }
}

File 3 of 38 : IERC20Upgradeable.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC20 standard as defined in the EIP.
 */
interface IERC20Upgradeable {
    /**
     * @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);
}

File 4 of 38 : AddressUpgradeable.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

/**
 * @dev Collection of functions related to the address type
 */
library AddressUpgradeable {
    /**
     * @dev Returns true if `account` is a contract.
     *
     * [IMPORTANT]
     * ====
     * It is unsafe to assume that an address for which this function returns
     * false is an externally-owned account (EOA) and not a contract.
     *
     * Among others, `isContract` will return false for the following
     * types of addresses:
     *
     *  - an externally-owned account
     *  - a contract in construction
     *  - an address where a contract will be created
     *  - an address where a contract lived, but was destroyed
     * ====
     */
    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);
    }

    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);
            }
        }
    }
}

File 5 of 38 : AccessControl.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import "../utils/Context.sol";
import "../utils/introspection/ERC165.sol";

/**
 * @dev External interface of AccessControl declared to support ERC165 detection.
 */
interface IAccessControl {
    function hasRole(bytes32 role, address account) external view returns (bool);
    function getRoleAdmin(bytes32 role) external view returns (bytes32);
    function grantRole(bytes32 role, address account) external;
    function revokeRole(bytes32 role, address account) external;
    function renounceRole(bytes32 role, address account) external;
}

/**
 * @dev Contract module that allows children to implement role-based access
 * control mechanisms. This is a lightweight version that doesn't allow enumerating role
 * members except through off-chain means by accessing the contract event logs. Some
 * applications may benefit from on-chain enumerability, for those cases see
 * {AccessControlEnumerable}.
 *
 * Roles are referred to by their `bytes32` identifier. These should be exposed
 * in the external API and be unique. The best way to achieve this is by
 * using `public constant` hash digests:
 *
 * ```
 * bytes32 public constant MY_ROLE = keccak256("MY_ROLE");
 * ```
 *
 * Roles can be used to represent a set of permissions. To restrict access to a
 * function call, use {hasRole}:
 *
 * ```
 * function foo() public {
 *     require(hasRole(MY_ROLE, msg.sender));
 *     ...
 * }
 * ```
 *
 * Roles can be granted and revoked dynamically via the {grantRole} and
 * {revokeRole} functions. Each role has an associated admin role, and only
 * accounts that have a role's admin role can call {grantRole} and {revokeRole}.
 *
 * By default, the admin role for all roles is `DEFAULT_ADMIN_ROLE`, which means
 * that only accounts with this role will be able to grant or revoke other
 * roles. More complex role relationships can be created by using
 * {_setRoleAdmin}.
 *
 * WARNING: The `DEFAULT_ADMIN_ROLE` is also its own admin: it has permission to
 * grant and revoke this role. Extra precautions should be taken to secure
 * accounts that have been granted it.
 */
abstract contract AccessControl is Context, IAccessControl, ERC165 {
    struct RoleData {
        mapping (address => bool) members;
        bytes32 adminRole;
    }

    mapping (bytes32 => RoleData) private _roles;

    bytes32 public constant DEFAULT_ADMIN_ROLE = 0x00;

    /**
     * @dev Emitted when `newAdminRole` is set as ``role``'s admin role, replacing `previousAdminRole`
     *
     * `DEFAULT_ADMIN_ROLE` is the starting admin for all roles, despite
     * {RoleAdminChanged} not being emitted signaling this.
     *
     * _Available since v3.1._
     */
    event RoleAdminChanged(bytes32 indexed role, bytes32 indexed previousAdminRole, bytes32 indexed newAdminRole);

    /**
     * @dev Emitted when `account` is granted `role`.
     *
     * `sender` is the account that originated the contract call, an admin role
     * bearer except when using {_setupRole}.
     */
    event RoleGranted(bytes32 indexed role, address indexed account, address indexed sender);

    /**
     * @dev Emitted when `account` is revoked `role`.
     *
     * `sender` is the account that originated the contract call:
     *   - if using `revokeRole`, it is the admin role bearer
     *   - if using `renounceRole`, it is the role bearer (i.e. `account`)
     */
    event RoleRevoked(bytes32 indexed role, address indexed account, address indexed sender);

    /**
     * @dev See {IERC165-supportsInterface}.
     */
    function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
        return interfaceId == type(IAccessControl).interfaceId
            || super.supportsInterface(interfaceId);
    }

    /**
     * @dev Returns `true` if `account` has been granted `role`.
     */
    function hasRole(bytes32 role, address account) public view override returns (bool) {
        return _roles[role].members[account];
    }

    /**
     * @dev Returns the admin role that controls `role`. See {grantRole} and
     * {revokeRole}.
     *
     * To change a role's admin, use {_setRoleAdmin}.
     */
    function getRoleAdmin(bytes32 role) public view override returns (bytes32) {
        return _roles[role].adminRole;
    }

    /**
     * @dev Grants `role` to `account`.
     *
     * If `account` had not been already granted `role`, emits a {RoleGranted}
     * event.
     *
     * Requirements:
     *
     * - the caller must have ``role``'s admin role.
     */
    function grantRole(bytes32 role, address account) public virtual override {
        require(hasRole(getRoleAdmin(role), _msgSender()), "AccessControl: sender must be an admin to grant");

        _grantRole(role, account);
    }

    /**
     * @dev Revokes `role` from `account`.
     *
     * If `account` had been granted `role`, emits a {RoleRevoked} event.
     *
     * Requirements:
     *
     * - the caller must have ``role``'s admin role.
     */
    function revokeRole(bytes32 role, address account) public virtual override {
        require(hasRole(getRoleAdmin(role), _msgSender()), "AccessControl: sender must be an admin to revoke");

        _revokeRole(role, account);
    }

    /**
     * @dev Revokes `role` from the calling account.
     *
     * Roles are often managed via {grantRole} and {revokeRole}: this function's
     * purpose is to provide a mechanism for accounts to lose their privileges
     * if they are compromised (such as when a trusted device is misplaced).
     *
     * If the calling account had been granted `role`, emits a {RoleRevoked}
     * event.
     *
     * Requirements:
     *
     * - the caller must be `account`.
     */
    function renounceRole(bytes32 role, address account) public virtual override {
        require(account == _msgSender(), "AccessControl: can only renounce roles for self");

        _revokeRole(role, account);
    }

    /**
     * @dev Grants `role` to `account`.
     *
     * If `account` had not been already granted `role`, emits a {RoleGranted}
     * event. Note that unlike {grantRole}, this function doesn't perform any
     * checks on the calling account.
     *
     * [WARNING]
     * ====
     * This function should only be called from the constructor when setting
     * up the initial roles for the system.
     *
     * Using this function in any other way is effectively circumventing the admin
     * system imposed by {AccessControl}.
     * ====
     */
    function _setupRole(bytes32 role, address account) internal virtual {
        _grantRole(role, account);
    }

    /**
     * @dev Sets `adminRole` as ``role``'s admin role.
     *
     * Emits a {RoleAdminChanged} event.
     */
    function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual {
        emit RoleAdminChanged(role, getRoleAdmin(role), adminRole);
        _roles[role].adminRole = adminRole;
    }

    function _grantRole(bytes32 role, address account) private {
        if (!hasRole(role, account)) {
            _roles[role].members[account] = true;
            emit RoleGranted(role, account, _msgSender());
        }
    }

    function _revokeRole(bytes32 role, address account) private {
        if (hasRole(role, account)) {
            _roles[role].members[account] = false;
            emit RoleRevoked(role, account, _msgSender());
        }
    }
}

File 6 of 38 : Pausable.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import "../utils/Context.sol";

/**
 * @dev Contract module which allows children to implement an emergency stop
 * mechanism that can be triggered by an authorized account.
 *
 * This module is used through inheritance. It will make available the
 * modifiers `whenNotPaused` and `whenPaused`, which can be applied to
 * the functions of your contract. Note that they will not be pausable by
 * simply including this module, only once the modifiers are put in place.
 */
abstract contract Pausable is Context {
    /**
     * @dev Emitted when the pause is triggered by `account`.
     */
    event Paused(address account);

    /**
     * @dev Emitted when the pause is lifted by `account`.
     */
    event Unpaused(address account);

    bool private _paused;

    /**
     * @dev Initializes the contract in unpaused state.
     */
    constructor () {
        _paused = false;
    }

    /**
     * @dev Returns true if the contract is paused, and false otherwise.
     */
    function paused() public view virtual returns (bool) {
        return _paused;
    }

    /**
     * @dev Modifier to make a function callable only when the contract is not paused.
     *
     * Requirements:
     *
     * - The contract must not be paused.
     */
    modifier whenNotPaused() {
        require(!paused(), "Pausable: paused");
        _;
    }

    /**
     * @dev Modifier to make a function callable only when the contract is paused.
     *
     * Requirements:
     *
     * - The contract must be paused.
     */
    modifier whenPaused() {
        require(paused(), "Pausable: not paused");
        _;
    }

    /**
     * @dev Triggers stopped state.
     *
     * Requirements:
     *
     * - The contract must not be paused.
     */
    function _pause() internal virtual whenNotPaused {
        _paused = true;
        emit Paused(_msgSender());
    }

    /**
     * @dev Returns to normal state.
     *
     * Requirements:
     *
     * - The contract must be paused.
     */
    function _unpause() internal virtual whenPaused {
        _paused = false;
        emit Unpaused(_msgSender());
    }
}

File 7 of 38 : ReentrancyGuard.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.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;
    }
}

File 8 of 38 : IERC20.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.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);
}

File 9 of 38 : SafeERC20.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import "../IERC20.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 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) + value;
        _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
    }

    function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal {
        unchecked {
            uint256 oldAllowance = token.allowance(address(this), spender);
            require(oldAllowance >= value, "SafeERC20: decreased allowance below zero");
            uint256 newAllowance = oldAllowance - value;
            _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");
        }
    }
}

File 10 of 38 : Address.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.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);
            }
        }
    }
}

File 11 of 38 : Arrays.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import "./math/Math.sol";

/**
 * @dev Collection of functions related to array types.
 */
library Arrays {
   /**
     * @dev Searches a sorted `array` and returns the first index that contains
     * a value greater or equal to `element`. If no such index exists (i.e. all
     * values in the array are strictly less than `element`), the array length is
     * returned. Time complexity O(log n).
     *
     * `array` is expected to be sorted in ascending order, and to contain no
     * repeated elements.
     */
    function findUpperBound(uint256[] storage array, uint256 element) internal view returns (uint256) {
        if (array.length == 0) {
            return 0;
        }

        uint256 low = 0;
        uint256 high = array.length;

        while (low < high) {
            uint256 mid = Math.average(low, high);

            // Note that mid will always be strictly less than high (i.e. it will be a valid array index)
            // because Math.average rounds down (it does integer division with truncation).
            if (array[mid] > element) {
                high = mid;
            } else {
                low = mid + 1;
            }
        }

        // At this point `low` is the exclusive upper bound. We will return the inclusive upper bound.
        if (low > 0 && array[low - 1] == element) {
            return low - 1;
        } else {
            return low;
        }
    }
}

File 12 of 38 : Context.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

/*
 * @dev Provides information about the current execution context, including the
 * sender of the transaction and its data. While these are generally available
 * via msg.sender and msg.data, they should not be accessed in such a direct
 * manner, since when dealing with meta-transactions the account sending and
 * paying for execution may not be the actual sender (as far as an application
 * is concerned).
 *
 * This contract is only required for intermediate, library-like contracts.
 */
abstract contract Context {
    function _msgSender() internal view virtual returns (address) {
        return msg.sender;
    }

    function _msgData() internal view virtual returns (bytes calldata) {
        this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691
        return msg.data;
    }
}

File 13 of 38 : Counters.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

/**
 * @title Counters
 * @author Matt Condon (@shrugs)
 * @dev Provides counters that can only be incremented or decremented by one. This can be used e.g. to track the number
 * of elements in a mapping, issuing ERC721 ids, or counting request ids.
 *
 * Include with `using Counters for Counters.Counter;`
 */
library Counters {
    struct Counter {
        // This variable should never be directly accessed by users of the library: interactions must be restricted to
        // the library's function. As of Solidity v0.5.2, this cannot be enforced, though there is a proposal to add
        // this feature: see https://github.com/ethereum/solidity/issues/4637
        uint256 _value; // default: 0
    }

    function current(Counter storage counter) internal view returns (uint256) {
        return counter._value;
    }

    function increment(Counter storage counter) internal {
        unchecked {
            counter._value += 1;
        }
    }

    function decrement(Counter storage counter) internal {
        uint256 value = counter._value;
        require(value > 0, "Counter: decrement overflow");
        unchecked {
            counter._value = value - 1;
        }
    }
}

File 14 of 38 : ERC165.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import "./IERC165.sol";

/**
 * @dev Implementation of the {IERC165} interface.
 *
 * Contracts that want to implement ERC165 should inherit from this contract and override {supportsInterface} to check
 * for the additional interface id that will be supported. For example:
 *
 * ```solidity
 * function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
 *     return interfaceId == type(MyInterface).interfaceId || super.supportsInterface(interfaceId);
 * }
 * ```
 *
 * Alternatively, {ERC165Storage} provides an easier to use but more expensive implementation.
 */
abstract contract ERC165 is IERC165 {
    /**
     * @dev See {IERC165-supportsInterface}.
     */
    function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
        return interfaceId == type(IERC165).interfaceId;
    }
}

File 15 of 38 : IERC165.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC165 standard, as defined in the
 * https://eips.ethereum.org/EIPS/eip-165[EIP].
 *
 * Implementers can declare support of contract interfaces, which can then be
 * queried by others ({ERC165Checker}).
 *
 * For an implementation, see {ERC165}.
 */
interface IERC165 {
    /**
     * @dev Returns true if this contract implements the interface defined by
     * `interfaceId`. See the corresponding
     * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[EIP section]
     * to learn more about how these ids are created.
     *
     * This function call must use less than 30 000 gas.
     */
    function supportsInterface(bytes4 interfaceId) external view returns (bool);
}

File 16 of 38 : Math.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.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);
    }
}

File 17 of 38 : SafeMath.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

// CAUTION
// This version of SafeMath should only be used with Solidity 0.8 or later,
// because it relies on the compiler's built in overflow checks.

/**
 * @dev Wrappers over Solidity's arithmetic operations.
 *
 * NOTE: `SafeMath` is no longer needed starting with Solidity 0.8. The compiler
 * now has built in overflow checking.
 */
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) {
        unchecked {
            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) {
        unchecked {
            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) {
        unchecked {
            // 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) {
        unchecked {
            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) {
        unchecked {
            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) {
        return a + b;
    }

    /**
     * @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) {
        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) {
        return a * b;
    }

    /**
     * @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.
     *
     * Requirements:
     *
     * - The divisor cannot be zero.
     */
    function div(uint256 a, uint256 b) internal pure returns (uint256) {
        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) {
        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) {
        unchecked {
            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.
     *
     * 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).
     *
     * 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) {
        unchecked {
            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) {
        unchecked {
            require(b > 0, errorMessage);
            return a % b;
        }
    }
}

File 18 of 38 : EnumerableSet.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

/**
 * @dev Library for managing
 * https://en.wikipedia.org/wiki/Set_(abstract_data_type)[sets] of primitive
 * types.
 *
 * Sets have the following properties:
 *
 * - Elements are added, removed, and checked for existence in constant time
 * (O(1)).
 * - Elements are enumerated in O(n). No guarantees are made on the ordering.
 *
 * ```
 * contract Example {
 *     // Add the library methods
 *     using EnumerableSet for EnumerableSet.AddressSet;
 *
 *     // Declare a set state variable
 *     EnumerableSet.AddressSet private mySet;
 * }
 * ```
 *
 * As of v3.3.0, sets of type `bytes32` (`Bytes32Set`), `address` (`AddressSet`)
 * and `uint256` (`UintSet`) are supported.
 */
library EnumerableSet {
    // To implement this library for multiple types with as little code
    // repetition as possible, we write it in terms of a generic Set type with
    // bytes32 values.
    // The Set implementation uses private functions, and user-facing
    // implementations (such as AddressSet) are just wrappers around the
    // underlying Set.
    // This means that we can only create new EnumerableSets for types that fit
    // in bytes32.

    struct Set {
        // Storage of set values
        bytes32[] _values;

        // Position of the value in the `values` array, plus 1 because index 0
        // means a value is not in the set.
        mapping (bytes32 => uint256) _indexes;
    }

    /**
     * @dev Add a value to a set. O(1).
     *
     * Returns true if the value was added to the set, that is if it was not
     * already present.
     */
    function _add(Set storage set, bytes32 value) private returns (bool) {
        if (!_contains(set, value)) {
            set._values.push(value);
            // The value is stored at length-1, but we add 1 to all indexes
            // and use 0 as a sentinel value
            set._indexes[value] = set._values.length;
            return true;
        } else {
            return false;
        }
    }

    /**
     * @dev Removes a value from a set. O(1).
     *
     * Returns true if the value was removed from the set, that is if it was
     * present.
     */
    function _remove(Set storage set, bytes32 value) private returns (bool) {
        // We read and store the value's index to prevent multiple reads from the same storage slot
        uint256 valueIndex = set._indexes[value];

        if (valueIndex != 0) { // Equivalent to contains(set, value)
            // To delete an element from the _values array in O(1), we swap the element to delete with the last one in
            // the array, and then remove the last element (sometimes called as 'swap and pop').
            // This modifies the order of the array, as noted in {at}.

            uint256 toDeleteIndex = valueIndex - 1;
            uint256 lastIndex = set._values.length - 1;

            // When the value to delete is the last one, the swap operation is unnecessary. However, since this occurs
            // so rarely, we still do the swap anyway to avoid the gas cost of adding an 'if' statement.

            bytes32 lastvalue = set._values[lastIndex];

            // Move the last value to the index where the value to delete is
            set._values[toDeleteIndex] = lastvalue;
            // Update the index for the moved value
            set._indexes[lastvalue] = toDeleteIndex + 1; // All indexes are 1-based

            // Delete the slot where the moved value was stored
            set._values.pop();

            // Delete the index for the deleted slot
            delete set._indexes[value];

            return true;
        } else {
            return false;
        }
    }

    /**
     * @dev Returns true if the value is in the set. O(1).
     */
    function _contains(Set storage set, bytes32 value) private view returns (bool) {
        return set._indexes[value] != 0;
    }

    /**
     * @dev Returns the number of values on the set. O(1).
     */
    function _length(Set storage set) private view returns (uint256) {
        return set._values.length;
    }

   /**
    * @dev Returns the value stored at position `index` in the set. O(1).
    *
    * Note that there are no guarantees on the ordering of values inside the
    * array, and it may change when more values are added or removed.
    *
    * Requirements:
    *
    * - `index` must be strictly less than {length}.
    */
    function _at(Set storage set, uint256 index) private view returns (bytes32) {
        require(set._values.length > index, "EnumerableSet: index out of bounds");
        return set._values[index];
    }

    // Bytes32Set

    struct Bytes32Set {
        Set _inner;
    }

    /**
     * @dev Add a value to a set. O(1).
     *
     * Returns true if the value was added to the set, that is if it was not
     * already present.
     */
    function add(Bytes32Set storage set, bytes32 value) internal returns (bool) {
        return _add(set._inner, value);
    }

    /**
     * @dev Removes a value from a set. O(1).
     *
     * Returns true if the value was removed from the set, that is if it was
     * present.
     */
    function remove(Bytes32Set storage set, bytes32 value) internal returns (bool) {
        return _remove(set._inner, value);
    }

    /**
     * @dev Returns true if the value is in the set. O(1).
     */
    function contains(Bytes32Set storage set, bytes32 value) internal view returns (bool) {
        return _contains(set._inner, value);
    }

    /**
     * @dev Returns the number of values in the set. O(1).
     */
    function length(Bytes32Set storage set) internal view returns (uint256) {
        return _length(set._inner);
    }

   /**
    * @dev Returns the value stored at position `index` in the set. O(1).
    *
    * Note that there are no guarantees on the ordering of values inside the
    * array, and it may change when more values are added or removed.
    *
    * Requirements:
    *
    * - `index` must be strictly less than {length}.
    */
    function at(Bytes32Set storage set, uint256 index) internal view returns (bytes32) {
        return _at(set._inner, index);
    }

    // AddressSet

    struct AddressSet {
        Set _inner;
    }

    /**
     * @dev Add a value to a set. O(1).
     *
     * Returns true if the value was added to the set, that is if it was not
     * already present.
     */
    function add(AddressSet storage set, address value) internal returns (bool) {
        return _add(set._inner, bytes32(uint256(uint160(value))));
    }

    /**
     * @dev Removes a value from a set. O(1).
     *
     * Returns true if the value was removed from the set, that is if it was
     * present.
     */
    function remove(AddressSet storage set, address value) internal returns (bool) {
        return _remove(set._inner, bytes32(uint256(uint160(value))));
    }

    /**
     * @dev Returns true if the value is in the set. O(1).
     */
    function contains(AddressSet storage set, address value) internal view returns (bool) {
        return _contains(set._inner, bytes32(uint256(uint160(value))));
    }

    /**
     * @dev Returns the number of values in the set. O(1).
     */
    function length(AddressSet storage set) internal view returns (uint256) {
        return _length(set._inner);
    }

   /**
    * @dev Returns the value stored at position `index` in the set. O(1).
    *
    * Note that there are no guarantees on the ordering of values inside the
    * array, and it may change when more values are added or removed.
    *
    * Requirements:
    *
    * - `index` must be strictly less than {length}.
    */
    function at(AddressSet storage set, uint256 index) internal view returns (address) {
        return address(uint160(uint256(_at(set._inner, index))));
    }


    // UintSet

    struct UintSet {
        Set _inner;
    }

    /**
     * @dev Add a value to a set. O(1).
     *
     * Returns true if the value was added to the set, that is if it was not
     * already present.
     */
    function add(UintSet storage set, uint256 value) internal returns (bool) {
        return _add(set._inner, bytes32(value));
    }

    /**
     * @dev Removes a value from a set. O(1).
     *
     * Returns true if the value was removed from the set, that is if it was
     * present.
     */
    function remove(UintSet storage set, uint256 value) internal returns (bool) {
        return _remove(set._inner, bytes32(value));
    }

    /**
     * @dev Returns true if the value is in the set. O(1).
     */
    function contains(UintSet storage set, uint256 value) internal view returns (bool) {
        return _contains(set._inner, bytes32(value));
    }

    /**
     * @dev Returns the number of values on the set. O(1).
     */
    function length(UintSet storage set) internal view returns (uint256) {
        return _length(set._inner);
    }

   /**
    * @dev Returns the value stored at position `index` in the set. O(1).
    *
    * Note that there are no guarantees on the ordering of values inside the
    * array, and it may change when more values are added or removed.
    *
    * Requirements:
    *
    * - `index` must be strictly less than {length}.
    */
    function at(UintSet storage set, uint256 index) internal view returns (uint256) {
        return uint256(_at(set._inner, index));
    }
}

File 19 of 38 : Babylonian.sol
// SPDX-License-Identifier: GPL-3.0-or-later

pragma solidity >=0.4.0;

// computes square roots using the babylonian method
// https://en.wikipedia.org/wiki/Methods_of_computing_square_roots#Babylonian_method
library Babylonian {
    // credit for this implementation goes to
    // https://github.com/abdk-consulting/abdk-libraries-solidity/blob/master/ABDKMath64x64.sol#L687
    function sqrt(uint256 x) internal pure returns (uint256) {
        if (x == 0) return 0;
        // this block is equivalent to r = uint256(1) << (BitMath.mostSignificantBit(x) / 2);
        // however that code costs significantly more gas
        uint256 xx = x;
        uint256 r = 1;
        if (xx >= 0x100000000000000000000000000000000) {
            xx >>= 128;
            r <<= 64;
        }
        if (xx >= 0x10000000000000000) {
            xx >>= 64;
            r <<= 32;
        }
        if (xx >= 0x100000000) {
            xx >>= 32;
            r <<= 16;
        }
        if (xx >= 0x10000) {
            xx >>= 16;
            r <<= 8;
        }
        if (xx >= 0x100) {
            xx >>= 8;
            r <<= 4;
        }
        if (xx >= 0x10) {
            xx >>= 4;
            r <<= 2;
        }
        if (xx >= 0x8) {
            r <<= 1;
        }
        r = (r + x / r) >> 1;
        r = (r + x / r) >> 1;
        r = (r + x / r) >> 1;
        r = (r + x / r) >> 1;
        r = (r + x / r) >> 1;
        r = (r + x / r) >> 1;
        r = (r + x / r) >> 1; // Seven iterations should be enough
        uint256 r1 = x / r;
        return (r < r1 ? r : r1);
    }
}

File 20 of 38 : IUniswapV2Factory.sol
pragma solidity >=0.5.0;

interface IUniswapV2Factory {
    event PairCreated(address indexed token0, address indexed token1, address pair, uint);

    function feeTo() external view returns (address);
    function feeToSetter() external view returns (address);

    function getPair(address tokenA, address tokenB) external view returns (address pair);
    function allPairs(uint) external view returns (address pair);
    function allPairsLength() external view returns (uint);

    function createPair(address tokenA, address tokenB) external returns (address pair);

    function setFeeTo(address) external;
    function setFeeToSetter(address) external;
}

File 21 of 38 : IUniswapV2Pair.sol
pragma solidity >=0.5.0;

interface IUniswapV2Pair {
    event Approval(address indexed owner, address indexed spender, uint value);
    event Transfer(address indexed from, address indexed to, uint value);

    function name() external pure returns (string memory);
    function symbol() external pure returns (string memory);
    function decimals() external pure returns (uint8);
    function totalSupply() external view returns (uint);
    function balanceOf(address owner) external view returns (uint);
    function allowance(address owner, address spender) external view returns (uint);

    function approve(address spender, uint value) external returns (bool);
    function transfer(address to, uint value) external returns (bool);
    function transferFrom(address from, address to, uint value) external returns (bool);

    function DOMAIN_SEPARATOR() external view returns (bytes32);
    function PERMIT_TYPEHASH() external pure returns (bytes32);
    function nonces(address owner) external view returns (uint);

    function permit(address owner, address spender, uint value, uint deadline, uint8 v, bytes32 r, bytes32 s) external;

    event Mint(address indexed sender, uint amount0, uint amount1);
    event Burn(address indexed sender, uint amount0, uint amount1, address indexed to);
    event Swap(
        address indexed sender,
        uint amount0In,
        uint amount1In,
        uint amount0Out,
        uint amount1Out,
        address indexed to
    );
    event Sync(uint112 reserve0, uint112 reserve1);

    function MINIMUM_LIQUIDITY() external pure returns (uint);
    function factory() external view returns (address);
    function token0() external view returns (address);
    function token1() external view returns (address);
    function getReserves() external view returns (uint112 reserve0, uint112 reserve1, uint32 blockTimestampLast);
    function price0CumulativeLast() external view returns (uint);
    function price1CumulativeLast() external view returns (uint);
    function kLast() external view returns (uint);

    function mint(address to) external returns (uint liquidity);
    function burn(address to) external returns (uint amount0, uint amount1);
    function swap(uint amount0Out, uint amount1Out, address to, bytes calldata data) external;
    function skim(address to) external;
    function sync() external;

    function initialize(address, address) external;
}

File 22 of 38 : IUniswapV2Router01.sol
pragma solidity >=0.6.2;

interface IUniswapV2Router01 {
    function factory() external pure returns (address);
    function WETH() external pure returns (address);

    function addLiquidity(
        address tokenA,
        address tokenB,
        uint amountADesired,
        uint amountBDesired,
        uint amountAMin,
        uint amountBMin,
        address to,
        uint deadline
    ) external returns (uint amountA, uint amountB, uint liquidity);
    function addLiquidityETH(
        address token,
        uint amountTokenDesired,
        uint amountTokenMin,
        uint amountETHMin,
        address to,
        uint deadline
    ) external payable returns (uint amountToken, uint amountETH, uint liquidity);
    function removeLiquidity(
        address tokenA,
        address tokenB,
        uint liquidity,
        uint amountAMin,
        uint amountBMin,
        address to,
        uint deadline
    ) external returns (uint amountA, uint amountB);
    function removeLiquidityETH(
        address token,
        uint liquidity,
        uint amountTokenMin,
        uint amountETHMin,
        address to,
        uint deadline
    ) external returns (uint amountToken, uint amountETH);
    function removeLiquidityWithPermit(
        address tokenA,
        address tokenB,
        uint liquidity,
        uint amountAMin,
        uint amountBMin,
        address to,
        uint deadline,
        bool approveMax, uint8 v, bytes32 r, bytes32 s
    ) external returns (uint amountA, uint amountB);
    function removeLiquidityETHWithPermit(
        address token,
        uint liquidity,
        uint amountTokenMin,
        uint amountETHMin,
        address to,
        uint deadline,
        bool approveMax, uint8 v, bytes32 r, bytes32 s
    ) external returns (uint amountToken, uint amountETH);
    function swapExactTokensForTokens(
        uint amountIn,
        uint amountOutMin,
        address[] calldata path,
        address to,
        uint deadline
    ) external returns (uint[] memory amounts);
    function swapTokensForExactTokens(
        uint amountOut,
        uint amountInMax,
        address[] calldata path,
        address to,
        uint deadline
    ) external returns (uint[] memory amounts);
    function swapExactETHForTokens(uint amountOutMin, address[] calldata path, address to, uint deadline)
        external
        payable
        returns (uint[] memory amounts);
    function swapTokensForExactETH(uint amountOut, uint amountInMax, address[] calldata path, address to, uint deadline)
        external
        returns (uint[] memory amounts);
    function swapExactTokensForETH(uint amountIn, uint amountOutMin, address[] calldata path, address to, uint deadline)
        external
        returns (uint[] memory amounts);
    function swapETHForExactTokens(uint amountOut, address[] calldata path, address to, uint deadline)
        external
        payable
        returns (uint[] memory amounts);

    function quote(uint amountA, uint reserveA, uint reserveB) external pure returns (uint amountB);
    function getAmountOut(uint amountIn, uint reserveIn, uint reserveOut) external pure returns (uint amountOut);
    function getAmountIn(uint amountOut, uint reserveIn, uint reserveOut) external pure returns (uint amountIn);
    function getAmountsOut(uint amountIn, address[] calldata path) external view returns (uint[] memory amounts);
    function getAmountsIn(uint amountOut, address[] calldata path) external view returns (uint[] memory amounts);
}

File 23 of 38 : IUniswapV2Router02.sol
pragma solidity >=0.6.2;

import './IUniswapV2Router01.sol';

interface IUniswapV2Router02 is IUniswapV2Router01 {
    function removeLiquidityETHSupportingFeeOnTransferTokens(
        address token,
        uint liquidity,
        uint amountTokenMin,
        uint amountETHMin,
        address to,
        uint deadline
    ) external returns (uint amountETH);
    function removeLiquidityETHWithPermitSupportingFeeOnTransferTokens(
        address token,
        uint liquidity,
        uint amountTokenMin,
        uint amountETHMin,
        address to,
        uint deadline,
        bool approveMax, uint8 v, bytes32 r, bytes32 s
    ) external returns (uint amountETH);

    function swapExactTokensForTokensSupportingFeeOnTransferTokens(
        uint amountIn,
        uint amountOutMin,
        address[] calldata path,
        address to,
        uint deadline
    ) external;
    function swapExactETHForTokensSupportingFeeOnTransferTokens(
        uint amountOutMin,
        address[] calldata path,
        address to,
        uint deadline
    ) external payable;
    function swapExactTokensForETHSupportingFeeOnTransferTokens(
        uint amountIn,
        uint amountOutMin,
        address[] calldata path,
        address to,
        uint deadline
    ) external;
}

File 24 of 38 : OndoRegistryClient.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "./OndoRegistryClientInitializable.sol";

abstract contract OndoRegistryClient is OndoRegistryClientInitializable {
  constructor(address _registry) {
    __OndoRegistryClient__initialize(_registry);
  }
}

File 25 of 38 : OndoRegistryClientInitializable.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol";
import "@openzeppelin/contracts/security/Pausable.sol";
import "@openzeppelin/contracts/security/ReentrancyGuard.sol";
import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import "contracts/interfaces/IRegistry.sol";
import "contracts/libraries/OndoLibrary.sol";

abstract contract OndoRegistryClientInitializable is
  Initializable,
  ReentrancyGuard,
  Pausable
{
  using SafeERC20 for IERC20;

  IRegistry public registry;
  uint256 public denominator;

  function __OndoRegistryClient__initialize(address _registry)
    internal
    initializer
  {
    require(_registry != address(0), "Invalid registry address");
    registry = IRegistry(_registry);
    denominator = registry.denominator();
  }

  /**
   * @notice General ACL checker
   * @param _role Role as defined in OndoLibrary
   */
  modifier isAuthorized(bytes32 _role) {
    require(registry.authorized(_role, msg.sender), "Unauthorized");
    _;
  }

  /*
   * @notice Helper to expose a Pausable interface to tools
   */
  function paused() public view virtual override returns (bool) {
    return registry.paused() || super.paused();
  }

  function pause() external virtual isAuthorized(OLib.PANIC_ROLE) {
    super._pause();
  }

  function unpause() external virtual isAuthorized(OLib.GUARDIAN_ROLE) {
    super._unpause();
  }

  /**
   * @notice Grab tokens and send to caller
   * @dev If the _amount[i] is 0, then transfer all the tokens
   * @param _tokens List of tokens
   * @param _amounts Amount of each token to send
   */
  function _rescueTokens(address[] calldata _tokens, uint256[] memory _amounts)
    internal
    virtual
  {
    for (uint256 i = 0; i < _tokens.length; i++) {
      uint256 amount = _amounts[i];
      if (amount == 0) {
        amount = IERC20(_tokens[i]).balanceOf(address(this));
      }
      IERC20(_tokens[i]).safeTransfer(msg.sender, amount);
    }
  }

  function rescueTokens(address[] calldata _tokens, uint256[] memory _amounts)
    public
    whenPaused
    isAuthorized(OLib.GUARDIAN_ROLE)
  {
    require(_tokens.length == _amounts.length, "Invalid array sizes");
    _rescueTokens(_tokens, _amounts);
  }
}

File 26 of 38 : Registry.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@openzeppelin/contracts/access/AccessControl.sol";
import "@openzeppelin/contracts/utils/structs/EnumerableSet.sol";
import "contracts/interfaces/ITrancheToken.sol";
import "contracts/interfaces/IRegistry.sol";
import "contracts/libraries/OndoLibrary.sol";
import "contracts/interfaces/IWETH.sol";

/**
 * @title Global values used by many contracts
 * @notice This is mostly used for access control
 */
contract Registry is IRegistry, AccessControl {
  using EnumerableSet for EnumerableSet.AddressSet;
  bool private _paused;
  bool public override tokenMinting;

  uint256 public constant override denominator = 10000;

  IWETH public immutable override weth;

  EnumerableSet.AddressSet private deadTokens;
  address payable public fallbackRecipient;

  mapping(address => string) public strategistNames;

  modifier onlyRole(bytes32 _role) {
    require(hasRole(_role, msg.sender), "Unauthorized: Invalid role");
    _;
  }

  constructor(
    address _governance,
    address payable _fallbackRecipient,
    address _weth
  ) {
    require(
      _fallbackRecipient != address(0) && _fallbackRecipient != address(this),
      "Invalid address"
    );
    _setupRole(DEFAULT_ADMIN_ROLE, _governance);
    _setupRole(OLib.GOVERNANCE_ROLE, _governance);
    _setRoleAdmin(OLib.VAULT_ROLE, OLib.DEPLOYER_ROLE);
    _setRoleAdmin(OLib.ROLLOVER_ROLE, OLib.DEPLOYER_ROLE);
    _setRoleAdmin(OLib.STRATEGY_ROLE, OLib.DEPLOYER_ROLE);
    fallbackRecipient = _fallbackRecipient;
    weth = IWETH(_weth);
  }

  /**
   * @notice General ACL check
   * @param _role One of the predefined roles
   * @param _account Address to check
   * @return Access/Denied
   */
  function authorized(bytes32 _role, address _account)
    public
    view
    override
    returns (bool)
  {
    return hasRole(_role, _account);
  }

  /**
   * @notice Add a new official strategist
   * @dev grantRole protects this ACL
   * @param _strategist Address of new strategist
   * @param _name Display name for UI
   */
  function addStrategist(address _strategist, string calldata _name) external {
    grantRole(OLib.STRATEGIST_ROLE, _strategist);
    strategistNames[_strategist] = _name;
  }

  function enableTokens() external override onlyRole(OLib.GOVERNANCE_ROLE) {
    tokenMinting = true;
  }

  function disableTokens() external override onlyRole(OLib.GOVERNANCE_ROLE) {
    tokenMinting = false;
  }

  /**
   * @dev Emitted when the pause is triggered by `account`.
   */
  event Paused(address account);

  /**
   * @dev Emitted when the pause is lifted by `account`.
   */
  event Unpaused(address account);

  /*
   * @notice Helper to expose a Pausable interface to tools
   */
  function paused() public view override returns (bool) {
    return _paused;
  }

  /**
   * @notice Turn on paused variable. Everything stops!
   */
  function pause() external override onlyRole(OLib.PANIC_ROLE) {
    _paused = true;
    emit Paused(msg.sender);
  }

  /**
   * @notice Turn off paused variable. Everything resumes.
   */
  function unpause() external override onlyRole(OLib.GUARDIAN_ROLE) {
    _paused = false;
    emit Unpaused(msg.sender);
  }

  /**
   * @notice Manually determine which TrancheToken instances can be recycled
   * @dev Move into another list where createVault can delete to save gas. Done manually for safety.
   * @param _tokens List of tokens
   */
  function tokensDeclaredDead(address[] calldata _tokens)
    external
    onlyRole(OLib.GUARDIAN_ROLE)
  {
    for (uint256 i = 0; i < _tokens.length; i++) {
      deadTokens.add(_tokens[i]);
    }
  }

  /**
   * @notice Called by createVault to delete a few dead contracts
   * @param _tranches Number of tranches (really, number of contracts to delete)
   */
  function recycleDeadTokens(uint256 _tranches)
    external
    override
    onlyRole(OLib.VAULT_ROLE)
  {
    uint256 toRecycle =
      deadTokens.length() >= _tranches ? _tranches : deadTokens.length();
    while (toRecycle > 0) {
      address last = deadTokens.at(deadTokens.length() - 1);
      try ITrancheToken(last).destroy(fallbackRecipient) {} catch {}
      deadTokens.remove(last);
      toRecycle -= 1;
    }
  }

  /**
   * @notice Who will get any random eth from dead tranchetokens
   * @param _target Receipient of ETH
   */
  function setFallbackRecipient(address payable _target)
    external
    onlyRole(OLib.GOVERNANCE_ROLE)
  {
    fallbackRecipient = _target;
  }
}

File 27 of 38 : IBasicVault.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

interface IBasicVault {
  function isPaused() external view returns (bool);

  function getRegistry() external view returns (address);
}

File 28 of 38 : IPairVault.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "contracts/libraries/OndoLibrary.sol";
import "contracts/interfaces/ITrancheToken.sol";
import "contracts/interfaces/IStrategy.sol";
import "contracts/interfaces/IBasicVault.sol";

interface IPairVault is IBasicVault {
  // Container to return Vault info to caller
  struct VaultView {
    uint256 id;
    Asset[] assets;
    IStrategy strategy; // Shared contract that interacts with AMMs
    address creator; // Account that calls createVault
    address strategist; // Has the right to call invest() and redeem(), and harvest() if strategy supports it
    address rollover;
    uint256 hurdleRate; // Return offered to senior tranche
    OLib.State state; // Current state of Vault
    uint256 startAt; // Time when the Vault is unpaused to begin accepting deposits
    uint256 investAt; // Time when investors can't move funds, strategist can invest
    uint256 redeemAt; // Time when strategist can redeem LP tokens, investors can withdraw
  }

  // Track the asset type and amount in different stages
  struct Asset {
    IERC20 token;
    ITrancheToken trancheToken;
    uint256 trancheCap;
    uint256 userCap;
    uint256 deposited;
    uint256 originalInvested;
    uint256 totalInvested; // not literal 1:1, originalInvested + proportional lp from mid-term
    uint256 received;
    uint256 rolloverDeposited;
  }

  function getState(uint256 _vaultId) external view returns (OLib.State);

  function createVault(OLib.VaultParams calldata _params)
    external
    returns (uint256 vaultId);

  function deposit(
    uint256 _vaultId,
    OLib.Tranche _tranche,
    uint256 _amount
  ) external;

  function depositETH(uint256 _vaultId, OLib.Tranche _tranche) external payable;

  function depositLp(uint256 _vaultId, uint256 _amount)
    external
    returns (uint256 seniorTokensOwed, uint256 juniorTokensOwed);

  function invest(
    uint256 _vaultId,
    uint256 _seniorMinOut,
    uint256 _juniorMinOut
  ) external returns (uint256, uint256);

  function redeem(
    uint256 _vaultId,
    uint256 _seniorMinOut,
    uint256 _juniorMinOut
  ) external returns (uint256, uint256);

  function withdraw(uint256 _vaultId, OLib.Tranche _tranche)
    external
    returns (uint256);

  function withdrawETH(uint256 _vaultId, OLib.Tranche _tranche)
    external
    returns (uint256);

  function withdrawLp(uint256 _vaultId, uint256 _amount)
    external
    returns (uint256, uint256);

  function claim(uint256 _vaultId, OLib.Tranche _tranche)
    external
    returns (uint256, uint256);

  function claimETH(uint256 _vaultId, OLib.Tranche _tranche)
    external
    returns (uint256, uint256);

  function depositFromRollover(
    uint256 _vaultId,
    uint256 _rolloverId,
    uint256 _seniorAmount,
    uint256 _juniorAmount
  ) external;

  function rolloverClaim(uint256 _vaultId, uint256 _rolloverId)
    external
    returns (uint256, uint256);

  function setRollover(
    uint256 _vaultId,
    address _rollover,
    uint256 _rolloverId
  ) external;

  function canDeposit(uint256 _vaultId) external view returns (bool);

  // function canTransition(uint256 _vaultId, OLib.State _state)
  //   external
  //   view
  //   returns (bool);

  function getVaultById(uint256 _vaultId)
    external
    view
    returns (VaultView memory);

  function vaultInvestor(uint256 _vaultId, OLib.Tranche _tranche)
    external
    view
    returns (
      uint256 position,
      uint256 claimableBalance,
      uint256 withdrawableExcess,
      uint256 withdrawableBalance
    );

  function seniorExpected(uint256 _vaultId) external view returns (uint256);

  function getUserCaps(uint256 _vaultId)
    external
    view
    returns (uint256 seniorUserCap, uint256 juniorUserCap);
}

File 29 of 38 : IRegistry.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@openzeppelin/contracts/access/AccessControl.sol";
import "contracts/interfaces/IWETH.sol";

/**
 * @title Global values used by many contracts
 * @notice This is mostly used for access control
 */
interface IRegistry is IAccessControl {
  function paused() external view returns (bool);

  function pause() external;

  function unpause() external;

  function tokenMinting() external view returns (bool);

  function denominator() external view returns (uint256);

  function weth() external view returns (IWETH);

  function authorized(bytes32 _role, address _account)
    external
    view
    returns (bool);

  function enableTokens() external;

  function disableTokens() external;

  function recycleDeadTokens(uint256 _tranches) external;
}

File 30 of 38 : IStrategy.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import "contracts/libraries/OndoLibrary.sol";
import "contracts/interfaces/IPairVault.sol";

interface IStrategy {
  // Additional info stored for each Vault
  struct Vault {
    IPairVault origin; // who created this Vault
    IERC20 pool; // the DEX pool
    IERC20 senior; // senior asset in pool
    IERC20 junior; // junior asset in pool
    uint256 shares; // number of shares for ETF-style mid-duration entry/exit
    uint256 seniorExcess; // unused senior deposits
    uint256 juniorExcess; // unused junior deposits
  }

  function vaults(uint256 vaultId)
    external
    view
    returns (
      IPairVault origin,
      IERC20 pool,
      IERC20 senior,
      IERC20 junior,
      uint256 shares,
      uint256 seniorExcess,
      uint256 juniorExcess
    );

  function addVault(
    uint256 _vaultId,
    IERC20 _senior,
    IERC20 _junior
  ) external;

  function addLp(uint256 _vaultId, uint256 _lpTokens) external;

  function removeLp(
    uint256 _vaultId,
    uint256 _shares,
    address to
  ) external;

  function getVaultInfo(uint256 _vaultId)
    external
    view
    returns (IERC20, uint256);

  function invest(
    uint256 _vaultId,
    uint256 _totalSenior,
    uint256 _totalJunior,
    uint256 _extraSenior,
    uint256 _extraJunior,
    uint256 _seniorMinOut,
    uint256 _juniorMinOut
  ) external returns (uint256 seniorInvested, uint256 juniorInvested);

  function sharesFromLp(uint256 vaultId, uint256 lpTokens)
    external
    view
    returns (
      uint256 shares,
      uint256 vaultShares,
      IERC20 pool
    );

  function lpFromShares(uint256 vaultId, uint256 shares)
    external
    view
    returns (uint256 lpTokens, uint256 vaultShares);

  function redeem(
    uint256 _vaultId,
    uint256 _seniorExpected,
    uint256 _seniorMinOut,
    uint256 _juniorMinOut
  ) external returns (uint256, uint256);

  function withdrawExcess(
    uint256 _vaultId,
    OLib.Tranche tranche,
    address to,
    uint256 amount
  ) external;
}

File 31 of 38 : ITrancheToken.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@openzeppelin/contracts-upgradeable/token/ERC20/IERC20Upgradeable.sol";

interface ITrancheToken is IERC20Upgradeable {
  function mint(address _account, uint256 _amount) external;

  function burn(address _account, uint256 _amount) external;

  function destroy(address payable _receiver) external;
}

File 32 of 38 : IUserTriggeredReward.sol
pragma solidity 0.8.3;

interface IUserTriggeredReward {
  function invest(uint256 _amount) external;

  function withdraw() external;
}

File 33 of 38 : IWETH.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@openzeppelin/contracts/token/ERC20/IERC20.sol";

interface IWETH is IERC20 {
  function deposit() external payable;

  function withdraw(uint256 wad) external;
}

File 34 of 38 : OndoLibrary.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@openzeppelin/contracts/utils/Arrays.sol";
import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import "@openzeppelin/contracts/token/ERC20/IERC20.sol";

//import "@openzeppelin/contracts/utils/Address.sol";

/**
 * @title Helper functions
 */
library OLib {
  using Arrays for uint256[];
  using OLib for OLib.Investor;

  // State transition per Vault. Just linear transitions.
  enum State {Inactive, Deposit, Live, Withdraw}

  // Only supports 2 tranches for now
  enum Tranche {Senior, Junior}

  struct VaultParams {
    address seniorAsset;
    address juniorAsset;
    address strategist;
    address strategy;
    uint256 hurdleRate;
    uint256 startTime;
    uint256 enrollment;
    uint256 duration;
    string seniorName;
    string seniorSym;
    string juniorName;
    string juniorSym;
    uint256 seniorTrancheCap;
    uint256 seniorUserCap;
    uint256 juniorTrancheCap;
    uint256 juniorUserCap;
  }

  struct RolloverParams {
    VaultParams vault;
    address strategist;
    string seniorName;
    string seniorSym;
    string juniorName;
    string juniorSym;
  }

  bytes32 public constant GOVERNANCE_ROLE = keccak256("GOVERNANCE_ROLE");
  bytes32 public constant PANIC_ROLE = keccak256("PANIC_ROLE");
  bytes32 public constant GUARDIAN_ROLE = keccak256("GUARDIAN_ROLE");
  bytes32 public constant DEPLOYER_ROLE = keccak256("DEPLOYER_ROLE");
  bytes32 public constant CREATOR_ROLE = keccak256("CREATOR_ROLE");
  bytes32 public constant STRATEGIST_ROLE = keccak256("STRATEGIST_ROLE");
  bytes32 public constant VAULT_ROLE = keccak256("VAULT_ROLE");
  bytes32 public constant ROLLOVER_ROLE = keccak256("ROLLOVER_ROLE");
  bytes32 public constant STRATEGY_ROLE = keccak256("STRATEGY_ROLE");

  // Both sums are running sums. If a user deposits [$1, $5, $3], then
  // userSums would be [$1, $6, $9]. You can figure out the deposit
  // amount be subtracting userSums[i]-userSum[i-1].

  // prefixSums is the total deposited for all investors + this
  // investors deposit at the time this deposit is made. So at
  // prefixSum[0], it would be $1 + totalDeposits, where totalDeposits
  // could be $1000 because other investors have put in money.
  struct Investor {
    uint256[] userSums;
    uint256[] prefixSums;
    bool claimed;
    bool withdrawn;
  }

  /**
   * @dev Given the total amount invested by the Vault, we want to find
   *   out how many of this investor's deposits were actually
   *   used. Use findUpperBound on the prefixSum to find the point
   *   where total deposits were accepted. For example, if $2000 was
   *   deposited by all investors and $1000 was invested, then some
   *   position in the prefixSum splits the array into deposits that
   *   got in, and deposits that didn't get in. That same position
   *   maps to userSums. This is the user's deposits that got
   *   in. Since we are keeping track of the sums, we know at that
   *   position the total deposits for a user was $15, even if it was
   *   15 $1 deposits. And we know the amount that didn't get in is
   *   the last value in userSum - the amount that got it.

   * @param investor A specific investor
   * @param invested The total amount invested by this Vault
   */
  function getInvestedAndExcess(Investor storage investor, uint256 invested)
    internal
    view
    returns (uint256 userInvested, uint256 excess)
  {
    uint256[] storage prefixSums_ = investor.prefixSums;
    uint256 length = prefixSums_.length;
    if (length == 0) {
      // There were no deposits. Return 0, 0.
      return (userInvested, excess);
    }
    uint256 leastUpperBound = prefixSums_.findUpperBound(invested);
    if (length == leastUpperBound) {
      // All deposits got in, no excess. Return total deposits, 0
      userInvested = investor.userSums[length - 1];
      return (userInvested, excess);
    }
    uint256 prefixSum = prefixSums_[leastUpperBound];
    if (prefixSum == invested) {
      // Not all deposits got in, but there are no partial deposits
      userInvested = investor.userSums[leastUpperBound];
      excess = investor.userSums[length - 1] - userInvested;
    } else {
      // Let's say some of my deposits got in. The last deposit,
      // however, was $100 and only $30 got in. Need to split that
      // deposit so $30 got in, $70 is excess.
      userInvested = leastUpperBound > 0
        ? investor.userSums[leastUpperBound - 1]
        : 0;
      uint256 depositAmount = investor.userSums[leastUpperBound] - userInvested;
      if (prefixSum - depositAmount < invested) {
        userInvested += (depositAmount + invested - prefixSum);
        excess = investor.userSums[length - 1] - userInvested;
      } else {
        excess = investor.userSums[length - 1] - userInvested;
      }
    }
  }
}

/**
 * @title Subset of SafeERC20 from openZeppelin
 *
 * @dev Some non-standard ERC20 contracts (e.g. Tether) break
 * `approve` by forcing it to behave like `safeApprove`. This means
 * `safeIncreaseAllowance` will fail when it tries to adjust the
 * allowance. The code below simply adds an extra call to
 * `approve(spender, 0)`.
 */
library OndoSaferERC20 {
  using SafeERC20 for IERC20;

  function ondoSafeIncreaseAllowance(
    IERC20 token,
    address spender,
    uint256 value
  ) internal {
    uint256 newAllowance = token.allowance(address(this), spender) + value;
    token.safeApprove(spender, 0);
    token.safeApprove(spender, newAllowance);
  }
}

File 35 of 38 : BasePairLPStrategy.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.3;

import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import "contracts/interfaces/IStrategy.sol";
import "contracts/Registry.sol";
import "contracts/libraries/OndoLibrary.sol";
import "contracts/OndoRegistryClient.sol";
import "contracts/interfaces/IPairVault.sol";

/**
 * @title  Basic LP strategy
 * @notice All LP strategies should inherit from this
 */
abstract contract BasePairLPStrategy is OndoRegistryClient, IStrategy {
  using SafeERC20 for IERC20;

  modifier onlyOrigin(uint256 _vaultId) {
    require(
      msg.sender == address(vaults[_vaultId].origin),
      "Unauthorized: Only Vault contract"
    );
    _;
  }

  event Invest(uint256 indexed vault, uint256 lpTokens);
  event Redeem(uint256 indexed vault);
  event Harvest(address indexed pool, uint256 lpTokens);

  mapping(uint256 => Vault) public override vaults;

  constructor(address _registry) OndoRegistryClient(_registry) {}

  /**
   * @notice Deposit more LP tokens while Vault is invested
   */
  function addLp(uint256 _vaultId, uint256 _amount)
    external
    virtual
    override
    whenNotPaused
    onlyOrigin(_vaultId)
  {
    Vault storage vault_ = vaults[_vaultId];
    vault_.shares += _amount;
  }

  /**
   * @notice Remove LP tokens while Vault is invested
   */
  function removeLp(
    uint256 _vaultId,
    uint256 _amount,
    address to
  ) external virtual override whenNotPaused onlyOrigin(_vaultId) {
    Vault storage vault_ = vaults[_vaultId];
    vault_.shares -= _amount;
    IERC20(vault_.pool).safeTransfer(to, _amount);
  }

  /**
   * @notice Return the DEX pool and the amount of LP tokens
   */
  function getVaultInfo(uint256 _vaultId)
    external
    view
    override
    returns (IERC20, uint256)
  {
    Vault storage c = vaults[_vaultId];
    return (c.pool, c.shares);
  }

  /**
   * @notice Send excess tokens to investor
   */
  function withdrawExcess(
    uint256 _vaultId,
    OLib.Tranche tranche,
    address to,
    uint256 amount
  ) external override onlyOrigin(_vaultId) {
    Vault storage _vault = vaults[_vaultId];
    if (tranche == OLib.Tranche.Senior) {
      uint256 excess = _vault.seniorExcess;
      require(amount <= excess, "Withdrawing too much");
      _vault.seniorExcess -= amount;
      _vault.senior.safeTransfer(to, amount);
    } else {
      uint256 excess = _vault.juniorExcess;
      require(amount <= excess, "Withdrawing too much");
      _vault.juniorExcess -= amount;
      _vault.junior.safeTransfer(to, amount);
    }
  }
}

File 36 of 38 : IMasterChefV2.sol
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.0 <0.9.0;

import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import "./IRewarder.sol";

interface IMasterChefV2 {
  struct UserInfo {
    uint256 amount; // How many LP tokens the user has provided.
    uint256 rewardDebt; // Reward debt. See explanation below.
  }

  struct PoolInfo {
    uint256 allocPoint; // How many allocation points assigned to this pool. SUSHI to distribute per block.
    uint256 lastRewardBlock; // Last block number that SUSHI distribution occurs.
    uint256 accSushiPerShare; // Accumulated SUSHI per share, times 1e12. See below.
  }

  function poolInfo(uint256 pid)
    external
    view
    returns (IMasterChefV2.PoolInfo memory);

  function lpToken(uint256 pid) external view returns (address);

  function poolLength() external view returns (uint256 pools);

  function totalAllocPoint() external view returns (uint256);

  function sushiPerBlock() external view returns (uint256);

  function deposit(
    uint256 _pid,
    uint256 _amount,
    address _to
  ) external;

  function withdraw(
    uint256 _pid,
    uint256 _amount,
    address _to
  ) external;

  function withdrawAndHarvest(
    uint256 _pid,
    uint256 _amount,
    address _to
  ) external;

  function harvest(uint256 _pid, address _to) external;

  function userInfo(uint256 _pid, address _user)
    external
    view
    returns (uint256 amount, uint256 rewardDebt);

  /**
   * @dev for testing purposes via impersonateAccount
   * TODO: Does this need to be here? Remove it?
   */
  function owner() external view returns (address);

  function add(
    uint256 _allocPoint,
    IERC20 _lpToken,
    IRewarder _rewarder
  ) external;

  function set(
    uint256 _pid,
    uint256 _allocPoint,
    IRewarder _rewarder,
    bool _overwrite
  ) external;
}

File 37 of 38 : IRewarder.sol
// SPDX-License-Identifier: MIT

pragma solidity 0.8.3;

import "@openzeppelin/contracts/token/ERC20/IERC20.sol";

interface IRewarder {
  function onSushiReward(
    uint256 pid,
    address user,
    address recipient,
    uint256 sushiAmount,
    uint256 newLpAmount
  ) external;

  function pendingTokens(
    uint256 pid,
    address user,
    uint256 sushiAmount
  ) external view returns (IERC20[] memory, uint256[] memory);
}

File 38 of 38 : SushiSwapLibrary.sol
pragma solidity >=0.8.0;

import "@uniswap/v2-core/contracts/interfaces/IUniswapV2Pair.sol";
import "@openzeppelin/contracts/utils/math/SafeMath.sol";

library SushiSwapLibrary {
  using SafeMath for uint256;

  // returns sorted token addresses, used to handle return values from pairs sorted in this order
  function sortTokens(address tokenA, address tokenB)
    internal
    pure
    returns (address token0, address token1)
  {
    require(tokenA != tokenB, "UniswapV2Library: IDENTICAL_ADDRESSES");
    (token0, token1) = tokenA < tokenB ? (tokenA, tokenB) : (tokenB, tokenA);
    require(token0 != address(0), "UniswapV2Library: ZERO_ADDRESS");
  }

  // calculates the CREATE2 address for a pair without making any external calls
  function pairFor(
    address factory,
    address tokenA,
    address tokenB
  ) internal pure returns (address pair) {
    (address token0, address token1) = sortTokens(tokenA, tokenB);
    pair = address(
      uint160(
        uint256(
          keccak256(
            abi.encodePacked(
              hex"ff",
              factory,
              keccak256(abi.encodePacked(token0, token1)),
              hex"e18a34eb0e04b04f7a0ac29a6e80748dca96319b42c54d679cb821dca90c6303" // init code hash
            )
          )
        )
      )
    );
  }

  // fetches and sorts the reserves for a pair
  function getReserves(
    address factory,
    address tokenA,
    address tokenB
  ) internal view returns (uint256 reserveA, uint256 reserveB) {
    (address token0, ) = sortTokens(tokenA, tokenB);
    (uint256 reserve0, uint256 reserve1, ) =
      IUniswapV2Pair(pairFor(factory, tokenA, tokenB)).getReserves();
    (reserveA, reserveB) = tokenA == token0
      ? (reserve0, reserve1)
      : (reserve1, reserve0);
  }

  // given some amount of an asset and pair reserves, returns an equivalent amount of the other asset
  function quote(
    uint256 amountA,
    uint256 reserveA,
    uint256 reserveB
  ) internal pure returns (uint256 amountB) {
    require(amountA > 0, "UniswapV2Library: INSUFFICIENT_AMOUNT");
    require(
      reserveA > 0 && reserveB > 0,
      "UniswapV2Library: INSUFFICIENT_LIQUIDITY"
    );
    amountB = amountA.mul(reserveB) / reserveA;
  }

  // given an input amount of an asset and pair reserves, returns the maximum output amount of the other asset
  function getAmountOut(
    uint256 amountIn,
    uint256 reserveIn,
    uint256 reserveOut
  ) internal pure returns (uint256 amountOut) {
    require(amountIn > 0, "UniswapV2Library: INSUFFICIENT_INPUT_AMOUNT");
    require(
      reserveIn > 0 && reserveOut > 0,
      "UniswapV2Library: INSUFFICIENT_LIQUIDITY"
    );
    uint256 amountInWithFee = amountIn.mul(997);
    uint256 numerator = amountInWithFee.mul(reserveOut);
    uint256 denominator = reserveIn.mul(1000).add(amountInWithFee);
    amountOut = numerator / denominator;
  }

  // given an output amount of an asset and pair reserves, returns a required input amount of the other asset
  function getAmountIn(
    uint256 amountOut,
    uint256 reserveIn,
    uint256 reserveOut
  ) internal pure returns (uint256 amountIn) {
    require(amountOut > 0, "UniswapV2Library: INSUFFICIENT_OUTPUT_AMOUNT");
    require(
      reserveIn > 0 && reserveOut > 0,
      "UniswapV2Library: INSUFFICIENT_LIQUIDITY"
    );
    uint256 numerator = reserveIn.mul(amountOut).mul(1000);
    uint256 denominator = reserveOut.sub(amountOut).mul(997);
    amountIn = (numerator / denominator).add(1);
  }

  // performs chained getAmountOut calculations on any number of pairs
  function getAmountsOut(
    address factory,
    uint256 amountIn,
    address[] memory path
  ) internal view returns (uint256[] memory amounts) {
    require(path.length >= 2, "UniswapV2Library: INVALID_PATH");
    amounts = new uint256[](path.length);
    amounts[0] = amountIn;
    for (uint256 i; i < path.length - 1; i++) {
      (uint256 reserveIn, uint256 reserveOut) =
        getReserves(factory, path[i], path[i + 1]);
      amounts[i + 1] = getAmountOut(amounts[i], reserveIn, reserveOut);
    }
  }

  // performs chained getAmountIn calculations on any number of pairs
  function getAmountsIn(
    address factory,
    uint256 amountOut,
    address[] memory path
  ) internal view returns (uint256[] memory amounts) {
    require(path.length >= 2, "UniswapV2Library: INVALID_PATH");
    amounts = new uint256[](path.length);
    amounts[amounts.length - 1] = amountOut;
    for (uint256 i = path.length - 1; i > 0; i--) {
      (uint256 reserveIn, uint256 reserveOut) =
        getReserves(factory, path[i - 1], path[i]);
      amounts[i - 1] = getAmountIn(amounts[i], reserveIn, reserveOut);
    }
  }
}

Settings
{
  "evmVersion": "istanbul",
  "libraries": {},
  "metadata": {
    "bytecodeHash": "ipfs",
    "useLiteralContent": true
  },
  "optimizer": {
    "enabled": true,
    "runs": 100
  },
  "remappings": [],
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "abi"
      ]
    }
  }
}

Contract Security Audit

Contract ABI

[{"inputs":[{"internalType":"address","name":"_registry","type":"address"},{"internalType":"address","name":"_router","type":"address"},{"internalType":"address","name":"_chef","type":"address"},{"internalType":"address","name":"_factory","type":"address"},{"internalType":"address","name":"_sushi","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"pool","type":"address"},{"indexed":false,"internalType":"uint256","name":"lpTokens","type":"uint256"}],"name":"Harvest","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"vault","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"lpTokens","type":"uint256"}],"name":"Invest","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"pool","type":"address"},{"indexed":false,"internalType":"uint256","name":"pid","type":"uint256"}],"name":"NewPair","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"account","type":"address"}],"name":"Paused","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"vault","type":"uint256"}],"name":"Redeem","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"account","type":"address"}],"name":"Unpaused","type":"event"},{"inputs":[{"internalType":"uint256","name":"_vaultId","type":"uint256"},{"internalType":"uint256","name":"_lpTokens","type":"uint256"}],"name":"addLp","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_pool","type":"address"},{"internalType":"uint256","name":"_pid","type":"uint256"},{"internalType":"address[][2]","name":"_pathsFromRewards","type":"address[][2]"},{"internalType":"address","name":"_extraRewardHandler","type":"address"}],"name":"addPool","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_vaultId","type":"uint256"},{"internalType":"contract IERC20","name":"_senior","type":"address"},{"internalType":"contract IERC20","name":"_junior","type":"address"}],"name":"addVault","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"denominator","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_vaultId","type":"uint256"}],"name":"getVaultInfo","outputs":[{"internalType":"contract IERC20","name":"","type":"address"},{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"},{"internalType":"uint256","name":"minLp","type":"uint256"}],"name":"harvest","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_vaultId","type":"uint256"},{"internalType":"uint256","name":"_totalSenior","type":"uint256"},{"internalType":"uint256","name":"_totalJunior","type":"uint256"},{"internalType":"uint256","name":"_extraSenior","type":"uint256"},{"internalType":"uint256","name":"_extraJunior","type":"uint256"},{"internalType":"uint256","name":"_seniorMinIn","type":"uint256"},{"internalType":"uint256","name":"_juniorMinIn","type":"uint256"}],"name":"invest","outputs":[{"internalType":"uint256","name":"seniorInvested","type":"uint256"},{"internalType":"uint256","name":"juniorInvested","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"vaultId","type":"uint256"},{"internalType":"uint256","name":"shares","type":"uint256"}],"name":"lpFromShares","outputs":[{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"masterChef","outputs":[{"internalType":"contract IMasterChefV2","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pause","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"paused","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"pools","outputs":[{"internalType":"uint256","name":"pid","type":"uint256"},{"internalType":"uint256","name":"totalShares","type":"uint256"},{"internalType":"uint256","name":"totalLp","type":"uint256"},{"internalType":"uint256","name":"accRewardToken","type":"uint256"},{"internalType":"contract IUserTriggeredReward","name":"extraRewardHandler","type":"address"},{"internalType":"bool","name":"_isSet","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_vaultId","type":"uint256"},{"internalType":"uint256","name":"_seniorExpected","type":"uint256"},{"internalType":"uint256","name":"_seniorMinReceived","type":"uint256"},{"internalType":"uint256","name":"_juniorMinReceived","type":"uint256"}],"name":"redeem","outputs":[{"internalType":"uint256","name":"seniorReceived","type":"uint256"},{"internalType":"uint256","name":"juniorReceived","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"registry","outputs":[{"internalType":"contract IRegistry","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_vaultId","type":"uint256"},{"internalType":"uint256","name":"_shares","type":"uint256"},{"internalType":"address","name":"to","type":"address"}],"name":"removeLp","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"_tokens","type":"address[]"},{"internalType":"uint256[]","name":"_amounts","type":"uint256[]"}],"name":"rescueTokens","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"vaultId","type":"uint256"},{"internalType":"uint256","name":"lpTokens","type":"uint256"}],"name":"sharesFromLp","outputs":[{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"contract IERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"sharesToLpRatio","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"sushiFactory","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"sushiRouter","outputs":[{"internalType":"contract IUniswapV2Router02","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"sushiToken","outputs":[{"internalType":"contract IERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"unpause","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_pool","type":"address"},{"internalType":"address[]","name":"_pathFromReward","type":"address[]"}],"name":"updateRewardPath","outputs":[{"internalType":"bool","name":"success","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"vaults","outputs":[{"internalType":"contract IPairVault","name":"origin","type":"address"},{"internalType":"contract IERC20","name":"pool","type":"address"},{"internalType":"contract IERC20","name":"senior","type":"address"},{"internalType":"contract IERC20","name":"junior","type":"address"},{"internalType":"uint256","name":"shares","type":"uint256"},{"internalType":"uint256","name":"seniorExcess","type":"uint256"},{"internalType":"uint256","name":"juniorExcess","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_vaultId","type":"uint256"},{"internalType":"enum OLib.Tranche","name":"tranche","type":"uint8"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"withdrawExcess","outputs":[],"stateMutability":"nonpayable","type":"function"}]

610100604052662386f26fc100006006553480156200001d57600080fd5b5060405162005dbb38038062005dbb8339810160408190526200004091620003c1565b600180556002805460ff1916905584806200005b81620001df565b50506001600160a01b038416620000ab5760405162461bcd60e51b815260206004820152600f60248201526e496e76616c6964206164647265737360881b60448201526064015b60405180910390fd5b6001600160a01b038316620000f55760405162461bcd60e51b815260206004820152600f60248201526e496e76616c6964206164647265737360881b6044820152606401620000a2565b6001600160a01b0382166200013f5760405162461bcd60e51b815260206004820152600f60248201526e496e76616c6964206164647265737360881b6044820152606401620000a2565b6001600160a01b038116620001895760405162461bcd60e51b815260206004820152600f60248201526e496e76616c6964206164647265737360881b6044820152606401620000a2565b600280546001600160a01b0390961661010002610100600160a81b0319909616959095179094556001600160601b0319606093841b811660805293831b841660a05290821b831660c052901b1660e05262000449565b600054610100900460ff1680620001f9575060005460ff16155b6200025e5760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201526d191e481a5b9a5d1a585b1a5e995960921b6064820152608401620000a2565b600054610100900460ff1615801562000281576000805461ffff19166101011790555b6001600160a01b038216620002d95760405162461bcd60e51b815260206004820152601860248201527f496e76616c6964207265676973747279206164647265737300000000000000006044820152606401620000a2565b81600260016101000a8154816001600160a01b0302191690836001600160a01b03160217905550600260019054906101000a90046001600160a01b03166001600160a01b03166396ce07956040518163ffffffff1660e01b815260040160206040518083038186803b1580156200034f57600080fd5b505afa15801562000364573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906200038a919062000430565b6003558015620003a0576000805461ff00191690555b5050565b80516001600160a01b0381168114620003bc57600080fd5b919050565b600080600080600060a08688031215620003d9578081fd5b620003e486620003a4565b9450620003f460208701620003a4565b93506200040460408701620003a4565b92506200041460608701620003a4565b91506200042460808701620003a4565b90509295509295909350565b60006020828403121562000442578081fd5b5051919050565b60805160601c60a05160601c60c05160601c60e05160601c61585a620005616000396000818161021001528181611fae01528181612c2c01528181612f86015281816135f90152613ee301526000818161029a015281816118a00152818161224d015281816125d101528181613226015281816132d4015281816134ae01528181613b860152613bd50152600081816104df0152818161158001528181611985015281816119ef0152818161246601526126cf0152600081816102d90152818161073f015281816107b601528181610f3901528181610f7201528181610f990152818161374f015281816137c70152818161419a015281816141ce01528181614209015281816145a601526145fe015261585a6000f3fe608060405234801561001057600080fd5b506004361061016e5760003560e01c80636d13582c116100ce57806396ce07951161008757806396ce0795146103dd578063a4063dbc146103e6578063b1ba962014610471578063c07bc588146104b4578063cc8fc76d146104c7578063d4614c63146104da578063e8815c02146105015761016e565b80636d13582c146102d457806379118bb2146102fb578063792baa621461030e5780637b103999146103175780638456cb591461032f5780638c64ea4a146103375761016e565b8063320636c51161012b578063320636c51461023f5780633bf8d620146102545780633f4ba83a146102675780634035c9861461026f5780634c90534814610282578063575a86b2146102955780635c975abb146102bc5761016e565b8063018ee9b71461017357806305c008421461019957806306fdde03146101c157806313b477c3146101d65780631443b2a0146101f857806322984b241461020b575b600080fd5b610186610181366004614ece565b610514565b6040519081526020015b60405180910390f35b6101ac6101a736600461531c565b610688565b60408051928352602083019190915201610190565b6101c9610976565b604051610190919061545b565b6101e96101e436600461527e565b610992565b6040516101909392919061560a565b6101ac61020636600461527e565b610a01565b6102327f000000000000000000000000000000000000000000000000000000000000000081565b60405161019091906153b4565b61025261024d366004615234565b610a5c565b005b61025261026236600461500e565b610b87565b610252610cc5565b61025261027d36600461527e565b610d93565b6101ac61029036600461534d565b610e8f565b6102327f000000000000000000000000000000000000000000000000000000000000000081565b6102c4611105565b6040519015158152602001610190565b6102327f000000000000000000000000000000000000000000000000000000000000000081565b6102c4610309366004614e7c565b61119f565b61018660065481565b6002546102329061010090046001600160a01b031681565b61025261162a565b6103946103453660046151ce565b600460208190526000918252604090912080546001820154600283015460038401549484015460058501546006909501546001600160a01b039485169693851695928516949093169290919087565b604080516001600160a01b039889168152968816602088015294871694860194909452949091166060840152608083015260a082019290925260c081019190915260e001610190565b61018660035481565b6104396103f4366004614e44565b6005602081905260009182526040909120805460038201546004830154938301546006909301549193909290916001600160a01b03811690600160a01b900460ff1686565b6040805196875260208701959095529385019290925260608401526001600160a01b03166080830152151560a082015260c001610190565b6104a661047f3660046151ce565b600090815260046020819052604090912060018101549101546001600160a01b0390911691565b60405161019092919061542b565b6102526104c2366004614ef9565b6116f5565b6102526104d53660046151fe565b611dec565b6102327f000000000000000000000000000000000000000000000000000000000000000081565b61025261050f3660046152c2565b6120a2565b600254604051631fe1defb60e11b81526000916000805160206157e3833981519152916101009091046001600160a01b031690633fc3bdf69061055d9084903390600401615444565b60206040518083038186803b15801561057557600080fd5b505afa158015610589573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105ad9190615160565b6105d25760405162461bcd60e51b81526004016105c9906154bc565b60405180910390fd5b6105da611105565b156105f75760405162461bcd60e51b81526004016105c990615510565b6001600160a01b03841660009081526005602052604081209061061a8683612461565b90508481101561063c5760405162461bcd60e51b81526004016105c9906155a1565b856001600160a01b03167fc9695243a805adb74c91f28311176c65b417e842d5699893cef56d18bfa48cba8260405161067791815260200190565b60405180910390a295945050505050565b600080600260015414156106ae5760405162461bcd60e51b81526004016105c9906155d3565b60026001556106bb611105565b156106d85760405162461bcd60e51b81526004016105c990615510565b60008681526004602052604090205486906001600160a01b031633146107105760405162461bcd60e51b81526004016105c990615560565b600087815260046020526040812090610728896133dc565b6001830154909150610764906001600160a01b03167f000000000000000000000000000000000000000000000000000000000000000083613520565b60028201546003830154604051635d5155ef60e11b81526001600160a01b03928316600482015290821660248201526044810183905260006064820181905260848201523060a48201524260c48201527f00000000000000000000000000000000000000000000000000000000000000009091169063baa2abde9060e4016040805180830381600087803b1580156107fb57600080fd5b505af115801561080f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610833919061529f565b9095509350508684101561086e5760028101546003820154610864916001600160a01b0390811691168987876135d6565b90945092506108bc565b868411156108b8576108ab6108838886615743565b600283015460038401546000916108a6916001600160a01b03918216911661369e565b613748565b6108b590846156ec565b92505b8693505b8386111580156108cc5750828511155b6108e85760405162461bcd60e51b81526004016105c9906155a1565b610911338260050154866108fc91906156ec565b60028401546001600160a01b03169190613520565b61093a3382600601548561092591906156ec565b60038401546001600160a01b03169190613520565b60405188907f702d5967f45f6513a38ffc42d6ba9bf230bd40e8f53b16363c7eb4fd2deb9a4490600090a2505060018055909590945092505050565b6040518060600160405280602281526020016158036022913981565b600082815260046020818152604080842060018101546001600160a01b0316855260059092528320918201546003830154849384939290916109d49088615724565b6109de9190615704565b600483015460019093015490989297506001600160a01b03169550909350505050565b600082815260046020818152604080842060018101546001600160a01b0316855260059092528320600381015492810154849390610a3f9087615724565b610a499190615704565b82600401549350935050505b9250929050565b60008481526004602052604090205484906001600160a01b03163314610a945760405162461bcd60e51b81526004016105c990615560565b600085815260046020526040812090856001811115610ac357634e487b7160e01b600052602160045260246000fd5b1415610b2657600581015480841115610aee5760405162461bcd60e51b81526004016105c9906154e2565b83826005016000828254610b029190615743565b90915550506002820154610b20906001600160a01b03168686613898565b50610b7f565b600681015480841115610b4b5760405162461bcd60e51b81526004016105c9906154e2565b83826006016000828254610b5f9190615743565b90915550506003820154610b7d906001600160a01b03168686613898565b505b505050505050565b610b8f611105565b610bab5760405162461bcd60e51b81526004016105c99061548e565b600254604051631fe1defb60e11b81527f55435dd261a4b9b3364963f7738a7a662ad9c84396d64be3365284bb7f0a50419161010090046001600160a01b031690633fc3bdf690610c029084903390600401615444565b60206040518083038186803b158015610c1a57600080fd5b505afa158015610c2e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c529190615160565b610c6e5760405162461bcd60e51b81526004016105c9906154bc565b81518314610cb45760405162461bcd60e51b8152602060048201526013602482015272496e76616c69642061727261792073697a657360681b60448201526064016105c9565b610cbf8484846138f3565b50505050565b600254604051631fe1defb60e11b81527f55435dd261a4b9b3364963f7738a7a662ad9c84396d64be3365284bb7f0a50419161010090046001600160a01b031690633fc3bdf690610d1c9084903390600401615444565b60206040518083038186803b158015610d3457600080fd5b505afa158015610d48573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d6c9190615160565b610d885760405162461bcd60e51b81526004016105c9906154bc565b610d90613a43565b50565b610d9b611105565b15610db85760405162461bcd60e51b81526004016105c990615510565b60008281526004602052604090205482906001600160a01b03163314610df05760405162461bcd60e51b81526004016105c990615560565b600083815260046020908152604080832060018101546001600160a01b03168452600590925282209091610e248686610992565b5050905080836004016000828254610e3c91906156ec565b9250508190555080826003016000828254610e5791906156ec565b9250508190555084826004016000828254610e7291906156ec565b90915550506001830154610b7f906001600160a01b031686613aab565b60008060026001541415610eb55760405162461bcd60e51b81526004016105c9906155d3565b6002600155610ec2611105565b15610edf5760405162461bcd60e51b81526004016105c990615510565b60008981526004602052604090205489906001600160a01b03163314610f175760405162461bcd60e51b81526004016105c990615560565b60008a81526004602052604081206002810154610f5e906001600160a01b03167f00000000000000000000000000000000000000000000000000000000000000008d613520565b6003810154610f97906001600160a01b03167f00000000000000000000000000000000000000000000000000000000000000008c613520565b7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663e8e337008260020160009054906101000a90046001600160a01b03168360030160009054906101000a90046001600160a01b03168e8e8c8c30426040518963ffffffff1660e01b815260040161101f9897969594939291906153e2565b606060405180830381600087803b15801561103957600080fd5b505af115801561104d573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061107191906152ef565b9196509450915088611083868d615743565b61108d91906156ec565b60058201558761109d858c615743565b6110a791906156ec565b60068201556110b68c83613d7f565b8b7fb089286041f4c8faf70006ecf5d7f8b6dce0f3bba8bdc30c237fd656060bff2c836040516110e891815260200190565b60405180910390a250506001805550909890975095505050505050565b6000600260019054906101000a90046001600160a01b03166001600160a01b0316635c975abb6040518163ffffffff1660e01b815260040160206040518083038186803b15801561115557600080fd5b505afa158015611169573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061118d9190615160565b8061119a575060025460ff165b905090565b60006111a9611105565b156111c65760405162461bcd60e51b81526004016105c990615510565b600254604051631fe1defb60e11b81526000805160206157e38339815191529161010090046001600160a01b031690633fc3bdf69061120b9084903390600401615444565b60206040518083038186803b15801561122357600080fd5b505afa158015611237573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061125b9190615160565b6112775760405162461bcd60e51b81526004016105c9906154bc565b6001600160a01b038516600090815260056020526040902060060154600160a01b900460ff166112e95760405162461bcd60e51b815260206004820152601a60248201527f506f6f6c204944206e6f7420796574207265676973746572656400000000000060448201526064016105c9565b60008484600081811061130c57634e487b7160e01b600052603260045260246000fd5b90506020020160208101906113219190614e44565b905060008585611332600182615743565b81811061134f57634e487b7160e01b600052603260045260246000fd5b90506020020160208101906113649190614e44565b9050806001600160a01b0316826001600160a01b03161415806113875750600185145b6113a35760405162461bcd60e51b81526004016105c99061553a565b6000876001600160a01b0316630dfe16816040518163ffffffff1660e01b815260040160206040518083038186803b1580156113de57600080fd5b505afa1580156113f2573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906114169190614e60565b90506000886001600160a01b031663d21220a76040518163ffffffff1660e01b815260040160206040518083038186803b15801561145357600080fd5b505afa158015611467573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061148b9190614e60565b9050836001600160a01b0316826001600160a01b0316141580156114c15750836001600160a01b0316816001600160a01b031614155b6115175760405162461bcd60e51b815260206004820152602160248201527f5468697320706174682073686f756c64206e65766572206265207570646174656044820152601960fa1b60648201526084016105c9565b826001600160a01b0316826001600160a01b031614806115485750826001600160a01b0316816001600160a01b0316145b6115645760405162461bcd60e51b81526004016105c99061553a565b6001600160a01b038981166000908152600560205260409020907f0000000000000000000000000000000000000000000000000000000000000000811690861614156115c95788886001830160005b6115bf93910191614c8c565b506001965061161d565b6002810180546000906115ec57634e487b7160e01b600052603260045260246000fd5b6000918252602090912001546001600160a01b03868116911614156116185788886001808401906115b3565b600096505b5050505050509392505050565b600254604051631fe1defb60e11b81527fb3e53bff87a96979079674767cfa1a09f3cf2847ba695cbaae933c232f4bf7f09161010090046001600160a01b031690633fc3bdf6906116819084903390600401615444565b60206040518083038186803b15801561169957600080fd5b505afa1580156116ad573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906116d19190615160565b6116ed5760405162461bcd60e51b81526004016105c9906154bc565b610d90613e75565b6116fd611105565b1561171a5760405162461bcd60e51b81526004016105c990615510565b600254604051631fe1defb60e11b81526000805160206157e38339815191529161010090046001600160a01b031690633fc3bdf69061175f9084903390600401615444565b60206040518083038186803b15801561177757600080fd5b505afa15801561178b573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117af9190615160565b6117cb5760405162461bcd60e51b81526004016105c9906154bc565b6001600160a01b038516600090815260056020526040902060060154600160a01b900460ff16156118385760405162461bcd60e51b8152602060048201526017602482015276141bdbdb08185b1c9958591e481c9959da5cdd195c9959604a1b60448201526064016105c9565b6001600160a01b0385166118875760405162461bcd60e51b815260206004820152601660248201527543616e6e6f74206265207a65726f206164647265737360501b60448201526064016105c9565b6040516378ed5d1f60e01b8152600481018590526000907f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316906378ed5d1f9060240160206040518083038186803b1580156118ea57600080fd5b505afa1580156118fe573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906119229190614e60565b9050856001600160a01b0316816001600160a01b03161461197f5760405162461bcd60e51b8152602060048201526017602482015276098a040a8ded6cadc40c8decae640dcdee840dac2e8c6d604b1b60448201526064016105c9565b835180517f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031691906000906119cc57634e487b7160e01b600052603260045260246000fd5b60200260200101516001600160a01b0316148015611a4b57506001600160a01b037f0000000000000000000000000000000000000000000000000000000000000000168460016020020151600081518110611a3757634e487b7160e01b600052603260045260246000fd5b60200260200101516001600160a01b031614155b611a975760405162461bcd60e51b815260206004820152601d60248201527f46697273742070617468206d7573742062652066726f6d20535553484900000060448201526064016105c9565b6000866001600160a01b0316630dfe16816040518163ffffffff1660e01b815260040160206040518083038186803b158015611ad257600080fd5b505afa158015611ae6573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611b0a9190614e60565b90506000876001600160a01b031663d21220a76040518163ffffffff1660e01b815260040160206040518083038186803b158015611b4757600080fd5b505afa158015611b5b573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611b7f9190614e60565b905060005b6002811015611d41576000878260028110611baf57634e487b7160e01b600052603260045260246000fd5b6020020151600081518110611bd457634e487b7160e01b600052603260045260246000fd5b60200260200101519050836001600160a01b0316816001600160a01b03161480611c0f5750826001600160a01b0316816001600160a01b0316145b15611c5e57878260028110611c3457634e487b7160e01b600052603260045260246000fd5b602002015151600114611c595760405162461bcd60e51b81526004016105c99061553a565b611d2e565b6000888360028110611c8057634e487b7160e01b600052603260045260246000fd5b602002015160018a8560028110611ca757634e487b7160e01b600052603260045260246000fd5b602002015151611cb79190615743565b81518110611cd557634e487b7160e01b600052603260045260246000fd5b60200260200101519050846001600160a01b0316816001600160a01b03161480611d105750836001600160a01b0316816001600160a01b0316145b611d2c5760405162461bcd60e51b81526004016105c99061553a565b505b5080611d3981615786565b915050611b84565b506001600160a01b0388166000908152600560205260409020611d6990600101876002614cef565b506001600160a01b03808916600081815260056020526040908190208a815560060180549389166001600160a81b031990941693909317600160a01b1790925590517f39a2fea5ef7b4d480a0f3bfd33e912c001c8e5ae4b58ba7ee009654a2a01112b90611dda908a815260200190565b60405180910390a25050505050505050565b611df4611105565b15611e115760405162461bcd60e51b81526004016105c990615510565b60026001541415611e345760405162461bcd60e51b81526004016105c9906155d3565b6002600181905554604051631fe1defb60e11b81527f31e0210044b4f6757ce6aa31f9c6e8d4896d24a755014887391a926c5224d9599161010090046001600160a01b031690633fc3bdf690611e909084903390600401615444565b60206040518083038186803b158015611ea857600080fd5b505afa158015611ebc573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611ee09190615160565b611efc5760405162461bcd60e51b81526004016105c9906154bc565b6000848152600460205260409020546001600160a01b031615611f5c5760405162461bcd60e51b815260206004820152601860248201527715985d5b1d08185b1c9958591e481c9959da5cdd195c995960421b60448201526064016105c9565b611f668383613ecf565b611fa75760405162461bcd60e51b8152602060048201526012602482015271141bdbdb08191bd95cdb89dd08195e1a5cdd60721b60448201526064016105c9565b6000611fd47f00000000000000000000000000000000000000000000000000000000000000008585613f84565b6001600160a01b038116600090815260056020526040902060060154909150600160a01b900460ff1661203e5760405162461bcd60e51b8152602060048201526012602482015271141bdbdb081b9bdd081cdd5c1c1bdc9d195960721b60448201526064016105c9565b6000948552600460205260409094208054336001600160a01b03199182161782556001808301805483166001600160a01b03988916179055600283018054831696881696909617909555600390910180549091169290941691909117909255805550565b6120aa611105565b156120c75760405162461bcd60e51b81526004016105c990615510565b60008381526004602052604090205483906001600160a01b031633146120ff5760405162461bcd60e51b81526004016105c990615560565b6001600160a01b0382166121475760405162461bcd60e51b815260206004820152600f60248201526e4e6f207a65726f206164647265737360881b60448201526064016105c9565b600084815260046020908152604080832060018101546001600160a01b0316845260059092528220909161217b8787610a01565b50905060006001808401016000815481106121a657634e487b7160e01b600052603260045260246000fd5b60009182526020822001546040516370a0823160e01b81526001600160a01b03909116925082906370a08231906121e19030906004016153b4565b60206040518083038186803b1580156121f957600080fd5b505afa15801561220d573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061223191906151e6565b8454604051630ad58d2f60e01b81529192506001600160a01b037f00000000000000000000000000000000000000000000000000000000000000001691630ad58d2f91612284918790309060040161560a565b600060405180830381600087803b15801561229e57600080fd5b505af11580156122b2573d6000803e3d6000fd5b50506040516370a0823160e01b81528392506001600160a01b03851691506370a08231906122e49030906004016153b4565b60206040518083038186803b1580156122fc57600080fd5b505afa158015612310573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061233491906151e6565b61233e9190615743565b60068501549091506001600160a01b0316156123d4576006840154612370906001600160a01b03848116911683613898565b60068401546040516255f9e960e71b8152600481018390526001600160a01b0390911690632afcf48090602401600060405180830381600087803b1580156123b757600080fd5b505af11580156123cb573d6000803e3d6000fd5b505050506123ee565b808460050160008282546123e891906156ec565b90915550505b878560040160008282546124029190615743565b925050819055508784600301600082825461241d9190615743565b92505081905550828460040160008282546124389190615743565b90915550506001850154612456906001600160a01b03168885613898565b505050505050505050565b6000807f00000000000000000000000000000000000000000000000000000000000000006001600160a01b03166370a08231306040518263ffffffff1660e01b81526004016124b091906153b4565b60206040518083038186803b1580156124c857600080fd5b505afa1580156124dc573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061250091906151e6565b9050600060018085010160008154811061252a57634e487b7160e01b600052603260045260246000fd5b60009182526020822001546040516370a0823160e01b81526001600160a01b03909116925082906370a08231906125659030906004016153b4565b60206040518083038186803b15801561257d57600080fd5b505afa158015612591573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906125b591906151e6565b8554604051630c7e663b60e11b81529192506001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016916318fccc7691612606913090600401615444565b600060405180830381600087803b15801561262057600080fd5b505af1158015612634573d6000803e3d6000fd5b5050505060068501546001600160a01b0316156126b6578460060160009054906101000a90046001600160a01b03166001600160a01b0316633ccfd60b6040518163ffffffff1660e01b8152600401600060405180830381600087803b15801561269d57600080fd5b505af11580156126b1573d6000803e3d6000fd5b505050505b6040516370a0823160e01b815283906001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016906370a08231906127049030906004016153b4565b60206040518083038186803b15801561271c57600080fd5b505afa158015612730573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061275491906151e6565b61275e9190615743565b9250846005015481836001600160a01b03166370a08231306040518263ffffffff1660e01b815260040161279291906153b4565b60206040518083038186803b1580156127aa57600080fd5b505afa1580156127be573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906127e291906151e6565b6127ec9190615743565b6127f691906156ec565b60006005870155905061271083118015612811575061271081115b156132215760408051600280825260608201835288926000929190602083019080368337019050509050848160008151811061285d57634e487b7160e01b600052603260045260246000fd5b602002602001018181525050828160018151811061288b57634e487b7160e01b600052603260045260246000fd5b60200260200101818152505060005b60028110156129f15760008282815181106128c557634e487b7160e01b600052603260045260246000fd5b60200260200101511180156128fe575060018860010182600281106128fa57634e487b7160e01b600052603260045260246000fd5b0154115b156129df576129b282828151811061292657634e487b7160e01b600052603260045260246000fd5b602002602001015160008a600101846002811061295357634e487b7160e01b600052603260045260246000fd5b018054806020026020016040519081016040528092919081815260200182805480156129a857602002820191906000526020600020905b81546001600160a01b0316815260019091019060200180831161298a575b5050505050613748565b8282815181106129d257634e487b7160e01b600052603260045260246000fd5b6020026020010181815250505b806129e981615786565b91505061289a565b5060018781018054600092612a0591615743565b81548110612a2357634e487b7160e01b600052603260045260246000fd5b9060005260206000200160009054906101000a90046001600160a01b031690506000836001600160a01b0316630dfe16816040518163ffffffff1660e01b815260040160206040518083038186803b158015612a7e57600080fd5b505afa158015612a92573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612ab69190614e60565b9050816001600160a01b0316816001600160a01b03161415612b4657836001600160a01b031663d21220a76040518163ffffffff1660e01b815260040160206040518083038186803b158015612b0b57600080fd5b505afa158015612b1f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612b439190614e60565b90505b60028901805460009190612b5c90600190615743565b81548110612b7a57634e487b7160e01b600052603260045260246000fd5b6000918252602090912001546001600160a01b0384811691161490508015612de45783600181518110612bbd57634e487b7160e01b600052603260045260246000fd5b602002602001015184600081518110612be657634e487b7160e01b600052603260045260246000fd5b6020026020010151612bf891906156ec565b84600081518110612c1957634e487b7160e01b600052603260045260246000fd5b6020026020010181815250506000612c527f00000000000000000000000000000000000000000000000000000000000000008585614053565b509050612c878186600081518110612c7a57634e487b7160e01b600052603260045260246000fd5b602002602001015161412c565b85600181518110612ca857634e487b7160e01b600052603260045260246000fd5b60200260200101818152505084600181518110612cd557634e487b7160e01b600052603260045260246000fd5b602002602001015185600081518110612cfe57634e487b7160e01b600052603260045260246000fd5b60200260200101818151612d129190615743565b9052508451612d509086906001908110612d3c57634e487b7160e01b600052603260045260246000fd5b602002602001015160006108a6878761369e565b85600181518110612d7157634e487b7160e01b600052603260045260246000fd5b602002602001018181525050612dd9848487600081518110612da357634e487b7160e01b600052603260045260246000fd5b602002602001015188600181518110612dcc57634e487b7160e01b600052603260045260246000fd5b6020026020010151614187565b9b5061321b92505050565b600080612e36858588600081518110612e0d57634e487b7160e01b600052603260045260246000fd5b602002602001015189600181518110612dcc57634e487b7160e01b600052603260045260246000fd5b8851909d50919350915082908790600090612e6157634e487b7160e01b600052603260045260246000fd5b60200260200101818151612e759190615743565b9052508551819087906001908110612e9d57634e487b7160e01b600052603260045260246000fd5b60200260200101818151612eb19190615743565b90525085518690600090612ed557634e487b7160e01b600052603260045260246000fd5b602002602001015160001480612f13575085600181518110612f0757634e487b7160e01b600052603260045260246000fd5b60200260200101516000145b612f7e5760405162461bcd60e51b815260206004820152603660248201527f496e73756666696369656e74206c6971756964697479206164646564206f6e206044820152751bdb99481cda5919481bd988199a5c9cdd0818d85b1b60521b60648201526084016105c9565b600080612fac7f00000000000000000000000000000000000000000000000000000000000000008888614053565b91509150600088600181518110612fd357634e487b7160e01b600052603260045260246000fd5b602002602001015189600081518110612ffc57634e487b7160e01b600052603260045260246000fd5b602002602001015110156130b75761302f828a600181518110612c7a57634e487b7160e01b600052603260045260246000fd5b9050808960018151811061305357634e487b7160e01b600052603260045260246000fd5b602002602001018181516130679190615743565b90525061307a8160006108a68b8b61369e565b8960008151811061309b57634e487b7160e01b600052603260045260246000fd5b602002602001018181516130af91906156ec565b905250613191565b6000896000815181106130da57634e487b7160e01b600052603260045260246000fd5b602002602001015111156131915761310d838a600081518110612c7a57634e487b7160e01b600052603260045260246000fd5b9050808960008151811061313157634e487b7160e01b600052603260045260246000fd5b602002602001018181516131459190615743565b9052506131588160006108a68a8c61369e565b8960018151811061317957634e487b7160e01b600052603260045260246000fd5b6020026020010181815161318d91906156ec565b9052505b80156131fc5760006131e889898c6000815181106131bf57634e487b7160e01b600052603260045260246000fd5b60200260200101518d600181518110612dcc57634e487b7160e01b600052603260045260246000fd5b92505050808f6131f891906156ec565b9e50505b8d8f600401600082825461321091906156ec565b909155505050505050505b50505050505b6132d27f0000000000000000000000000000000000000000000000000000000000000000876001600160a01b03166370a08231306040518263ffffffff1660e01b815260040161327191906153b4565b60206040518083038186803b15801561328957600080fd5b505afa15801561329d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906132c191906151e6565b6001600160a01b0389169190613520565b7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316638dbdbe6d8660000154886001600160a01b03166370a08231306040518263ffffffff1660e01b815260040161333291906153b4565b60206040518083038186803b15801561334a57600080fd5b505afa15801561335e573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061338291906151e6565b306040518463ffffffff1660e01b81526004016133a19392919061560a565b600060405180830381600087803b1580156133bb57600080fd5b505af11580156133cf573d6000803e3d6000fd5b5050505050505092915050565b600081815260046020908152604080832060018101546001600160a01b031680855260059093529083209091906134138282612461565b50806003015483600401541461344b5780600301548360040154826004015461343c9190615724565b6134469190615704565b613451565b80600401545b9350838160040160008282546134679190615743565b90915550506004830154600382018054600090613485908490615743565b909155505060006004808501919091558154604051630ad58d2f60e01b81526001600160a01b037f00000000000000000000000000000000000000000000000000000000000000001692630ad58d2f926134e5929091899130910161560a565b600060405180830381600087803b1580156134ff57600080fd5b505af1158015613513573d6000803e3d6000fd5b505050505050505b919050565b600081846001600160a01b031663dd62ed3e30866040518363ffffffff1660e01b81526004016135519291906153c8565b60206040518083038186803b15801561356957600080fd5b505afa15801561357d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906135a191906151e6565b6135ab91906156ec565b90506135c26001600160a01b0385168460006142af565b610cbf6001600160a01b03851684836142af565b600080806135e48587615743565b905060006135f2888a61369e565b905061361f7f000000000000000000000000000000000000000000000000000000000000000086836143c1565b60018151811061363f57634e487b7160e01b600052603260045260246000fd5b60200260200101518211156136745761365a85600083613748565b61366490876156ec565b9550856000935093505050613694565b61367f82868361459f565b6136899086615743565b945086859350935050505b9550959350505050565b604080516002808252606080830184529260208301908036833701905050905082816000815181106136e057634e487b7160e01b600052603260045260246000fd5b60200260200101906001600160a01b031690816001600160a01b031681525050818160018151811061372257634e487b7160e01b600052603260045260246000fd5b60200260200101906001600160a01b031690816001600160a01b03168152505092915050565b60006137b07f0000000000000000000000000000000000000000000000000000000000000000858460008151811061379057634e487b7160e01b600052603260045260246000fd5b60200260200101516001600160a01b03166135209092919063ffffffff16565b6040516338ed173960e01b81526001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016906338ed1739906138049087908790879030904290600401615629565b600060405180830381600087803b15801561381e57600080fd5b505af1158015613832573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261385a91908101906150ce565b600183516138689190615743565b8151811061388657634e487b7160e01b600052603260045260246000fd5b602002602001015190505b9392505050565b6138ee8363a9059cbb60e01b84846040516024016138b792919061542b565b60408051601f198184030181529190526020810180516001600160e01b03166001600160e01b0319909316929092179091526146b1565b505050565b60005b82811015610cbf57600082828151811061392057634e487b7160e01b600052603260045260246000fd5b6020026020010151905080600014156139e65784848381811061395357634e487b7160e01b600052603260045260246000fd5b90506020020160208101906139689190614e44565b6001600160a01b03166370a08231306040518263ffffffff1660e01b815260040161399391906153b4565b60206040518083038186803b1580156139ab57600080fd5b505afa1580156139bf573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906139e391906151e6565b90505b613a303382878786818110613a0b57634e487b7160e01b600052603260045260246000fd5b9050602002016020810190613a209190614e44565b6001600160a01b03169190613898565b5080613a3b81615786565b9150506138f6565b613a4b611105565b613a675760405162461bcd60e51b81526004016105c99061548e565b6002805460ff191690557f5db9ee0a495bf2e6ff9c91a7834c1ba4fdd244a5e8aa4e537bd38aeae4b073aa335b604051613aa191906153b4565b60405180910390a1565b6001600160a01b038216600090815260056020526040812090600180830101600081548110613aea57634e487b7160e01b600052603260045260246000fd5b60009182526020822001546040516370a0823160e01b81526001600160a01b03909116925082906370a0823190613b259030906004016153b4565b60206040518083038186803b158015613b3d57600080fd5b505afa158015613b51573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613b7591906151e6565b9050613bab6001600160a01b0386167f000000000000000000000000000000000000000000000000000000000000000086613520565b6001600160a01b0385811660009081526005602052604090819020549051638dbdbe6d60e01b81527f000000000000000000000000000000000000000000000000000000000000000090921691638dbdbe6d91613c0e918890309060040161560a565b600060405180830381600087803b158015613c2857600080fd5b505af1158015613c3c573d6000803e3d6000fd5b50506040516370a0823160e01b81528392506001600160a01b03851691506370a0823190613c6e9030906004016153b4565b60206040518083038186803b158015613c8657600080fd5b505afa158015613c9a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613cbe91906151e6565b613cc89190615743565b60068401549091506001600160a01b031615613d5e576006830154613cfa906001600160a01b03848116911683613898565b60068301546040516255f9e960e71b8152600481018390526001600160a01b0390911690632afcf48090602401600060405180830381600087803b158015613d4157600080fd5b505af1158015613d55573d6000803e3d6000fd5b50505050613d78565b80836005016000828254613d7291906156ec565b90915550505b5050505050565b600082815260046020908152604080832060018101546001600160a01b031680855260059093529220613db28282612461565b5060048101541580613dc657506003810154155b15613dfb57600654613dd89085615724565b600382015560048101849055600654613df19085615724565b6004840155613d78565b60008160040154826003015486613e129190615724565b613e1c9190615704565b905080826003016000828254613e3291906156ec565b9250508190555080846004016000828254613e4d91906156ec565b9250508190555084826004016000828254613e6891906156ec565b9091555050505050505050565b613e7d611105565b15613e9a5760405162461bcd60e51b81526004016105c990615510565b6002805460ff191660011790557f62e78cea01bee320cd4e420270b5ea74000d11b0c9f74754ebdbfc544b05a258613a943390565b60405163e6a4390560e01b815260009081907f00000000000000000000000000000000000000000000000000000000000000006001600160a01b03169063e6a4390590613f2290879087906004016153c8565b60206040518083038186803b158015613f3a57600080fd5b505afa158015613f4e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613f729190614e60565b6001600160a01b031614159392505050565b6000806000613f938585614783565b6040516001600160601b0319606084811b8216602084015283901b16603482015291935091508690604801604051602081830303815290604052805190602001206040516020016140319291906001600160f81b0319815260609290921b6001600160601b031916600183015260158201527fe18a34eb0e04b04f7a0ac29a6e80748dca96319b42c54d679cb821dca90c6303603582015260550190565b60408051601f1981840301815291905280516020909101209695505050505050565b60008060006140628585614783565b509050600080614073888888613f84565b6001600160a01b0316630902f1ac6040518163ffffffff1660e01b815260040160606040518083038186803b1580156140ab57600080fd5b505afa1580156140bf573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906140e39190615180565b506001600160701b031691506001600160701b03169150826001600160a01b0316876001600160a01b03161461411a57808261411d565b81815b90999098509650505050505050565b60006107ca61413d846107cd615724565b61417361414d86623cda29615724565b61415a86623cda20615724565b61416491906156ec565b61416e9087615724565b614874565b61417d9190615743565b6138919190615704565b600080806141bf6001600160a01b0388167f000000000000000000000000000000000000000000000000000000000000000087613520565b6141f36001600160a01b0387167f000000000000000000000000000000000000000000000000000000000000000086613520565b60405162e8e33760e81b81526001600160a01b037f0000000000000000000000000000000000000000000000000000000000000000169063e8e337009061424d908a908a908a908a906000908190309042906004016153e2565b606060405180830381600087803b15801561426757600080fd5b505af115801561427b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061429f91906152ef565b9199909850909650945050505050565b8015806143375750604051636eb1769f60e11b81526001600160a01b0384169063dd62ed3e906142e590309086906004016153c8565b60206040518083038186803b1580156142fd57600080fd5b505afa158015614311573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061433591906151e6565b155b6143a25760405162461bcd60e51b815260206004820152603660248201527f5361666545524332303a20617070726f76652066726f6d206e6f6e2d7a65726f60448201527520746f206e6f6e2d7a65726f20616c6c6f77616e636560501b60648201526084016105c9565b6138ee8363095ea7b360e01b84846040516024016138b792919061542b565b60606002825110156144155760405162461bcd60e51b815260206004820152601e60248201527f556e697377617056324c6962726172793a20494e56414c49445f50415448000060448201526064016105c9565b81516001600160401b0381111561443c57634e487b7160e01b600052604160045260246000fd5b604051908082528060200260200182016040528015614465578160200160208202803683370190505b509050828160008151811061448a57634e487b7160e01b600052603260045260246000fd5b60200260200101818152505060005b600183516144a79190615743565b81101561459757600080614516878685815181106144d557634e487b7160e01b600052603260045260246000fd5b6020026020010151878660016144eb91906156ec565b8151811061450957634e487b7160e01b600052603260045260246000fd5b6020026020010151614053565b9150915061454c84848151811061453d57634e487b7160e01b600052603260045260246000fd5b602002602001015183836149ed565b846145588560016156ec565b8151811061457657634e487b7160e01b600052603260045260246000fd5b6020026020010181815250505050808061458f90615786565b915050614499565b509392505050565b60006145e77f0000000000000000000000000000000000000000000000000000000000000000848460008151811061379057634e487b7160e01b600052603260045260246000fd5b604051634401edf760e11b81526001600160a01b037f00000000000000000000000000000000000000000000000000000000000000001690638803dbee9061463b9087908790879030904290600401615629565b600060405180830381600087803b15801561465557600080fd5b505af1158015614669573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261469191908101906150ce565b60008151811061388657634e487b7160e01b600052603260045260246000fd5b6000614706826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b0316614b0c9092919063ffffffff16565b8051909150156138ee57808060200190518101906147249190615160565b6138ee5760405162461bcd60e51b815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e6044820152691bdd081cdd58d8d9595960b21b60648201526084016105c9565b600080826001600160a01b0316846001600160a01b031614156147f65760405162461bcd60e51b815260206004820152602560248201527f556e697377617056324c6962726172793a204944454e544943414c5f41444452604482015264455353455360d81b60648201526084016105c9565b826001600160a01b0316846001600160a01b031610614816578284614819565b83835b90925090506001600160a01b038216610a555760405162461bcd60e51b815260206004820152601e60248201527f556e697377617056324c6962726172793a205a45524f5f41444452455353000060448201526064016105c9565b6000816148835750600061351b565b816001600160801b821061489c5760809190911c9060401b5b600160401b82106148b25760409190911c9060201b5b64010000000082106148c95760209190911c9060101b5b6201000082106148de5760109190911c9060081b5b61010082106148f25760089190911c9060041b5b601082106149055760049190911c9060021b5b600882106149115760011b5b600161491d8286615704565b61492790836156ec565b901c905060016149378286615704565b61494190836156ec565b901c905060016149518286615704565b61495b90836156ec565b901c9050600161496b8286615704565b61497590836156ec565b901c905060016149858286615704565b61498f90836156ec565b901c9050600161499f8286615704565b6149a990836156ec565b901c905060016149b98286615704565b6149c390836156ec565b901c905060006149d38286615704565b90508082106149e257806149e4565b815b95945050505050565b6000808411614a525760405162461bcd60e51b815260206004820152602b60248201527f556e697377617056324c6962726172793a20494e53554646494349454e545f4960448201526a1394155517d05353d5539560aa1b60648201526084016105c9565b600083118015614a625750600082115b614abf5760405162461bcd60e51b815260206004820152602860248201527f556e697377617056324c6962726172793a20494e53554646494349454e545f4c604482015267495155494449545960c01b60648201526084016105c9565b6000614acd856103e5614b23565b90506000614adb8285614b23565b90506000614af583614aef886103e8614b23565b90614b2f565b9050614b018183615704565b979650505050505050565b6060614b1b8484600085614b3b565b949350505050565b60006138918284615724565b600061389182846156ec565b606082471015614b9c5760405162461bcd60e51b815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f6044820152651c8818d85b1b60d21b60648201526084016105c9565b843b614bea5760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e747261637400000060448201526064016105c9565b600080866001600160a01b03168587604051614c069190615398565b60006040518083038185875af1925050503d8060008114614c43576040519150601f19603f3d011682016040523d82523d6000602084013e614c48565b606091505b5091509150614b0182828660608315614c62575081613891565b825115614c725782518084602001fd5b8160405162461bcd60e51b81526004016105c9919061545b565b828054828255906000526020600020908101928215614cdf579160200282015b82811115614cdf5781546001600160a01b0319166001600160a01b03843516178255602090920191600190910190614cac565b50614ceb929150614d3b565b5090565b8260028101928215614d2f579160200282015b82811115614d2f5782518051614d1f918491602090910190614d50565b5091602001919060010190614d02565b50614ceb929150614da5565b5b80821115614ceb5760008155600101614d3c565b828054828255906000526020600020908101928215614cdf579160200282015b82811115614cdf57825182546001600160a01b0319166001600160a01b03909116178255602090920191600190910190614d70565b80821115614ceb576000614db98282614dc2565b50600101614da5565b5080546000825590600052602060002090810190610d909190614d3b565b803561351b816157cd565b60008083601f840112614dfc578182fd5b5081356001600160401b03811115614e12578182fd5b6020830191508360208260051b8501011115610a5557600080fd5b80516001600160701b038116811461351b57600080fd5b600060208284031215614e55578081fd5b8135613891816157cd565b600060208284031215614e71578081fd5b8151613891816157cd565b600080600060408486031215614e90578182fd5b8335614e9b816157cd565b925060208401356001600160401b03811115614eb5578283fd5b614ec186828701614deb565b9497909650939450505050565b60008060408385031215614ee0578182fd5b8235614eeb816157cd565b946020939093013593505050565b60008060008060808587031215614f0e578081fd5b614f1885356157cd565b843593506020850135925060408501356001600160401b03811115614f3b578182fd5b8501601f81018713614f4b578182fd5b614f556040615699565b8082845b6002811015614fef57813585018b601f820112614f74578687fd5b8035614f87614f82826156c9565b615699565b80828252602082019150602084018f60208560051b8701011115614fa9578a8bfd5b8a94505b83851015614fd657614fbf81356157cd565b803583526001949094019360209283019201614fad565b5087525050602094850194929092019150600101614f59565b505080945050505061500360608601614de0565b905092959194509250565b600080600060408486031215615022578283fd5b83356001600160401b0380821115615038578485fd5b61504487838801614deb565b909550935060209150858201358181111561505d578384fd5b86019050601f8101871361506f578283fd5b803561507d614f82826156c9565b8082825284820191508484018a868560051b870101111561509c578687fd5b8694505b838510156150be5780358352600194909401939185019185016150a0565b5080955050505050509250925092565b600060208083850312156150e0578182fd5b82516001600160401b038111156150f5578283fd5b8301601f81018513615105578283fd5b8051615113614f82826156c9565b80828252848201915084840188868560051b8701011115615132578687fd5b8694505b83851015615154578051835260019490940193918501918501615136565b50979650505050505050565b600060208284031215615171578081fd5b81518015158114613891578182fd5b600080600060608486031215615194578081fd5b61519d84614e2d565b92506151ab60208501614e2d565b9150604084015163ffffffff811681146151c3578182fd5b809150509250925092565b6000602082840312156151df578081fd5b5035919050565b6000602082840312156151f7578081fd5b5051919050565b600080600060608486031215615212578081fd5b833592506020840135615224816157cd565b915060408401356151c3816157cd565b60008060008060808587031215615249578182fd5b8435935060208501356002811061525e578283fd5b9250604085013561526e816157cd565b9396929550929360600135925050565b60008060408385031215615290578182fd5b50508035926020909101359150565b600080604083850312156152b1578182fd5b505080516020909101519092909150565b6000806000606084860312156152d6578081fd5b833592506020840135915060408401356151c3816157cd565b600080600060608486031215615303578081fd5b8351925060208401519150604084015190509250925092565b60008060008060808587031215615331578182fd5b5050823594602084013594506040840135936060013592509050565b600080600080600080600060e0888a031215615367578485fd5b505085359760208701359750604087013596606081013596506080810135955060a0810135945060c0013592509050565b600082516153aa81846020870161575a565b9190910192915050565b6001600160a01b0391909116815260200190565b6001600160a01b0392831681529116602082015260400190565b6001600160a01b039889168152968816602088015260408701959095526060860193909352608085019190915260a084015290921660c082015260e08101919091526101000190565b6001600160a01b03929092168252602082015260400190565b9182526001600160a01b0316602082015260400190565b600060208252825180602084015261547a81604085016020870161575a565b601f01601f19169190910160400192915050565b60208082526014908201527314185d5cd8589b194e881b9bdd081c185d5cd95960621b604082015260600190565b6020808252600c908201526b155b985d5d1a1bdc9a5e995960a21b604082015260600190565b6020808252601490820152730aed2e8d0c8e4c2eed2dcce40e8dede40daeac6d60631b604082015260600190565b60208082526010908201526f14185d5cd8589b194e881c185d5cd95960821b604082015260600190565b6020808252600c908201526b092dcecc2d8d2c840e0c2e8d60a31b604082015260600190565b60208082526021908201527f556e617574686f72697a65643a204f6e6c79205661756c7420636f6e747261636040820152601d60fa1b606082015260800190565b60208082526018908201527745786365656473206d6178696d756d20736c69707061676560401b604082015260600190565b6020808252601f908201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604082015260600190565b92835260208301919091526001600160a01b0316604082015260600190565b600060a082018783526020878185015260a0604085015281875180845260c0860191508289019350845b818110156156785784516001600160a01b031683529383019391830191600101615653565b50506001600160a01b03969096166060850152505050608001529392505050565b604051601f8201601f191681016001600160401b03811182821017156156c1576156c16157b7565b604052919050565b60006001600160401b038211156156e2576156e26157b7565b5060051b60200190565b600082198211156156ff576156ff6157a1565b500190565b60008261571f57634e487b7160e01b81526012600452602481fd5b500490565b600081600019048311821515161561573e5761573e6157a1565b500290565b600082821015615755576157556157a1565b500390565b60005b8381101561577557818101518382015260200161575d565b83811115610cbf5750506000910152565b600060001982141561579a5761579a6157a1565b5060010190565b634e487b7160e01b600052601160045260246000fd5b634e487b7160e01b600052604160045260246000fd5b6001600160a01b0381168114610d9057600080fdfe17a8e30262c1f919c33056d877a3c22b95c2f5e4dac44683c1c2323cd79fbdb04f6e646f204d6173746572436865665632205374616b696e67205374726174656779a2646970667358221220034720a9b39723051b9a9f93cc68d176ef8daf9749e0ef946c4e255c91c6704164736f6c6343000803003300000000000000000000000047d1f3fda174270244a1d800c49f3af456f05004000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe2

Deployed Bytecode

0x608060405234801561001057600080fd5b506004361061016e5760003560e01c80636d13582c116100ce57806396ce07951161008757806396ce0795146103dd578063a4063dbc146103e6578063b1ba962014610471578063c07bc588146104b4578063cc8fc76d146104c7578063d4614c63146104da578063e8815c02146105015761016e565b80636d13582c146102d457806379118bb2146102fb578063792baa621461030e5780637b103999146103175780638456cb591461032f5780638c64ea4a146103375761016e565b8063320636c51161012b578063320636c51461023f5780633bf8d620146102545780633f4ba83a146102675780634035c9861461026f5780634c90534814610282578063575a86b2146102955780635c975abb146102bc5761016e565b8063018ee9b71461017357806305c008421461019957806306fdde03146101c157806313b477c3146101d65780631443b2a0146101f857806322984b241461020b575b600080fd5b610186610181366004614ece565b610514565b6040519081526020015b60405180910390f35b6101ac6101a736600461531c565b610688565b60408051928352602083019190915201610190565b6101c9610976565b604051610190919061545b565b6101e96101e436600461527e565b610992565b6040516101909392919061560a565b6101ac61020636600461527e565b610a01565b6102327f000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac81565b60405161019091906153b4565b61025261024d366004615234565b610a5c565b005b61025261026236600461500e565b610b87565b610252610cc5565b61025261027d36600461527e565b610d93565b6101ac61029036600461534d565b610e8f565b6102327f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d81565b6102c4611105565b6040519015158152602001610190565b6102327f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f81565b6102c4610309366004614e7c565b61119f565b61018660065481565b6002546102329061010090046001600160a01b031681565b61025261162a565b6103946103453660046151ce565b600460208190526000918252604090912080546001820154600283015460038401549484015460058501546006909501546001600160a01b039485169693851695928516949093169290919087565b604080516001600160a01b039889168152968816602088015294871694860194909452949091166060840152608083015260a082019290925260c081019190915260e001610190565b61018660035481565b6104396103f4366004614e44565b6005602081905260009182526040909120805460038201546004830154938301546006909301549193909290916001600160a01b03811690600160a01b900460ff1686565b6040805196875260208701959095529385019290925260608401526001600160a01b03166080830152151560a082015260c001610190565b6104a661047f3660046151ce565b600090815260046020819052604090912060018101549101546001600160a01b0390911691565b60405161019092919061542b565b6102526104c2366004614ef9565b6116f5565b6102526104d53660046151fe565b611dec565b6102327f0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe281565b61025261050f3660046152c2565b6120a2565b600254604051631fe1defb60e11b81526000916000805160206157e3833981519152916101009091046001600160a01b031690633fc3bdf69061055d9084903390600401615444565b60206040518083038186803b15801561057557600080fd5b505afa158015610589573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105ad9190615160565b6105d25760405162461bcd60e51b81526004016105c9906154bc565b60405180910390fd5b6105da611105565b156105f75760405162461bcd60e51b81526004016105c990615510565b6001600160a01b03841660009081526005602052604081209061061a8683612461565b90508481101561063c5760405162461bcd60e51b81526004016105c9906155a1565b856001600160a01b03167fc9695243a805adb74c91f28311176c65b417e842d5699893cef56d18bfa48cba8260405161067791815260200190565b60405180910390a295945050505050565b600080600260015414156106ae5760405162461bcd60e51b81526004016105c9906155d3565b60026001556106bb611105565b156106d85760405162461bcd60e51b81526004016105c990615510565b60008681526004602052604090205486906001600160a01b031633146107105760405162461bcd60e51b81526004016105c990615560565b600087815260046020526040812090610728896133dc565b6001830154909150610764906001600160a01b03167f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f83613520565b60028201546003830154604051635d5155ef60e11b81526001600160a01b03928316600482015290821660248201526044810183905260006064820181905260848201523060a48201524260c48201527f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f9091169063baa2abde9060e4016040805180830381600087803b1580156107fb57600080fd5b505af115801561080f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610833919061529f565b9095509350508684101561086e5760028101546003820154610864916001600160a01b0390811691168987876135d6565b90945092506108bc565b868411156108b8576108ab6108838886615743565b600283015460038401546000916108a6916001600160a01b03918216911661369e565b613748565b6108b590846156ec565b92505b8693505b8386111580156108cc5750828511155b6108e85760405162461bcd60e51b81526004016105c9906155a1565b610911338260050154866108fc91906156ec565b60028401546001600160a01b03169190613520565b61093a3382600601548561092591906156ec565b60038401546001600160a01b03169190613520565b60405188907f702d5967f45f6513a38ffc42d6ba9bf230bd40e8f53b16363c7eb4fd2deb9a4490600090a2505060018055909590945092505050565b6040518060600160405280602281526020016158036022913981565b600082815260046020818152604080842060018101546001600160a01b0316855260059092528320918201546003830154849384939290916109d49088615724565b6109de9190615704565b600483015460019093015490989297506001600160a01b03169550909350505050565b600082815260046020818152604080842060018101546001600160a01b0316855260059092528320600381015492810154849390610a3f9087615724565b610a499190615704565b82600401549350935050505b9250929050565b60008481526004602052604090205484906001600160a01b03163314610a945760405162461bcd60e51b81526004016105c990615560565b600085815260046020526040812090856001811115610ac357634e487b7160e01b600052602160045260246000fd5b1415610b2657600581015480841115610aee5760405162461bcd60e51b81526004016105c9906154e2565b83826005016000828254610b029190615743565b90915550506002820154610b20906001600160a01b03168686613898565b50610b7f565b600681015480841115610b4b5760405162461bcd60e51b81526004016105c9906154e2565b83826006016000828254610b5f9190615743565b90915550506003820154610b7d906001600160a01b03168686613898565b505b505050505050565b610b8f611105565b610bab5760405162461bcd60e51b81526004016105c99061548e565b600254604051631fe1defb60e11b81527f55435dd261a4b9b3364963f7738a7a662ad9c84396d64be3365284bb7f0a50419161010090046001600160a01b031690633fc3bdf690610c029084903390600401615444565b60206040518083038186803b158015610c1a57600080fd5b505afa158015610c2e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c529190615160565b610c6e5760405162461bcd60e51b81526004016105c9906154bc565b81518314610cb45760405162461bcd60e51b8152602060048201526013602482015272496e76616c69642061727261792073697a657360681b60448201526064016105c9565b610cbf8484846138f3565b50505050565b600254604051631fe1defb60e11b81527f55435dd261a4b9b3364963f7738a7a662ad9c84396d64be3365284bb7f0a50419161010090046001600160a01b031690633fc3bdf690610d1c9084903390600401615444565b60206040518083038186803b158015610d3457600080fd5b505afa158015610d48573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d6c9190615160565b610d885760405162461bcd60e51b81526004016105c9906154bc565b610d90613a43565b50565b610d9b611105565b15610db85760405162461bcd60e51b81526004016105c990615510565b60008281526004602052604090205482906001600160a01b03163314610df05760405162461bcd60e51b81526004016105c990615560565b600083815260046020908152604080832060018101546001600160a01b03168452600590925282209091610e248686610992565b5050905080836004016000828254610e3c91906156ec565b9250508190555080826003016000828254610e5791906156ec565b9250508190555084826004016000828254610e7291906156ec565b90915550506001830154610b7f906001600160a01b031686613aab565b60008060026001541415610eb55760405162461bcd60e51b81526004016105c9906155d3565b6002600155610ec2611105565b15610edf5760405162461bcd60e51b81526004016105c990615510565b60008981526004602052604090205489906001600160a01b03163314610f175760405162461bcd60e51b81526004016105c990615560565b60008a81526004602052604081206002810154610f5e906001600160a01b03167f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f8d613520565b6003810154610f97906001600160a01b03167f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f8c613520565b7f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f6001600160a01b031663e8e337008260020160009054906101000a90046001600160a01b03168360030160009054906101000a90046001600160a01b03168e8e8c8c30426040518963ffffffff1660e01b815260040161101f9897969594939291906153e2565b606060405180830381600087803b15801561103957600080fd5b505af115801561104d573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061107191906152ef565b9196509450915088611083868d615743565b61108d91906156ec565b60058201558761109d858c615743565b6110a791906156ec565b60068201556110b68c83613d7f565b8b7fb089286041f4c8faf70006ecf5d7f8b6dce0f3bba8bdc30c237fd656060bff2c836040516110e891815260200190565b60405180910390a250506001805550909890975095505050505050565b6000600260019054906101000a90046001600160a01b03166001600160a01b0316635c975abb6040518163ffffffff1660e01b815260040160206040518083038186803b15801561115557600080fd5b505afa158015611169573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061118d9190615160565b8061119a575060025460ff165b905090565b60006111a9611105565b156111c65760405162461bcd60e51b81526004016105c990615510565b600254604051631fe1defb60e11b81526000805160206157e38339815191529161010090046001600160a01b031690633fc3bdf69061120b9084903390600401615444565b60206040518083038186803b15801561122357600080fd5b505afa158015611237573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061125b9190615160565b6112775760405162461bcd60e51b81526004016105c9906154bc565b6001600160a01b038516600090815260056020526040902060060154600160a01b900460ff166112e95760405162461bcd60e51b815260206004820152601a60248201527f506f6f6c204944206e6f7420796574207265676973746572656400000000000060448201526064016105c9565b60008484600081811061130c57634e487b7160e01b600052603260045260246000fd5b90506020020160208101906113219190614e44565b905060008585611332600182615743565b81811061134f57634e487b7160e01b600052603260045260246000fd5b90506020020160208101906113649190614e44565b9050806001600160a01b0316826001600160a01b03161415806113875750600185145b6113a35760405162461bcd60e51b81526004016105c99061553a565b6000876001600160a01b0316630dfe16816040518163ffffffff1660e01b815260040160206040518083038186803b1580156113de57600080fd5b505afa1580156113f2573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906114169190614e60565b90506000886001600160a01b031663d21220a76040518163ffffffff1660e01b815260040160206040518083038186803b15801561145357600080fd5b505afa158015611467573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061148b9190614e60565b9050836001600160a01b0316826001600160a01b0316141580156114c15750836001600160a01b0316816001600160a01b031614155b6115175760405162461bcd60e51b815260206004820152602160248201527f5468697320706174682073686f756c64206e65766572206265207570646174656044820152601960fa1b60648201526084016105c9565b826001600160a01b0316826001600160a01b031614806115485750826001600160a01b0316816001600160a01b0316145b6115645760405162461bcd60e51b81526004016105c99061553a565b6001600160a01b038981166000908152600560205260409020907f0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe2811690861614156115c95788886001830160005b6115bf93910191614c8c565b506001965061161d565b6002810180546000906115ec57634e487b7160e01b600052603260045260246000fd5b6000918252602090912001546001600160a01b03868116911614156116185788886001808401906115b3565b600096505b5050505050509392505050565b600254604051631fe1defb60e11b81527fb3e53bff87a96979079674767cfa1a09f3cf2847ba695cbaae933c232f4bf7f09161010090046001600160a01b031690633fc3bdf6906116819084903390600401615444565b60206040518083038186803b15801561169957600080fd5b505afa1580156116ad573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906116d19190615160565b6116ed5760405162461bcd60e51b81526004016105c9906154bc565b610d90613e75565b6116fd611105565b1561171a5760405162461bcd60e51b81526004016105c990615510565b600254604051631fe1defb60e11b81526000805160206157e38339815191529161010090046001600160a01b031690633fc3bdf69061175f9084903390600401615444565b60206040518083038186803b15801561177757600080fd5b505afa15801561178b573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117af9190615160565b6117cb5760405162461bcd60e51b81526004016105c9906154bc565b6001600160a01b038516600090815260056020526040902060060154600160a01b900460ff16156118385760405162461bcd60e51b8152602060048201526017602482015276141bdbdb08185b1c9958591e481c9959da5cdd195c9959604a1b60448201526064016105c9565b6001600160a01b0385166118875760405162461bcd60e51b815260206004820152601660248201527543616e6e6f74206265207a65726f206164647265737360501b60448201526064016105c9565b6040516378ed5d1f60e01b8152600481018590526000907f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d6001600160a01b0316906378ed5d1f9060240160206040518083038186803b1580156118ea57600080fd5b505afa1580156118fe573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906119229190614e60565b9050856001600160a01b0316816001600160a01b03161461197f5760405162461bcd60e51b8152602060048201526017602482015276098a040a8ded6cadc40c8decae640dcdee840dac2e8c6d604b1b60448201526064016105c9565b835180517f0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe26001600160a01b031691906000906119cc57634e487b7160e01b600052603260045260246000fd5b60200260200101516001600160a01b0316148015611a4b57506001600160a01b037f0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe2168460016020020151600081518110611a3757634e487b7160e01b600052603260045260246000fd5b60200260200101516001600160a01b031614155b611a975760405162461bcd60e51b815260206004820152601d60248201527f46697273742070617468206d7573742062652066726f6d20535553484900000060448201526064016105c9565b6000866001600160a01b0316630dfe16816040518163ffffffff1660e01b815260040160206040518083038186803b158015611ad257600080fd5b505afa158015611ae6573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611b0a9190614e60565b90506000876001600160a01b031663d21220a76040518163ffffffff1660e01b815260040160206040518083038186803b158015611b4757600080fd5b505afa158015611b5b573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611b7f9190614e60565b905060005b6002811015611d41576000878260028110611baf57634e487b7160e01b600052603260045260246000fd5b6020020151600081518110611bd457634e487b7160e01b600052603260045260246000fd5b60200260200101519050836001600160a01b0316816001600160a01b03161480611c0f5750826001600160a01b0316816001600160a01b0316145b15611c5e57878260028110611c3457634e487b7160e01b600052603260045260246000fd5b602002015151600114611c595760405162461bcd60e51b81526004016105c99061553a565b611d2e565b6000888360028110611c8057634e487b7160e01b600052603260045260246000fd5b602002015160018a8560028110611ca757634e487b7160e01b600052603260045260246000fd5b602002015151611cb79190615743565b81518110611cd557634e487b7160e01b600052603260045260246000fd5b60200260200101519050846001600160a01b0316816001600160a01b03161480611d105750836001600160a01b0316816001600160a01b0316145b611d2c5760405162461bcd60e51b81526004016105c99061553a565b505b5080611d3981615786565b915050611b84565b506001600160a01b0388166000908152600560205260409020611d6990600101876002614cef565b506001600160a01b03808916600081815260056020526040908190208a815560060180549389166001600160a81b031990941693909317600160a01b1790925590517f39a2fea5ef7b4d480a0f3bfd33e912c001c8e5ae4b58ba7ee009654a2a01112b90611dda908a815260200190565b60405180910390a25050505050505050565b611df4611105565b15611e115760405162461bcd60e51b81526004016105c990615510565b60026001541415611e345760405162461bcd60e51b81526004016105c9906155d3565b6002600181905554604051631fe1defb60e11b81527f31e0210044b4f6757ce6aa31f9c6e8d4896d24a755014887391a926c5224d9599161010090046001600160a01b031690633fc3bdf690611e909084903390600401615444565b60206040518083038186803b158015611ea857600080fd5b505afa158015611ebc573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611ee09190615160565b611efc5760405162461bcd60e51b81526004016105c9906154bc565b6000848152600460205260409020546001600160a01b031615611f5c5760405162461bcd60e51b815260206004820152601860248201527715985d5b1d08185b1c9958591e481c9959da5cdd195c995960421b60448201526064016105c9565b611f668383613ecf565b611fa75760405162461bcd60e51b8152602060048201526012602482015271141bdbdb08191bd95cdb89dd08195e1a5cdd60721b60448201526064016105c9565b6000611fd47f000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac8585613f84565b6001600160a01b038116600090815260056020526040902060060154909150600160a01b900460ff1661203e5760405162461bcd60e51b8152602060048201526012602482015271141bdbdb081b9bdd081cdd5c1c1bdc9d195960721b60448201526064016105c9565b6000948552600460205260409094208054336001600160a01b03199182161782556001808301805483166001600160a01b03988916179055600283018054831696881696909617909555600390910180549091169290941691909117909255805550565b6120aa611105565b156120c75760405162461bcd60e51b81526004016105c990615510565b60008381526004602052604090205483906001600160a01b031633146120ff5760405162461bcd60e51b81526004016105c990615560565b6001600160a01b0382166121475760405162461bcd60e51b815260206004820152600f60248201526e4e6f207a65726f206164647265737360881b60448201526064016105c9565b600084815260046020908152604080832060018101546001600160a01b0316845260059092528220909161217b8787610a01565b50905060006001808401016000815481106121a657634e487b7160e01b600052603260045260246000fd5b60009182526020822001546040516370a0823160e01b81526001600160a01b03909116925082906370a08231906121e19030906004016153b4565b60206040518083038186803b1580156121f957600080fd5b505afa15801561220d573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061223191906151e6565b8454604051630ad58d2f60e01b81529192506001600160a01b037f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d1691630ad58d2f91612284918790309060040161560a565b600060405180830381600087803b15801561229e57600080fd5b505af11580156122b2573d6000803e3d6000fd5b50506040516370a0823160e01b81528392506001600160a01b03851691506370a08231906122e49030906004016153b4565b60206040518083038186803b1580156122fc57600080fd5b505afa158015612310573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061233491906151e6565b61233e9190615743565b60068501549091506001600160a01b0316156123d4576006840154612370906001600160a01b03848116911683613898565b60068401546040516255f9e960e71b8152600481018390526001600160a01b0390911690632afcf48090602401600060405180830381600087803b1580156123b757600080fd5b505af11580156123cb573d6000803e3d6000fd5b505050506123ee565b808460050160008282546123e891906156ec565b90915550505b878560040160008282546124029190615743565b925050819055508784600301600082825461241d9190615743565b92505081905550828460040160008282546124389190615743565b90915550506001850154612456906001600160a01b03168885613898565b505050505050505050565b6000807f0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe26001600160a01b03166370a08231306040518263ffffffff1660e01b81526004016124b091906153b4565b60206040518083038186803b1580156124c857600080fd5b505afa1580156124dc573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061250091906151e6565b9050600060018085010160008154811061252a57634e487b7160e01b600052603260045260246000fd5b60009182526020822001546040516370a0823160e01b81526001600160a01b03909116925082906370a08231906125659030906004016153b4565b60206040518083038186803b15801561257d57600080fd5b505afa158015612591573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906125b591906151e6565b8554604051630c7e663b60e11b81529192506001600160a01b037f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d16916318fccc7691612606913090600401615444565b600060405180830381600087803b15801561262057600080fd5b505af1158015612634573d6000803e3d6000fd5b5050505060068501546001600160a01b0316156126b6578460060160009054906101000a90046001600160a01b03166001600160a01b0316633ccfd60b6040518163ffffffff1660e01b8152600401600060405180830381600087803b15801561269d57600080fd5b505af11580156126b1573d6000803e3d6000fd5b505050505b6040516370a0823160e01b815283906001600160a01b037f0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe216906370a08231906127049030906004016153b4565b60206040518083038186803b15801561271c57600080fd5b505afa158015612730573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061275491906151e6565b61275e9190615743565b9250846005015481836001600160a01b03166370a08231306040518263ffffffff1660e01b815260040161279291906153b4565b60206040518083038186803b1580156127aa57600080fd5b505afa1580156127be573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906127e291906151e6565b6127ec9190615743565b6127f691906156ec565b60006005870155905061271083118015612811575061271081115b156132215760408051600280825260608201835288926000929190602083019080368337019050509050848160008151811061285d57634e487b7160e01b600052603260045260246000fd5b602002602001018181525050828160018151811061288b57634e487b7160e01b600052603260045260246000fd5b60200260200101818152505060005b60028110156129f15760008282815181106128c557634e487b7160e01b600052603260045260246000fd5b60200260200101511180156128fe575060018860010182600281106128fa57634e487b7160e01b600052603260045260246000fd5b0154115b156129df576129b282828151811061292657634e487b7160e01b600052603260045260246000fd5b602002602001015160008a600101846002811061295357634e487b7160e01b600052603260045260246000fd5b018054806020026020016040519081016040528092919081815260200182805480156129a857602002820191906000526020600020905b81546001600160a01b0316815260019091019060200180831161298a575b5050505050613748565b8282815181106129d257634e487b7160e01b600052603260045260246000fd5b6020026020010181815250505b806129e981615786565b91505061289a565b5060018781018054600092612a0591615743565b81548110612a2357634e487b7160e01b600052603260045260246000fd5b9060005260206000200160009054906101000a90046001600160a01b031690506000836001600160a01b0316630dfe16816040518163ffffffff1660e01b815260040160206040518083038186803b158015612a7e57600080fd5b505afa158015612a92573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612ab69190614e60565b9050816001600160a01b0316816001600160a01b03161415612b4657836001600160a01b031663d21220a76040518163ffffffff1660e01b815260040160206040518083038186803b158015612b0b57600080fd5b505afa158015612b1f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612b439190614e60565b90505b60028901805460009190612b5c90600190615743565b81548110612b7a57634e487b7160e01b600052603260045260246000fd5b6000918252602090912001546001600160a01b0384811691161490508015612de45783600181518110612bbd57634e487b7160e01b600052603260045260246000fd5b602002602001015184600081518110612be657634e487b7160e01b600052603260045260246000fd5b6020026020010151612bf891906156ec565b84600081518110612c1957634e487b7160e01b600052603260045260246000fd5b6020026020010181815250506000612c527f000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac8585614053565b509050612c878186600081518110612c7a57634e487b7160e01b600052603260045260246000fd5b602002602001015161412c565b85600181518110612ca857634e487b7160e01b600052603260045260246000fd5b60200260200101818152505084600181518110612cd557634e487b7160e01b600052603260045260246000fd5b602002602001015185600081518110612cfe57634e487b7160e01b600052603260045260246000fd5b60200260200101818151612d129190615743565b9052508451612d509086906001908110612d3c57634e487b7160e01b600052603260045260246000fd5b602002602001015160006108a6878761369e565b85600181518110612d7157634e487b7160e01b600052603260045260246000fd5b602002602001018181525050612dd9848487600081518110612da357634e487b7160e01b600052603260045260246000fd5b602002602001015188600181518110612dcc57634e487b7160e01b600052603260045260246000fd5b6020026020010151614187565b9b5061321b92505050565b600080612e36858588600081518110612e0d57634e487b7160e01b600052603260045260246000fd5b602002602001015189600181518110612dcc57634e487b7160e01b600052603260045260246000fd5b8851909d50919350915082908790600090612e6157634e487b7160e01b600052603260045260246000fd5b60200260200101818151612e759190615743565b9052508551819087906001908110612e9d57634e487b7160e01b600052603260045260246000fd5b60200260200101818151612eb19190615743565b90525085518690600090612ed557634e487b7160e01b600052603260045260246000fd5b602002602001015160001480612f13575085600181518110612f0757634e487b7160e01b600052603260045260246000fd5b60200260200101516000145b612f7e5760405162461bcd60e51b815260206004820152603660248201527f496e73756666696369656e74206c6971756964697479206164646564206f6e206044820152751bdb99481cda5919481bd988199a5c9cdd0818d85b1b60521b60648201526084016105c9565b600080612fac7f000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac8888614053565b91509150600088600181518110612fd357634e487b7160e01b600052603260045260246000fd5b602002602001015189600081518110612ffc57634e487b7160e01b600052603260045260246000fd5b602002602001015110156130b75761302f828a600181518110612c7a57634e487b7160e01b600052603260045260246000fd5b9050808960018151811061305357634e487b7160e01b600052603260045260246000fd5b602002602001018181516130679190615743565b90525061307a8160006108a68b8b61369e565b8960008151811061309b57634e487b7160e01b600052603260045260246000fd5b602002602001018181516130af91906156ec565b905250613191565b6000896000815181106130da57634e487b7160e01b600052603260045260246000fd5b602002602001015111156131915761310d838a600081518110612c7a57634e487b7160e01b600052603260045260246000fd5b9050808960008151811061313157634e487b7160e01b600052603260045260246000fd5b602002602001018181516131459190615743565b9052506131588160006108a68a8c61369e565b8960018151811061317957634e487b7160e01b600052603260045260246000fd5b6020026020010181815161318d91906156ec565b9052505b80156131fc5760006131e889898c6000815181106131bf57634e487b7160e01b600052603260045260246000fd5b60200260200101518d600181518110612dcc57634e487b7160e01b600052603260045260246000fd5b92505050808f6131f891906156ec565b9e50505b8d8f600401600082825461321091906156ec565b909155505050505050505b50505050505b6132d27f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d876001600160a01b03166370a08231306040518263ffffffff1660e01b815260040161327191906153b4565b60206040518083038186803b15801561328957600080fd5b505afa15801561329d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906132c191906151e6565b6001600160a01b0389169190613520565b7f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d6001600160a01b0316638dbdbe6d8660000154886001600160a01b03166370a08231306040518263ffffffff1660e01b815260040161333291906153b4565b60206040518083038186803b15801561334a57600080fd5b505afa15801561335e573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061338291906151e6565b306040518463ffffffff1660e01b81526004016133a19392919061560a565b600060405180830381600087803b1580156133bb57600080fd5b505af11580156133cf573d6000803e3d6000fd5b5050505050505092915050565b600081815260046020908152604080832060018101546001600160a01b031680855260059093529083209091906134138282612461565b50806003015483600401541461344b5780600301548360040154826004015461343c9190615724565b6134469190615704565b613451565b80600401545b9350838160040160008282546134679190615743565b90915550506004830154600382018054600090613485908490615743565b909155505060006004808501919091558154604051630ad58d2f60e01b81526001600160a01b037f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d1692630ad58d2f926134e5929091899130910161560a565b600060405180830381600087803b1580156134ff57600080fd5b505af1158015613513573d6000803e3d6000fd5b505050505050505b919050565b600081846001600160a01b031663dd62ed3e30866040518363ffffffff1660e01b81526004016135519291906153c8565b60206040518083038186803b15801561356957600080fd5b505afa15801561357d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906135a191906151e6565b6135ab91906156ec565b90506135c26001600160a01b0385168460006142af565b610cbf6001600160a01b03851684836142af565b600080806135e48587615743565b905060006135f2888a61369e565b905061361f7f000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac86836143c1565b60018151811061363f57634e487b7160e01b600052603260045260246000fd5b60200260200101518211156136745761365a85600083613748565b61366490876156ec565b9550856000935093505050613694565b61367f82868361459f565b6136899086615743565b945086859350935050505b9550959350505050565b604080516002808252606080830184529260208301908036833701905050905082816000815181106136e057634e487b7160e01b600052603260045260246000fd5b60200260200101906001600160a01b031690816001600160a01b031681525050818160018151811061372257634e487b7160e01b600052603260045260246000fd5b60200260200101906001600160a01b031690816001600160a01b03168152505092915050565b60006137b07f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f858460008151811061379057634e487b7160e01b600052603260045260246000fd5b60200260200101516001600160a01b03166135209092919063ffffffff16565b6040516338ed173960e01b81526001600160a01b037f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f16906338ed1739906138049087908790879030904290600401615629565b600060405180830381600087803b15801561381e57600080fd5b505af1158015613832573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261385a91908101906150ce565b600183516138689190615743565b8151811061388657634e487b7160e01b600052603260045260246000fd5b602002602001015190505b9392505050565b6138ee8363a9059cbb60e01b84846040516024016138b792919061542b565b60408051601f198184030181529190526020810180516001600160e01b03166001600160e01b0319909316929092179091526146b1565b505050565b60005b82811015610cbf57600082828151811061392057634e487b7160e01b600052603260045260246000fd5b6020026020010151905080600014156139e65784848381811061395357634e487b7160e01b600052603260045260246000fd5b90506020020160208101906139689190614e44565b6001600160a01b03166370a08231306040518263ffffffff1660e01b815260040161399391906153b4565b60206040518083038186803b1580156139ab57600080fd5b505afa1580156139bf573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906139e391906151e6565b90505b613a303382878786818110613a0b57634e487b7160e01b600052603260045260246000fd5b9050602002016020810190613a209190614e44565b6001600160a01b03169190613898565b5080613a3b81615786565b9150506138f6565b613a4b611105565b613a675760405162461bcd60e51b81526004016105c99061548e565b6002805460ff191690557f5db9ee0a495bf2e6ff9c91a7834c1ba4fdd244a5e8aa4e537bd38aeae4b073aa335b604051613aa191906153b4565b60405180910390a1565b6001600160a01b038216600090815260056020526040812090600180830101600081548110613aea57634e487b7160e01b600052603260045260246000fd5b60009182526020822001546040516370a0823160e01b81526001600160a01b03909116925082906370a0823190613b259030906004016153b4565b60206040518083038186803b158015613b3d57600080fd5b505afa158015613b51573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613b7591906151e6565b9050613bab6001600160a01b0386167f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d86613520565b6001600160a01b0385811660009081526005602052604090819020549051638dbdbe6d60e01b81527f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d90921691638dbdbe6d91613c0e918890309060040161560a565b600060405180830381600087803b158015613c2857600080fd5b505af1158015613c3c573d6000803e3d6000fd5b50506040516370a0823160e01b81528392506001600160a01b03851691506370a0823190613c6e9030906004016153b4565b60206040518083038186803b158015613c8657600080fd5b505afa158015613c9a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613cbe91906151e6565b613cc89190615743565b60068401549091506001600160a01b031615613d5e576006830154613cfa906001600160a01b03848116911683613898565b60068301546040516255f9e960e71b8152600481018390526001600160a01b0390911690632afcf48090602401600060405180830381600087803b158015613d4157600080fd5b505af1158015613d55573d6000803e3d6000fd5b50505050613d78565b80836005016000828254613d7291906156ec565b90915550505b5050505050565b600082815260046020908152604080832060018101546001600160a01b031680855260059093529220613db28282612461565b5060048101541580613dc657506003810154155b15613dfb57600654613dd89085615724565b600382015560048101849055600654613df19085615724565b6004840155613d78565b60008160040154826003015486613e129190615724565b613e1c9190615704565b905080826003016000828254613e3291906156ec565b9250508190555080846004016000828254613e4d91906156ec565b9250508190555084826004016000828254613e6891906156ec565b9091555050505050505050565b613e7d611105565b15613e9a5760405162461bcd60e51b81526004016105c990615510565b6002805460ff191660011790557f62e78cea01bee320cd4e420270b5ea74000d11b0c9f74754ebdbfc544b05a258613a943390565b60405163e6a4390560e01b815260009081907f000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac6001600160a01b03169063e6a4390590613f2290879087906004016153c8565b60206040518083038186803b158015613f3a57600080fd5b505afa158015613f4e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613f729190614e60565b6001600160a01b031614159392505050565b6000806000613f938585614783565b6040516001600160601b0319606084811b8216602084015283901b16603482015291935091508690604801604051602081830303815290604052805190602001206040516020016140319291906001600160f81b0319815260609290921b6001600160601b031916600183015260158201527fe18a34eb0e04b04f7a0ac29a6e80748dca96319b42c54d679cb821dca90c6303603582015260550190565b60408051601f1981840301815291905280516020909101209695505050505050565b60008060006140628585614783565b509050600080614073888888613f84565b6001600160a01b0316630902f1ac6040518163ffffffff1660e01b815260040160606040518083038186803b1580156140ab57600080fd5b505afa1580156140bf573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906140e39190615180565b506001600160701b031691506001600160701b03169150826001600160a01b0316876001600160a01b03161461411a57808261411d565b81815b90999098509650505050505050565b60006107ca61413d846107cd615724565b61417361414d86623cda29615724565b61415a86623cda20615724565b61416491906156ec565b61416e9087615724565b614874565b61417d9190615743565b6138919190615704565b600080806141bf6001600160a01b0388167f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f87613520565b6141f36001600160a01b0387167f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f86613520565b60405162e8e33760e81b81526001600160a01b037f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f169063e8e337009061424d908a908a908a908a906000908190309042906004016153e2565b606060405180830381600087803b15801561426757600080fd5b505af115801561427b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061429f91906152ef565b9199909850909650945050505050565b8015806143375750604051636eb1769f60e11b81526001600160a01b0384169063dd62ed3e906142e590309086906004016153c8565b60206040518083038186803b1580156142fd57600080fd5b505afa158015614311573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061433591906151e6565b155b6143a25760405162461bcd60e51b815260206004820152603660248201527f5361666545524332303a20617070726f76652066726f6d206e6f6e2d7a65726f60448201527520746f206e6f6e2d7a65726f20616c6c6f77616e636560501b60648201526084016105c9565b6138ee8363095ea7b360e01b84846040516024016138b792919061542b565b60606002825110156144155760405162461bcd60e51b815260206004820152601e60248201527f556e697377617056324c6962726172793a20494e56414c49445f50415448000060448201526064016105c9565b81516001600160401b0381111561443c57634e487b7160e01b600052604160045260246000fd5b604051908082528060200260200182016040528015614465578160200160208202803683370190505b509050828160008151811061448a57634e487b7160e01b600052603260045260246000fd5b60200260200101818152505060005b600183516144a79190615743565b81101561459757600080614516878685815181106144d557634e487b7160e01b600052603260045260246000fd5b6020026020010151878660016144eb91906156ec565b8151811061450957634e487b7160e01b600052603260045260246000fd5b6020026020010151614053565b9150915061454c84848151811061453d57634e487b7160e01b600052603260045260246000fd5b602002602001015183836149ed565b846145588560016156ec565b8151811061457657634e487b7160e01b600052603260045260246000fd5b6020026020010181815250505050808061458f90615786565b915050614499565b509392505050565b60006145e77f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f848460008151811061379057634e487b7160e01b600052603260045260246000fd5b604051634401edf760e11b81526001600160a01b037f000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f1690638803dbee9061463b9087908790879030904290600401615629565b600060405180830381600087803b15801561465557600080fd5b505af1158015614669573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261469191908101906150ce565b60008151811061388657634e487b7160e01b600052603260045260246000fd5b6000614706826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b0316614b0c9092919063ffffffff16565b8051909150156138ee57808060200190518101906147249190615160565b6138ee5760405162461bcd60e51b815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e6044820152691bdd081cdd58d8d9595960b21b60648201526084016105c9565b600080826001600160a01b0316846001600160a01b031614156147f65760405162461bcd60e51b815260206004820152602560248201527f556e697377617056324c6962726172793a204944454e544943414c5f41444452604482015264455353455360d81b60648201526084016105c9565b826001600160a01b0316846001600160a01b031610614816578284614819565b83835b90925090506001600160a01b038216610a555760405162461bcd60e51b815260206004820152601e60248201527f556e697377617056324c6962726172793a205a45524f5f41444452455353000060448201526064016105c9565b6000816148835750600061351b565b816001600160801b821061489c5760809190911c9060401b5b600160401b82106148b25760409190911c9060201b5b64010000000082106148c95760209190911c9060101b5b6201000082106148de5760109190911c9060081b5b61010082106148f25760089190911c9060041b5b601082106149055760049190911c9060021b5b600882106149115760011b5b600161491d8286615704565b61492790836156ec565b901c905060016149378286615704565b61494190836156ec565b901c905060016149518286615704565b61495b90836156ec565b901c9050600161496b8286615704565b61497590836156ec565b901c905060016149858286615704565b61498f90836156ec565b901c9050600161499f8286615704565b6149a990836156ec565b901c905060016149b98286615704565b6149c390836156ec565b901c905060006149d38286615704565b90508082106149e257806149e4565b815b95945050505050565b6000808411614a525760405162461bcd60e51b815260206004820152602b60248201527f556e697377617056324c6962726172793a20494e53554646494349454e545f4960448201526a1394155517d05353d5539560aa1b60648201526084016105c9565b600083118015614a625750600082115b614abf5760405162461bcd60e51b815260206004820152602860248201527f556e697377617056324c6962726172793a20494e53554646494349454e545f4c604482015267495155494449545960c01b60648201526084016105c9565b6000614acd856103e5614b23565b90506000614adb8285614b23565b90506000614af583614aef886103e8614b23565b90614b2f565b9050614b018183615704565b979650505050505050565b6060614b1b8484600085614b3b565b949350505050565b60006138918284615724565b600061389182846156ec565b606082471015614b9c5760405162461bcd60e51b815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f6044820152651c8818d85b1b60d21b60648201526084016105c9565b843b614bea5760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e747261637400000060448201526064016105c9565b600080866001600160a01b03168587604051614c069190615398565b60006040518083038185875af1925050503d8060008114614c43576040519150601f19603f3d011682016040523d82523d6000602084013e614c48565b606091505b5091509150614b0182828660608315614c62575081613891565b825115614c725782518084602001fd5b8160405162461bcd60e51b81526004016105c9919061545b565b828054828255906000526020600020908101928215614cdf579160200282015b82811115614cdf5781546001600160a01b0319166001600160a01b03843516178255602090920191600190910190614cac565b50614ceb929150614d3b565b5090565b8260028101928215614d2f579160200282015b82811115614d2f5782518051614d1f918491602090910190614d50565b5091602001919060010190614d02565b50614ceb929150614da5565b5b80821115614ceb5760008155600101614d3c565b828054828255906000526020600020908101928215614cdf579160200282015b82811115614cdf57825182546001600160a01b0319166001600160a01b03909116178255602090920191600190910190614d70565b80821115614ceb576000614db98282614dc2565b50600101614da5565b5080546000825590600052602060002090810190610d909190614d3b565b803561351b816157cd565b60008083601f840112614dfc578182fd5b5081356001600160401b03811115614e12578182fd5b6020830191508360208260051b8501011115610a5557600080fd5b80516001600160701b038116811461351b57600080fd5b600060208284031215614e55578081fd5b8135613891816157cd565b600060208284031215614e71578081fd5b8151613891816157cd565b600080600060408486031215614e90578182fd5b8335614e9b816157cd565b925060208401356001600160401b03811115614eb5578283fd5b614ec186828701614deb565b9497909650939450505050565b60008060408385031215614ee0578182fd5b8235614eeb816157cd565b946020939093013593505050565b60008060008060808587031215614f0e578081fd5b614f1885356157cd565b843593506020850135925060408501356001600160401b03811115614f3b578182fd5b8501601f81018713614f4b578182fd5b614f556040615699565b8082845b6002811015614fef57813585018b601f820112614f74578687fd5b8035614f87614f82826156c9565b615699565b80828252602082019150602084018f60208560051b8701011115614fa9578a8bfd5b8a94505b83851015614fd657614fbf81356157cd565b803583526001949094019360209283019201614fad565b5087525050602094850194929092019150600101614f59565b505080945050505061500360608601614de0565b905092959194509250565b600080600060408486031215615022578283fd5b83356001600160401b0380821115615038578485fd5b61504487838801614deb565b909550935060209150858201358181111561505d578384fd5b86019050601f8101871361506f578283fd5b803561507d614f82826156c9565b8082825284820191508484018a868560051b870101111561509c578687fd5b8694505b838510156150be5780358352600194909401939185019185016150a0565b5080955050505050509250925092565b600060208083850312156150e0578182fd5b82516001600160401b038111156150f5578283fd5b8301601f81018513615105578283fd5b8051615113614f82826156c9565b80828252848201915084840188868560051b8701011115615132578687fd5b8694505b83851015615154578051835260019490940193918501918501615136565b50979650505050505050565b600060208284031215615171578081fd5b81518015158114613891578182fd5b600080600060608486031215615194578081fd5b61519d84614e2d565b92506151ab60208501614e2d565b9150604084015163ffffffff811681146151c3578182fd5b809150509250925092565b6000602082840312156151df578081fd5b5035919050565b6000602082840312156151f7578081fd5b5051919050565b600080600060608486031215615212578081fd5b833592506020840135615224816157cd565b915060408401356151c3816157cd565b60008060008060808587031215615249578182fd5b8435935060208501356002811061525e578283fd5b9250604085013561526e816157cd565b9396929550929360600135925050565b60008060408385031215615290578182fd5b50508035926020909101359150565b600080604083850312156152b1578182fd5b505080516020909101519092909150565b6000806000606084860312156152d6578081fd5b833592506020840135915060408401356151c3816157cd565b600080600060608486031215615303578081fd5b8351925060208401519150604084015190509250925092565b60008060008060808587031215615331578182fd5b5050823594602084013594506040840135936060013592509050565b600080600080600080600060e0888a031215615367578485fd5b505085359760208701359750604087013596606081013596506080810135955060a0810135945060c0013592509050565b600082516153aa81846020870161575a565b9190910192915050565b6001600160a01b0391909116815260200190565b6001600160a01b0392831681529116602082015260400190565b6001600160a01b039889168152968816602088015260408701959095526060860193909352608085019190915260a084015290921660c082015260e08101919091526101000190565b6001600160a01b03929092168252602082015260400190565b9182526001600160a01b0316602082015260400190565b600060208252825180602084015261547a81604085016020870161575a565b601f01601f19169190910160400192915050565b60208082526014908201527314185d5cd8589b194e881b9bdd081c185d5cd95960621b604082015260600190565b6020808252600c908201526b155b985d5d1a1bdc9a5e995960a21b604082015260600190565b6020808252601490820152730aed2e8d0c8e4c2eed2dcce40e8dede40daeac6d60631b604082015260600190565b60208082526010908201526f14185d5cd8589b194e881c185d5cd95960821b604082015260600190565b6020808252600c908201526b092dcecc2d8d2c840e0c2e8d60a31b604082015260600190565b60208082526021908201527f556e617574686f72697a65643a204f6e6c79205661756c7420636f6e747261636040820152601d60fa1b606082015260800190565b60208082526018908201527745786365656473206d6178696d756d20736c69707061676560401b604082015260600190565b6020808252601f908201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604082015260600190565b92835260208301919091526001600160a01b0316604082015260600190565b600060a082018783526020878185015260a0604085015281875180845260c0860191508289019350845b818110156156785784516001600160a01b031683529383019391830191600101615653565b50506001600160a01b03969096166060850152505050608001529392505050565b604051601f8201601f191681016001600160401b03811182821017156156c1576156c16157b7565b604052919050565b60006001600160401b038211156156e2576156e26157b7565b5060051b60200190565b600082198211156156ff576156ff6157a1565b500190565b60008261571f57634e487b7160e01b81526012600452602481fd5b500490565b600081600019048311821515161561573e5761573e6157a1565b500290565b600082821015615755576157556157a1565b500390565b60005b8381101561577557818101518382015260200161575d565b83811115610cbf5750506000910152565b600060001982141561579a5761579a6157a1565b5060010190565b634e487b7160e01b600052601160045260246000fd5b634e487b7160e01b600052604160045260246000fd5b6001600160a01b0381168114610d9057600080fdfe17a8e30262c1f919c33056d877a3c22b95c2f5e4dac44683c1c2323cd79fbdb04f6e646f204d6173746572436865665632205374616b696e67205374726174656779a2646970667358221220034720a9b39723051b9a9f93cc68d176ef8daf9749e0ef946c4e255c91c6704164736f6c63430008030033

Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)

00000000000000000000000047d1f3fda174270244a1d800c49f3af456f05004000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe2

-----Decoded View---------------
Arg [0] : _registry (address): 0x47d1F3FDa174270244a1d800C49f3AF456f05004
Arg [1] : _router (address): 0xd9e1cE17f2641f24aE83637ab66a2cca9C378B9F
Arg [2] : _chef (address): 0xEF0881eC094552b2e128Cf945EF17a6752B4Ec5d
Arg [3] : _factory (address): 0xC0AEe478e3658e2610c5F7A4A2E1777cE9e4f2Ac
Arg [4] : _sushi (address): 0x6B3595068778DD592e39A122f4f5a5cF09C90fE2

-----Encoded View---------------
5 Constructor Arguments found :
Arg [0] : 00000000000000000000000047d1f3fda174270244a1d800c49f3af456f05004
Arg [1] : 000000000000000000000000d9e1ce17f2641f24ae83637ab66a2cca9c378b9f
Arg [2] : 000000000000000000000000ef0881ec094552b2e128cf945ef17a6752b4ec5d
Arg [3] : 000000000000000000000000c0aee478e3658e2610c5f7a4a2e1777ce9e4f2ac
Arg [4] : 0000000000000000000000006b3595068778dd592e39a122f4f5a5cf09c90fe2


Block Transaction Difficulty Gas Used Reward
View All Blocks Produced

Block Uncle Number Difficulty Gas Used Reward
View All Uncles
Loading...
Loading
Loading...
Loading

Validator Index Block Amount
View All Withdrawals

Transaction Hash Block Value Eth2 PubKey Valid
View All Deposits
Loading...
Loading
[ Download: CSV Export  ]

A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.