ETH Price: $2,415.50 (-0.05%)

Contract

0x71E932715F5987077ADC5A7aA245f38841E0DcBe
 

Overview

ETH Balance

0 ETH

Eth Value

$0.00

Multichain Info

No addresses found
Transaction Hash
Method
Block
From
To
Set E Mode Categ...176643102023-07-10 16:00:47432 days ago1689004847IN
0x71E93271...841E0DcBe
0 ETH0.0049280945.93374697
Initialize176643052023-07-10 15:59:47432 days ago1689004787IN
0x71E93271...841E0DcBe
0 ETH0.0153789732.85431335
Update Allowed S...176643042023-07-10 15:59:35432 days ago1689004775IN
0x71E93271...841E0DcBe
0 ETH0.0017946332.22031005
0x60c06040176406732023-07-07 8:14:59436 days ago1688717699IN
 Create: AaveV3LeverageModule
0 ETH0.1897233526.95018622

View more zero value Internal Transactions in Advanced View mode

Advanced mode:
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
AaveV3LeverageModule

Compiler Version
v0.6.10+commit.00c0fcaf

Optimization Enabled:
Yes with 200 runs

Other Settings:
default evmVersion, Apache-2.0 license
File 1 of 33 : AaveV3LeverageModule.sol
/*
    Copyright 2023 Index Coop

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/

pragma solidity 0.6.10;
pragma experimental "ABIEncoderV2";

import { IERC20 } from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import { Ownable } from "@openzeppelin/contracts/access/Ownable.sol";
import { ReentrancyGuard } from "@openzeppelin/contracts/utils/ReentrancyGuard.sol";

import { AaveV3 } from "../../integration/lib/AaveV3.sol";
import { IAToken } from "../../../interfaces/external/aave-v2/IAToken.sol";
import { IController } from "../../../interfaces/IController.sol";
import { IDebtIssuanceModule } from "../../../interfaces/IDebtIssuanceModule.sol";
import { IExchangeAdapter } from "../../../interfaces/IExchangeAdapter.sol";
import { IPool } from "../../../interfaces/external/aave-v3/IPool.sol";
import { IPoolAddressesProvider } from "../../../interfaces/external/aave-v3/IPoolAddressesProvider.sol";
import { IModuleIssuanceHook } from "../../../interfaces/IModuleIssuanceHook.sol";
import { IAaveProtocolDataProvider } from "../../../interfaces/external/aave-v3/IAaveProtocolDataProvider.sol";
import { ISetToken } from "../../../interfaces/ISetToken.sol";
import { IVariableDebtToken } from "../../../interfaces/external/aave-v2/IVariableDebtToken.sol";
import { ModuleBase } from "../../lib/ModuleBase.sol";

/**
 * @title AaveV3LeverageModule
 * @author Set Protocol / Index Coop
 * @notice Smart contract that enables leverage trading using AaveV3 as the lending protocol.
 * @dev This contract is largely equivalent to AaveLeverageModule with minor adjustments to the changed interface of the address provider and adding
 * integration of EMode
 */
contract AaveV3LeverageModule is ModuleBase, ReentrancyGuard, Ownable, IModuleIssuanceHook {
    using AaveV3 for ISetToken;

    /* ============ Structs ============ */

    struct EnabledAssets {
        address[] collateralAssets;             // Array of enabled underlying collateral assets for a SetToken
        address[] borrowAssets;                 // Array of enabled underlying borrow assets for a SetToken
    }

    struct ActionInfo {
        ISetToken setToken;                      // SetToken instance
        // NOTE: As the type suggests this refers to the "Pool" smart contract on aaveV3, however keeping this name as is to avoid breaking changes to the interface
        IPool lendingPool;                       // Pool instance, we grab this everytime since it's best practice not to store
        IExchangeAdapter exchangeAdapter;        // Exchange adapter instance
        uint256 setTotalSupply;                  // Total supply of SetToken
        uint256 notionalSendQuantity;            // Total notional quantity sent to exchange
        uint256 minNotionalReceiveQuantity;      // Min total notional received from exchange
        IERC20 collateralAsset;                  // Address of collateral asset
        IERC20 borrowAsset;                      // Address of borrow asset
        uint256 preTradeReceiveTokenBalance;     // Balance of pre-trade receive token balance
    }

    struct ReserveTokens {
        IAToken aToken;                         // Reserve's aToken instance
        IVariableDebtToken variableDebtToken;   // Reserve's variable debt token instance
    }

    /* ============ Events ============ */

    /**
     * @dev Emitted on lever()
     * @param _setToken             Instance of the SetToken being levered
     * @param _borrowAsset          Asset being borrowed for leverage
     * @param _collateralAsset      Collateral asset being levered
     * @param _exchangeAdapter      Exchange adapter used for trading
     * @param _totalBorrowAmount    Total amount of `_borrowAsset` borrowed
     * @param _totalReceiveAmount   Total amount of `_collateralAsset` received by selling `_borrowAsset`
     * @param _protocolFee          Protocol fee charged
     */
    event LeverageIncreased(
        ISetToken indexed _setToken,
        IERC20 indexed _borrowAsset,
        IERC20 indexed _collateralAsset,
        IExchangeAdapter _exchangeAdapter,
        uint256 _totalBorrowAmount,
        uint256 _totalReceiveAmount,
        uint256 _protocolFee
    );

    /**
     * @dev Emitted on delever() and deleverToZeroBorrowBalance()
     * @param _setToken             Instance of the SetToken being delevered
     * @param _collateralAsset      Asset sold to decrease leverage
     * @param _repayAsset           Asset being bought to repay to Aave
     * @param _exchangeAdapter      Exchange adapter used for trading
     * @param _totalRedeemAmount    Total amount of `_collateralAsset` being sold
     * @param _totalRepayAmount     Total amount of `_repayAsset` being repaid
     * @param _protocolFee          Protocol fee charged
     */
    event LeverageDecreased(
        ISetToken indexed _setToken,
        IERC20 indexed _collateralAsset,
        IERC20 indexed _repayAsset,
        IExchangeAdapter _exchangeAdapter,
        uint256 _totalRedeemAmount,
        uint256 _totalRepayAmount,
        uint256 _protocolFee
    );

    /**
     * @dev Emitted on addCollateralAssets() and removeCollateralAssets()
     * @param _setToken Instance of SetToken whose collateral assets is updated
     * @param _added    true if assets are added false if removed
     * @param _assets   Array of collateral assets being added/removed
     */
    event CollateralAssetsUpdated(
        ISetToken indexed _setToken,
        bool indexed _added,
        IERC20[] _assets
    );

    /**
     * @dev Emitted on addBorrowAssets() and removeBorrowAssets()
     * @param _setToken Instance of SetToken whose borrow assets is updated
     * @param _added    true if assets are added false if removed
     * @param _assets   Array of borrow assets being added/removed
     */
    event BorrowAssetsUpdated(
        ISetToken indexed _setToken,
        bool indexed _added,
        IERC20[] _assets
    );

    /**
     * @dev Emitted when `underlyingToReserveTokensMappings` is updated
     * @param _underlying           Address of the underlying asset
     * @param _aToken               Updated aave reserve aToken
     * @param _variableDebtToken    Updated aave reserve variable debt token
     */
    event ReserveTokensUpdated(
        IERC20 indexed _underlying,
        IAToken indexed _aToken,
        IVariableDebtToken indexed _variableDebtToken
    );

    /**
     * @dev Emitted on updateAllowedSetToken()
     * @param _setToken SetToken being whose allowance to initialize this module is being updated
     * @param _added    true if added false if removed
     */
    event SetTokenStatusUpdated(
        ISetToken indexed _setToken,
        bool indexed _added
    );

    /**
     * @dev Emitted on updateAnySetAllowed()
     * @param _anySetAllowed    true if any set is allowed to initialize this module, false otherwise
     */
    event AnySetAllowedUpdated(
        bool indexed _anySetAllowed
    );

    /* ============ Constants ============ */

    // This module only supports borrowing in variable rate mode from Aave which is represented by 2
    uint256 constant internal BORROW_RATE_MODE = 2;

    // String identifying the DebtIssuanceModule in the IntegrationRegistry. Note: Governance must add DefaultIssuanceModule as
    // the string as the integration name
    string constant internal DEFAULT_ISSUANCE_MODULE_NAME = "DefaultIssuanceModule";

    // 0 index stores protocol fee % on the controller, charged in the _executeTrade function
    uint256 constant internal PROTOCOL_TRADE_FEE_INDEX = 0;

    /* ============ State Variables ============ */

    // Mapping to efficiently fetch reserve token addresses. Tracking Aave reserve token addresses and updating them
    // upon requirement is more efficient than fetching them each time from Aave.
    // Note: For an underlying asset to be enabled as collateral/borrow asset on SetToken, it must be added to this mapping first.
    mapping(IERC20 => ReserveTokens) public underlyingToReserveTokens;

    // Used to fetch reserves and user data from AaveV3
    IAaveProtocolDataProvider public immutable protocolDataProvider;

    // NOTE: As the type suggests this refers to the "PoolAddressProvider" smart contract on aaveV3, however keeping this name as is to avoid breaking changes to the interface
    // Used to fetch lendingPool address. This contract is immutable and its address will never change.
    IPoolAddressesProvider public immutable lendingPoolAddressesProvider;

    // Mapping to efficiently check if collateral asset is enabled in SetToken
    mapping(ISetToken => mapping(IERC20 => bool)) public collateralAssetEnabled;

    // Mapping to efficiently check if a borrow asset is enabled in SetToken
    mapping(ISetToken => mapping(IERC20 => bool)) public borrowAssetEnabled;

    // Internal mapping of enabled collateral and borrow tokens for syncing positions
    mapping(ISetToken => EnabledAssets) internal enabledAssets;

    // Mapping of SetToken to boolean indicating if SetToken is on allow list. Updateable by governance
    mapping(ISetToken => bool) public allowedSetTokens;

    // Boolean that returns if any SetToken can initialize this module. If false, then subject to allow list. Updateable by governance.
    bool public anySetAllowed;

    /* ============ Constructor ============ */

    /**
     * @dev Instantiate addresses. Underlying to reserve tokens mapping is created.
     * @param _controller                       Address of controller contract
     * @param _poolAddressesProvider            Address of AaveV3 PoolAddressProvider
     */
    constructor(
        IController _controller,
        IPoolAddressesProvider _poolAddressesProvider
    )
        public
        ModuleBase(_controller)
    {
        lendingPoolAddressesProvider = _poolAddressesProvider;
        IAaveProtocolDataProvider _protocolDataProvider = IAaveProtocolDataProvider(
            // Use the raw input vs bytes32() conversion. This is to ensure the input is an uint and not a string.
            _poolAddressesProvider.getPoolDataProvider()
        );
        protocolDataProvider = _protocolDataProvider;

        IAaveProtocolDataProvider.TokenData[] memory reserveTokens = _protocolDataProvider.getAllReservesTokens();
        for(uint256 i = 0; i < reserveTokens.length; i++) {
            (address aToken, , address variableDebtToken) = _protocolDataProvider.getReserveTokensAddresses(reserveTokens[i].tokenAddress);
            underlyingToReserveTokens[IERC20(reserveTokens[i].tokenAddress)] = ReserveTokens(IAToken(aToken), IVariableDebtToken(variableDebtToken));
        }
    }

    /* ============ External Functions ============ */

    /**
     * @dev MANAGER ONLY: Increases leverage for a given collateral position using an enabled borrow asset.
     * Borrows _borrowAsset from Aave. Performs a DEX trade, exchanging the _borrowAsset for _collateralAsset.
     * Supplies _collateralAsset to Aave and mints corresponding aToken.
     * Note: Both collateral and borrow assets need to be enabled, and they must not be the same asset.
     * @param _setToken                     Instance of the SetToken
     * @param _borrowAsset                  Address of underlying asset being borrowed for leverage
     * @param _collateralAsset              Address of underlying collateral asset
     * @param _borrowQuantityUnits          Borrow quantity of asset in position units
     * @param _minReceiveQuantityUnits      Min receive quantity of collateral asset to receive post-trade in position units
     * @param _tradeAdapterName             Name of trade adapter
     * @param _tradeData                    Arbitrary data for trade
     */
    function lever(
        ISetToken _setToken,
        IERC20 _borrowAsset,
        IERC20 _collateralAsset,
        uint256 _borrowQuantityUnits,
        uint256 _minReceiveQuantityUnits,
        string memory _tradeAdapterName,
        bytes memory _tradeData
    )
        external
        nonReentrant
        onlyManagerAndValidSet(_setToken)
    {
        // For levering up, send quantity is derived from borrow asset and receive quantity is derived from
        // collateral asset
        ActionInfo memory leverInfo = _createAndValidateActionInfo(
            _setToken,
            _borrowAsset,
            _collateralAsset,
            _borrowQuantityUnits,
            _minReceiveQuantityUnits,
            _tradeAdapterName,
            true
        );

        _borrow(leverInfo.setToken, leverInfo.lendingPool, leverInfo.borrowAsset, leverInfo.notionalSendQuantity);

        uint256 postTradeReceiveQuantity = _executeTrade(leverInfo, _borrowAsset, _collateralAsset, _tradeData);

        uint256 protocolFee = _accrueProtocolFee(_setToken, _collateralAsset, postTradeReceiveQuantity);

        uint256 postTradeCollateralQuantity = postTradeReceiveQuantity.sub(protocolFee);

        _supply(leverInfo.setToken, leverInfo.lendingPool, _collateralAsset, postTradeCollateralQuantity);

        _updateLeverPositions(leverInfo, _borrowAsset);

        emit LeverageIncreased(
            _setToken,
            _borrowAsset,
            _collateralAsset,
            leverInfo.exchangeAdapter,
            leverInfo.notionalSendQuantity,
            postTradeCollateralQuantity,
            protocolFee
        );
    }

    /**
     * @dev MANAGER ONLY: Decrease leverage for a given collateral position using an enabled borrow asset.
     * Withdraws _collateralAsset from Aave. Performs a DEX trade, exchanging the _collateralAsset for _repayAsset.
     * Repays _repayAsset to Aave and burns corresponding debt tokens.
     * Note: Both collateral and borrow assets need to be enabled, and they must not be the same asset.
     * @param _setToken                 Instance of the SetToken
     * @param _collateralAsset          Address of underlying collateral asset being withdrawn
     * @param _repayAsset               Address of underlying borrowed asset being repaid
     * @param _redeemQuantityUnits      Quantity of collateral asset to delever in position units
     * @param _minRepayQuantityUnits    Minimum amount of repay asset to receive post trade in position units
     * @param _tradeAdapterName         Name of trade adapter
     * @param _tradeData                Arbitrary data for trade
     */
    function delever(
        ISetToken _setToken,
        IERC20 _collateralAsset,
        IERC20 _repayAsset,
        uint256 _redeemQuantityUnits,
        uint256 _minRepayQuantityUnits,
        string memory _tradeAdapterName,
        bytes memory _tradeData
    )
        external
        nonReentrant
        onlyManagerAndValidSet(_setToken)
    {
        // Note: for delevering, send quantity is derived from collateral asset and receive quantity is derived from
        // repay asset
        ActionInfo memory deleverInfo = _createAndValidateActionInfo(
            _setToken,
            _collateralAsset,
            _repayAsset,
            _redeemQuantityUnits,
            _minRepayQuantityUnits,
            _tradeAdapterName,
            false
        );

        _withdraw(deleverInfo.setToken, deleverInfo.lendingPool, _collateralAsset, deleverInfo.notionalSendQuantity);

        uint256 postTradeReceiveQuantity = _executeTrade(deleverInfo, _collateralAsset, _repayAsset, _tradeData);

        uint256 protocolFee = _accrueProtocolFee(_setToken, _repayAsset, postTradeReceiveQuantity);

        uint256 repayQuantity = postTradeReceiveQuantity.sub(protocolFee);

        _repayBorrow(deleverInfo.setToken, deleverInfo.lendingPool, _repayAsset, repayQuantity);

        _updateDeleverPositions(deleverInfo, _repayAsset);

        emit LeverageDecreased(
            _setToken,
            _collateralAsset,
            _repayAsset,
            deleverInfo.exchangeAdapter,
            deleverInfo.notionalSendQuantity,
            repayQuantity,
            protocolFee
        );
    }

    /** @dev MANAGER ONLY: Pays down the borrow asset to 0 selling off a given amount of collateral asset.
     * Withdraws _collateralAsset from Aave. Performs a DEX trade, exchanging the _collateralAsset for _repayAsset.
     * Minimum receive amount for the DEX trade is set to the current variable debt balance of the borrow asset.
     * Repays received _repayAsset to Aave which burns corresponding debt tokens. Any extra received borrow asset is .
     * updated as equity. No protocol fee is charged.
     * Note: Both collateral and borrow assets need to be enabled, and they must not be the same asset.
     * The function reverts if not enough collateral asset is redeemed to buy the required minimum amount of _repayAsset.
     * @param _setToken             Instance of the SetToken
     * @param _collateralAsset      Address of underlying collateral asset being redeemed
     * @param _repayAsset           Address of underlying asset being repaid
     * @param _redeemQuantityUnits  Quantity of collateral asset to delever in position units
     * @param _tradeAdapterName     Name of trade adapter
     * @param _tradeData            Arbitrary data for trade
     * @return uint256              Notional repay quantity
     */
    function deleverToZeroBorrowBalance(
        ISetToken _setToken,
        IERC20 _collateralAsset,
        IERC20 _repayAsset,
        uint256 _redeemQuantityUnits,
        string memory _tradeAdapterName,
        bytes memory _tradeData
    )
        external
        nonReentrant
        onlyManagerAndValidSet(_setToken)
        returns (uint256)
    {
        uint256 setTotalSupply = _setToken.totalSupply();
        uint256 notionalRedeemQuantity = _redeemQuantityUnits.preciseMul(setTotalSupply);

        require(borrowAssetEnabled[_setToken][_repayAsset], "BNE");
        uint256 notionalRepayQuantity = underlyingToReserveTokens[_repayAsset].variableDebtToken.balanceOf(address(_setToken));
        require(notionalRepayQuantity > 0, "BBZ");

        ActionInfo memory deleverInfo = _createAndValidateActionInfoNotional(
            _setToken,
            _collateralAsset,
            _repayAsset,
            notionalRedeemQuantity,
            notionalRepayQuantity,
            _tradeAdapterName,
            false,
            setTotalSupply
        );

        _withdraw(deleverInfo.setToken, deleverInfo.lendingPool, _collateralAsset, deleverInfo.notionalSendQuantity);

        _executeTrade(deleverInfo, _collateralAsset, _repayAsset, _tradeData);

        _repayBorrow(deleverInfo.setToken, deleverInfo.lendingPool, _repayAsset, notionalRepayQuantity);

        _updateDeleverPositions(deleverInfo, _repayAsset);

        emit LeverageDecreased(
            _setToken,
            _collateralAsset,
            _repayAsset,
            deleverInfo.exchangeAdapter,
            deleverInfo.notionalSendQuantity,
            notionalRepayQuantity,
            0   // No protocol fee
        );

        return notionalRepayQuantity;
    }

    /**
     * @dev CALLABLE BY ANYBODY: Sync Set positions with ALL enabled Aave collateral and borrow positions.
     * For collateral assets, update aToken default position. For borrow assets, update external borrow position.
     * - Collateral assets may come out of sync when interest is accrued or a position is liquidated
     * - Borrow assets may come out of sync when interest is accrued or position is liquidated and borrow is repaid
     * Note: In Aave, both collateral and borrow interest is accrued in each block by increasing the balance of
     * aTokens and debtTokens for each user, and 1 aToken = 1 variableDebtToken = 1 underlying.
     * @param _setToken               Instance of the SetToken
     */
    function sync(ISetToken _setToken) public nonReentrant onlyValidAndInitializedSet(_setToken) {
        uint256 setTotalSupply = _setToken.totalSupply();

        // Only sync positions when Set supply is not 0. Without this check, if sync is called by someone before the
        // first issuance, then editDefaultPosition would remove the default positions from the SetToken
        if (setTotalSupply > 0) {
            address[] memory collateralAssets = enabledAssets[_setToken].collateralAssets;
            for(uint256 i = 0; i < collateralAssets.length; i++) {
                IAToken aToken = underlyingToReserveTokens[IERC20(collateralAssets[i])].aToken;

                uint256 previousPositionUnit = _setToken.getDefaultPositionRealUnit(address(aToken)).toUint256();
                uint256 newPositionUnit = _getCollateralPosition(_setToken, aToken, setTotalSupply);

                // Note: Accounts for if position does not exist on SetToken but is tracked in enabledAssets
                if (previousPositionUnit != newPositionUnit) {
                  _updateCollateralPosition(_setToken, aToken, newPositionUnit);
                }
            }

            address[] memory borrowAssets = enabledAssets[_setToken].borrowAssets;
            for(uint256 i = 0; i < borrowAssets.length; i++) {
                IERC20 borrowAsset = IERC20(borrowAssets[i]);

                int256 previousPositionUnit = _setToken.getExternalPositionRealUnit(address(borrowAsset), address(this));
                int256 newPositionUnit = _getBorrowPosition(_setToken, borrowAsset, setTotalSupply);

                // Note: Accounts for if position does not exist on SetToken but is tracked in enabledAssets
                if (newPositionUnit != previousPositionUnit) {
                    _updateBorrowPosition(_setToken, borrowAsset, newPositionUnit);
                }
            }
        }
    }

    /**
     * @dev MANAGER ONLY: Initializes this module to the SetToken. Either the SetToken needs to be on the allowed list
     * or anySetAllowed needs to be true. Only callable by the SetToken's manager.
     * Note: Managers can enable collateral and borrow assets that don't exist as positions on the SetToken
     * @param _setToken             Instance of the SetToken to initialize
     * @param _collateralAssets     Underlying tokens to be enabled as collateral in the SetToken
     * @param _borrowAssets         Underlying tokens to be enabled as borrow in the SetToken
     */
    function initialize(
        ISetToken _setToken,
        IERC20[] memory _collateralAssets,
        IERC20[] memory _borrowAssets
    )
        external
        onlySetManager(_setToken, msg.sender)
        onlyValidAndPendingSet(_setToken)
    {
        if (!anySetAllowed) {
            require(allowedSetTokens[_setToken], "NAS");
        }

        // Initialize module before trying register
        _setToken.initializeModule();

        // Get debt issuance module registered to this module and require that it is initialized
        require(_setToken.isInitializedModule(getAndValidateAdapter(DEFAULT_ISSUANCE_MODULE_NAME)), "INI");

        // Try if register exists on any of the modules including the debt issuance module
        address[] memory modules = _setToken.getModules();
        for(uint256 i = 0; i < modules.length; i++) {
            try IDebtIssuanceModule(modules[i]).registerToIssuanceModule(_setToken) {} catch {}
        }

        // _collateralAssets and _borrowAssets arrays are validated in their respective internal functions
        _addCollateralAssets(_setToken, _collateralAssets);
        _addBorrowAssets(_setToken, _borrowAssets);
    }

    /**
     * @dev MANAGER ONLY: Removes this module from the SetToken, via call by the SetToken. Any supplied collateral assets
     * are disabled to be used as collateral on Aave. Aave Settings and manager enabled assets state is deleted.
     * Note: Function will revert is there is any debt remaining on Aave
     */
    function removeModule() external override onlyValidAndInitializedSet(ISetToken(msg.sender)) {
        ISetToken setToken = ISetToken(msg.sender);

        // Sync Aave and SetToken positions prior to any removal action
        sync(setToken);

        address[] memory borrowAssets = enabledAssets[setToken].borrowAssets;
        for(uint256 i = 0; i < borrowAssets.length; i++) {
            IERC20 borrowAsset = IERC20(borrowAssets[i]);
            require(underlyingToReserveTokens[borrowAsset].variableDebtToken.balanceOf(address(setToken)) == 0, "VDR");

            delete borrowAssetEnabled[setToken][borrowAsset];
        }

        address[] memory collateralAssets = enabledAssets[setToken].collateralAssets;
        for(uint256 i = 0; i < collateralAssets.length; i++) {
            IERC20 collateralAsset = IERC20(collateralAssets[i]);
            _updateUseReserveAsCollateral(setToken, collateralAsset, false);

            delete collateralAssetEnabled[setToken][collateralAsset];
        }

        delete enabledAssets[setToken];

        // Try if unregister exists on any of the modules
        address[] memory modules = setToken.getModules();
        for(uint256 i = 0; i < modules.length; i++) {
            try IDebtIssuanceModule(modules[i]).unregisterFromIssuanceModule(setToken) {} catch {}
        }
    }

    /**
     * @dev MANAGER ONLY: Add registration of this module on the debt issuance module for the SetToken.
     * Note: if the debt issuance module is not added to SetToken before this module is initialized, then this function
     * needs to be called if the debt issuance module is later added and initialized to prevent state inconsistencies
     * @param _setToken             Instance of the SetToken
     * @param _debtIssuanceModule   Debt issuance module address to register
     */
    function registerToModule(ISetToken _setToken, IDebtIssuanceModule _debtIssuanceModule) external onlyManagerAndValidSet(_setToken) {
        require(_setToken.isInitializedModule(address(_debtIssuanceModule)), "INI");

        _debtIssuanceModule.registerToIssuanceModule(_setToken);
    }

    /**
     * @dev MANAGER ONLY: Set EMode category allowing the SetToken to take advantage of better liquidation parameters on Aave, 
     * thereby reducing the risk of liquidation for a given leverage ratio.
     * When EMode is activated the user (the set token) can only borrow assets from 
     * the same category. (i.e. "eth like" assets or "stablecoins").
     * See: https://docs.aave.com/faq/aave-v3-features#high-efficiency-mode-e-mode
     * @param _categoryId             CategoryId of the chosen EMode
     */
    function setEModeCategory(ISetToken _setToken, uint8 _categoryId) external onlyManagerAndValidSet(_setToken) {
        _setToken.invokeSetUserEMode(IPool(lendingPoolAddressesProvider.getPool()), _categoryId);
    }


    /**
     * @dev CALLABLE BY ANYBODY: Updates `underlyingToReserveTokens` mappings. Reverts if mapping already exists
     * or the passed _underlying asset does not have a valid reserve on Aave.
     * Note: Call this function when Aave adds a new reserve.
     * @param _underlying               Address of underlying asset
     */
    function addUnderlyingToReserveTokensMapping(IERC20 _underlying) external {
        require(address(underlyingToReserveTokens[_underlying].aToken) == address(0), "MAE");

        // An active reserve is an alias for a valid reserve on Aave.
        (,,,,,,,, bool isActive,) = protocolDataProvider.getReserveConfigurationData(address(_underlying));
        require(isActive, "IAE");

        _addUnderlyingToReserveTokensMapping(_underlying);
    }

    /**
     * @dev MANAGER ONLY: Add collateral assets. aTokens corresponding to collateral assets are tracked for syncing positions.
     * Note: Reverts with "Collateral already enabled" if there are duplicate assets in the passed _newCollateralAssets array.
     *
     * NOTE: ALL ADDED COLLATERAL ASSETS CAN BE ADDED AS A POSITION ON THE SET TOKEN WITHOUT MANAGER'S EXPLICIT PERMISSION.
     * UNWANTED EXTRA POSITIONS CAN BREAK EXTERNAL LOGIC, INCREASE COST OF MINT/REDEEM OF SET TOKEN, AMONG OTHER POTENTIAL UNINTENDED CONSEQUENCES.
     * SO, PLEASE ADD ONLY THOSE COLLATERAL ASSETS WHOSE CORRESPONDING aTOKENS ARE NEEDED AS DEFAULT POSITIONS ON THE SET TOKEN.
     *
     * @param _setToken             Instance of the SetToken
     * @param _newCollateralAssets  Addresses of new collateral underlying assets
     */
    function addCollateralAssets(ISetToken _setToken, IERC20[] memory _newCollateralAssets) external onlyManagerAndValidSet(_setToken) {
        _addCollateralAssets(_setToken, _newCollateralAssets);
    }

    /**
     * @dev MANAGER ONLY: Remove collateral assets. Disable supplied assets to be used as collateral on Aave market.
     * @param _setToken             Instance of the SetToken
     * @param _collateralAssets     Addresses of collateral underlying assets to remove
     */
    function removeCollateralAssets(ISetToken _setToken, IERC20[] memory _collateralAssets) external onlyManagerAndValidSet(_setToken) {

        for(uint256 i = 0; i < _collateralAssets.length; i++) {
            IERC20 collateralAsset = _collateralAssets[i];
            require(collateralAssetEnabled[_setToken][collateralAsset], "CNE");

            _updateUseReserveAsCollateral(_setToken, collateralAsset, false);

            delete collateralAssetEnabled[_setToken][collateralAsset];
            enabledAssets[_setToken].collateralAssets.removeStorage(address(collateralAsset));
        }
        emit CollateralAssetsUpdated(_setToken, false, _collateralAssets);
    }

    /**
     * @dev MANAGER ONLY: Add borrow assets. Debt tokens corresponding to borrow assets are tracked for syncing positions.
     * Note: Reverts with "Borrow already enabled" if there are duplicate assets in the passed _newBorrowAssets array.
     * @param _setToken             Instance of the SetToken
     * @param _newBorrowAssets      Addresses of borrow underlying assets to add
     */
    function addBorrowAssets(ISetToken _setToken, IERC20[] memory _newBorrowAssets) external onlyManagerAndValidSet(_setToken) {
        _addBorrowAssets(_setToken, _newBorrowAssets);
    }

    /**
     * @dev MANAGER ONLY: Remove borrow assets.
     * Note: If there is a borrow balance, borrow asset cannot be removed
     * @param _setToken             Instance of the SetToken
     * @param _borrowAssets         Addresses of borrow underlying assets to remove
     */
    function removeBorrowAssets(ISetToken _setToken, IERC20[] memory _borrowAssets) external onlyManagerAndValidSet(_setToken) {

        for(uint256 i = 0; i < _borrowAssets.length; i++) {
            IERC20 borrowAsset = _borrowAssets[i];

            require(borrowAssetEnabled[_setToken][borrowAsset], "BNE");
            require(underlyingToReserveTokens[borrowAsset].variableDebtToken.balanceOf(address(_setToken)) == 0, "VDR");

            delete borrowAssetEnabled[_setToken][borrowAsset];
            enabledAssets[_setToken].borrowAssets.removeStorage(address(borrowAsset));
        }
        emit BorrowAssetsUpdated(_setToken, false, _borrowAssets);
    }

    /**
     * @dev GOVERNANCE ONLY: Enable/disable ability of a SetToken to initialize this module. Only callable by governance.
     * @param _setToken             Instance of the SetToken
     * @param _status               Bool indicating if _setToken is allowed to initialize this module
     */
    function updateAllowedSetToken(ISetToken _setToken, bool _status) external onlyOwner {
        require(controller.isSet(address(_setToken)) || allowedSetTokens[_setToken], "IST");
        allowedSetTokens[_setToken] = _status;
        emit SetTokenStatusUpdated(_setToken, _status);
    }

    /**
     * @dev GOVERNANCE ONLY: Toggle whether ANY SetToken is allowed to initialize this module. Only callable by governance.
     * @param _anySetAllowed             Bool indicating if ANY SetToken is allowed to initialize this module
     */
    function updateAnySetAllowed(bool _anySetAllowed) external onlyOwner {
        anySetAllowed = _anySetAllowed;
        emit AnySetAllowedUpdated(_anySetAllowed);
    }

    /**
     * @dev MODULE ONLY: Hook called prior to issuance to sync positions on SetToken. Only callable by valid module.
     * @param _setToken             Instance of the SetToken
     */
    function moduleIssueHook(ISetToken _setToken, uint256 /* _setTokenQuantity */) external override onlyModule(_setToken) {
        sync(_setToken);
    }

    /**
     * @dev MODULE ONLY: Hook called prior to redemption to sync positions on SetToken. For redemption, always use current borrowed
     * balance after interest accrual. Only callable by valid module.
     * @param _setToken             Instance of the SetToken
     */
    function moduleRedeemHook(ISetToken _setToken, uint256 /* _setTokenQuantity */) external override onlyModule(_setToken) {
        sync(_setToken);
    }

    /**
     * @dev MODULE ONLY: Hook called prior to looping through each component on issuance. Invokes borrow in order for
     * module to return debt to issuer. Only callable by valid module.
     * @param _setToken             Instance of the SetToken
     * @param _setTokenQuantity     Quantity of SetToken
     * @param _component            Address of component
     */
    function componentIssueHook(ISetToken _setToken, uint256 _setTokenQuantity, IERC20 _component, bool _isEquity) external override onlyModule(_setToken) {
        // Check hook not being called for an equity position. If hook is called with equity position and outstanding borrow position
        // exists the loan would be taken out twice potentially leading to liquidation
        if (!_isEquity) {
            int256 componentDebt = _setToken.getExternalPositionRealUnit(address(_component), address(this));

            require(componentDebt < 0, "CMBN");

            uint256 notionalDebt = componentDebt.mul(-1).toUint256().preciseMul(_setTokenQuantity);
            _borrowForHook(_setToken, _component, notionalDebt);
        }
    }

    /**
     * @dev MODULE ONLY: Hook called prior to looping through each component on redemption. Invokes repay after
     * the issuance module transfers debt from the issuer. Only callable by valid module.
     * @param _setToken             Instance of the SetToken
     * @param _setTokenQuantity     Quantity of SetToken
     * @param _component            Address of component
     */
    function componentRedeemHook(ISetToken _setToken, uint256 _setTokenQuantity, IERC20 _component, bool _isEquity) external override onlyModule(_setToken) {
        // Check hook not being called for an equity position. If hook is called with equity position and outstanding borrow position
        // exists the loan would be paid down twice, decollateralizing the Set
        if (!_isEquity) {
            int256 componentDebt = _setToken.getExternalPositionRealUnit(address(_component), address(this));

            require(componentDebt < 0, "CMBN");

            uint256 notionalDebt = componentDebt.mul(-1).toUint256().preciseMulCeil(_setTokenQuantity);
            _repayBorrowForHook(_setToken, _component, notionalDebt);
        }
    }

    /* ============ External Getter Functions ============ */

    /**
     * @dev Get enabled assets for SetToken. Returns an array of collateral and borrow assets.
     * @return Underlying collateral assets that are enabled
     * @return Underlying borrowed assets that are enabled
     */
    function getEnabledAssets(ISetToken _setToken) external view returns(address[] memory, address[] memory) {
        return (
            enabledAssets[_setToken].collateralAssets,
            enabledAssets[_setToken].borrowAssets
        );
    }

    /* ============ Internal Functions ============ */

    /**
     * @dev Invoke supply from SetToken using AaveV3 library. Mints aTokens for SetToken.
     */
    function _supply(ISetToken _setToken, IPool _lendingPool, IERC20 _asset, uint256 _notionalQuantity) internal {
        _invokeApproveWithReset(_setToken, _asset, address(_lendingPool), _notionalQuantity);
        _setToken.invokeSupply(_lendingPool, address(_asset), _notionalQuantity);
    }

    /**
     * @dev Invoke withdraw from SetToken using AaveV3 library. Burns aTokens and returns underlying to SetToken.
     */
    function _withdraw(ISetToken _setToken, IPool _lendingPool, IERC20 _asset, uint256 _notionalQuantity) internal {
        _setToken.invokeWithdraw(_lendingPool, address(_asset), _notionalQuantity);
    }

    /**
     * @dev Invoke repay from SetToken using AaveV3 library. Burns DebtTokens for SetToken.
     */
    function _repayBorrow(ISetToken _setToken, IPool _lendingPool, IERC20 _asset, uint256 _notionalQuantity) internal {
        _invokeApproveWithReset(_setToken, _asset, address(_lendingPool), _notionalQuantity);
        _setToken.invokeRepay(_lendingPool, address(_asset), _notionalQuantity, BORROW_RATE_MODE);
    }

    /**
     * @dev Invoke borrow from the SetToken during issuance hook. Since we only need to interact with AAVE once we fetch the
     * lending pool in this function to optimize vs forcing a fetch twice during lever/delever.
     */
    function _repayBorrowForHook(ISetToken _setToken, IERC20 _asset, uint256 _notionalQuantity) internal {
        _repayBorrow(_setToken, IPool(lendingPoolAddressesProvider.getPool()), _asset, _notionalQuantity);
    }

    /**
     * @dev Invoke borrow from the SetToken using AaveV3 library. Mints DebtTokens for SetToken.
     */
    function _borrow(ISetToken _setToken, IPool _lendingPool, IERC20 _asset, uint256 _notionalQuantity) internal {
        _setToken.invokeBorrow(_lendingPool, address(_asset), _notionalQuantity, BORROW_RATE_MODE);
    }

    /**
     * @dev Invoke borrow from the SetToken during issuance hook. Since we only need to interact with AAVE once we fetch the
     * lending pool in this function to optimize vs forcing a fetch twice during lever/delever.
     */
    function _borrowForHook(ISetToken _setToken, IERC20 _asset, uint256 _notionalQuantity) internal {
        _borrow(_setToken, IPool(lendingPoolAddressesProvider.getPool()), _asset, _notionalQuantity);
    }

    /**
     * @dev Invokes approvals, gets trade call data from exchange adapter and invokes trade from SetToken
     * @return uint256     The quantity of tokens received post-trade
     */
    function _executeTrade(
        ActionInfo memory _actionInfo,
        IERC20 _sendToken,
        IERC20 _receiveToken,
        bytes memory _data
    )
        internal
        returns (uint256)
    {
        ISetToken setToken = _actionInfo.setToken;
        uint256 notionalSendQuantity = _actionInfo.notionalSendQuantity;

        _invokeApproveWithReset(
            setToken,
            _sendToken,
            _actionInfo.exchangeAdapter.getSpender(),
            notionalSendQuantity
        );

        (
            address targetExchange,
            uint256 callValue,
            bytes memory methodData
        ) = _actionInfo.exchangeAdapter.getTradeCalldata(
            address(_sendToken),
            address(_receiveToken),
            address(setToken),
            notionalSendQuantity,
            _actionInfo.minNotionalReceiveQuantity,
            _data
        );

        setToken.invoke(targetExchange, callValue, methodData);

        uint256 receiveTokenQuantity = _receiveToken.balanceOf(address(setToken)).sub(_actionInfo.preTradeReceiveTokenBalance);
        require(
            receiveTokenQuantity >= _actionInfo.minNotionalReceiveQuantity,
            "STH"
        );

        return receiveTokenQuantity;
    }

    /**
     * @dev Calculates protocol fee on module and pays protocol fee from SetToken
     * @return uint256          Total protocol fee paid
     */
    function _accrueProtocolFee(ISetToken _setToken, IERC20 _receiveToken, uint256 _exchangedQuantity) internal returns(uint256) {
        uint256 protocolFeeTotal = getModuleFee(PROTOCOL_TRADE_FEE_INDEX, _exchangedQuantity);

        payProtocolFeeFromSetToken(_setToken, address(_receiveToken), protocolFeeTotal);

        return protocolFeeTotal;
    }

    /**
     * @dev Updates the collateral (aToken held) and borrow position (variableDebtToken held) of the SetToken
     */
    function _updateLeverPositions(ActionInfo memory _actionInfo, IERC20 _borrowAsset) internal {
        IAToken aToken = underlyingToReserveTokens[_actionInfo.collateralAsset].aToken;
        _updateCollateralPosition(
            _actionInfo.setToken,
            aToken,
            _getCollateralPosition(
                _actionInfo.setToken,
                aToken,
                _actionInfo.setTotalSupply
            )
        );

        _updateBorrowPosition(
            _actionInfo.setToken,
            _borrowAsset,
            _getBorrowPosition(
                _actionInfo.setToken,
                _borrowAsset,
                _actionInfo.setTotalSupply
            )
        );
    }

    /**
     * @dev Updates positions as per _updateLeverPositions and updates Default position for borrow asset in case Set is
     * delevered all the way to zero any remaining borrow asset after the debt is paid can be added as a position.
     */
    function _updateDeleverPositions(ActionInfo memory _actionInfo, IERC20 _repayAsset) internal {
        // if amount of tokens traded for exceeds debt, update default position first to save gas on editing borrow position
        uint256 repayAssetBalance = _repayAsset.balanceOf(address(_actionInfo.setToken));
        if (repayAssetBalance != _actionInfo.preTradeReceiveTokenBalance) {
            _actionInfo.setToken.calculateAndEditDefaultPosition(
                address(_repayAsset),
                _actionInfo.setTotalSupply,
                _actionInfo.preTradeReceiveTokenBalance
            );
        }

        _updateLeverPositions(_actionInfo, _repayAsset);
    }

    /**
     * @dev Updates default position unit for given aToken on SetToken
     */
    function _updateCollateralPosition(ISetToken _setToken, IAToken _aToken, uint256 _newPositionUnit) internal {
        _setToken.editDefaultPosition(address(_aToken), _newPositionUnit);
    }

    /**
     * @dev Updates external position unit for given borrow asset on SetToken
     */
    function _updateBorrowPosition(ISetToken _setToken, IERC20 _underlyingAsset, int256 _newPositionUnit) internal {
        _setToken.editExternalPosition(address(_underlyingAsset), address(this), _newPositionUnit, "");
    }

    /**
     * @dev Construct the ActionInfo struct for lever and delever
     * @return ActionInfo       Instance of constructed ActionInfo struct
     */
    function _createAndValidateActionInfo(
        ISetToken _setToken,
        IERC20 _sendToken,
        IERC20 _receiveToken,
        uint256 _sendQuantityUnits,
        uint256 _minReceiveQuantityUnits,
        string memory _tradeAdapterName,
        bool _isLever
    )
        internal
        view
        returns(ActionInfo memory)
    {
        uint256 totalSupply = _setToken.totalSupply();

        return _createAndValidateActionInfoNotional(
            _setToken,
            _sendToken,
            _receiveToken,
            _sendQuantityUnits.preciseMul(totalSupply),
            _minReceiveQuantityUnits.preciseMul(totalSupply),
            _tradeAdapterName,
            _isLever,
            totalSupply
        );
    }

    /**
     * @dev Construct the ActionInfo struct for lever and delever accepting notional units
     * @return ActionInfo       Instance of constructed ActionInfo struct
     */
    function _createAndValidateActionInfoNotional(
        ISetToken _setToken,
        IERC20 _sendToken,
        IERC20 _receiveToken,
        uint256 _notionalSendQuantity,
        uint256 _minNotionalReceiveQuantity,
        string memory _tradeAdapterName,
        bool _isLever,
        uint256 _setTotalSupply
    )
        internal
        view
        returns(ActionInfo memory)
    {
        ActionInfo memory actionInfo = ActionInfo ({
            exchangeAdapter: IExchangeAdapter(getAndValidateAdapter(_tradeAdapterName)),
            lendingPool: IPool(lendingPoolAddressesProvider.getPool()),
            setToken: _setToken,
            collateralAsset: _isLever ? _receiveToken : _sendToken,
            borrowAsset: _isLever ? _sendToken : _receiveToken,
            setTotalSupply: _setTotalSupply,
            notionalSendQuantity: _notionalSendQuantity,
            minNotionalReceiveQuantity: _minNotionalReceiveQuantity,
            preTradeReceiveTokenBalance: IERC20(_receiveToken).balanceOf(address(_setToken))
        });

        _validateCommon(actionInfo);

        return actionInfo;
    }

    /**
     * @dev Updates `underlyingToReserveTokens` mappings for given `_underlying` asset. Emits ReserveTokensUpdated event.
     */
    function _addUnderlyingToReserveTokensMapping(IERC20 _underlying) internal {
        (address aToken, , address variableDebtToken) = protocolDataProvider.getReserveTokensAddresses(address(_underlying));
        underlyingToReserveTokens[_underlying].aToken = IAToken(aToken);
        underlyingToReserveTokens[_underlying].variableDebtToken = IVariableDebtToken(variableDebtToken);

        emit ReserveTokensUpdated(_underlying, IAToken(aToken), IVariableDebtToken(variableDebtToken));
    }

    /**
     * @dev Add collateral assets to SetToken. Updates the collateralAssetsEnabled and enabledAssets mappings.
     * Emits CollateralAssetsUpdated event.
     */
    function _addCollateralAssets(ISetToken _setToken, IERC20[] memory _newCollateralAssets) internal {
        for(uint256 i = 0; i < _newCollateralAssets.length; i++) {
            IERC20 collateralAsset = _newCollateralAssets[i];

            _validateNewCollateralAsset(_setToken, collateralAsset);
            _updateUseReserveAsCollateral(_setToken, collateralAsset, true);

            collateralAssetEnabled[_setToken][collateralAsset] = true;
            enabledAssets[_setToken].collateralAssets.push(address(collateralAsset));
        }
        emit CollateralAssetsUpdated(_setToken, true, _newCollateralAssets);
    }

    /**
     * @dev Add borrow assets to SetToken. Updates the borrowAssetsEnabled and enabledAssets mappings.
     * Emits BorrowAssetsUpdated event.
     */
    function _addBorrowAssets(ISetToken _setToken, IERC20[] memory _newBorrowAssets) internal {
        for(uint256 i = 0; i < _newBorrowAssets.length; i++) {
            IERC20 borrowAsset = _newBorrowAssets[i];

            _validateNewBorrowAsset(_setToken, borrowAsset);

            borrowAssetEnabled[_setToken][borrowAsset] = true;
            enabledAssets[_setToken].borrowAssets.push(address(borrowAsset));
        }
        emit BorrowAssetsUpdated(_setToken, true, _newBorrowAssets);
    }

    /**
     * @dev Updates SetToken's ability to use an asset as collateral on Aave
     */
    function _updateUseReserveAsCollateral(ISetToken _setToken, IERC20 _asset, bool _useAsCollateral) internal {
        /*
        Note: Aave ENABLES an asset to be used as collateral by `to` address in an `aToken.transfer(to, amount)` call provided
            1. msg.sender (from address) isn't the same as `to` address
            2. `to` address had zero aToken balance before the transfer
            3. transfer `amount` is greater than 0

        Note: Aave DISABLES an asset to be used as collateral by `msg.sender`in an `aToken.transfer(to, amount)` call provided
            1. msg.sender (from address) isn't the same as `to` address
            2. msg.sender has zero balance after the transfer

        Different states of the SetToken and what this function does in those states:

            Case 1: Manager adds collateral asset to SetToken before first issuance
                - Since aToken.balanceOf(setToken) == 0, we do not call `setToken.invokeUserUseReserveAsCollateral` because Aave
                requires aToken balance to be greater than 0 before enabling/disabling the underlying asset to be used as collateral
                on Aave markets.

            Case 2: First issuance of the SetToken
                - SetToken was initialized with aToken as default position
                - DebtIssuanceModule reads the default position and transfers corresponding aToken from the issuer to the SetToken
                - Aave enables aToken to be used as collateral by the SetToken
                - Manager calls lever() and the aToken is used as collateral to borrow other assets

            Case 3: Manager removes collateral asset from the SetToken
                - Disable asset to be used as collateral on SetToken by calling `setToken.invokeSetUserUseReserveAsCollateral` with
                useAsCollateral equals false
                - Note: If health factor goes below 1 by removing the collateral asset, then Aave reverts on the above call, thus whole
                transaction reverts, and manager can't remove corresponding collateral asset

            Case 4: Manager adds collateral asset after removing it
                - If aToken.balanceOf(setToken) > 0, we call `setToken.invokeUserUseReserveAsCollateral` and the corresponding aToken
                is re-enabled as collateral on Aave

            Case 5: On redemption/delever/liquidated and aToken balance becomes zero
                - Aave disables aToken to be used as collateral by SetToken

        Values of variables in below if condition and corresponding action taken:

        ---------------------------------------------------------------------------------------------------------------------
        | usageAsCollateralEnabled |  _useAsCollateral |   aToken.balanceOf()  |     Action                                 |
        |--------------------------|-------------------|-----------------------|--------------------------------------------|
        |   true                   |   true            |      X                |   Skip invoke. Save gas.                   |
        |--------------------------|-------------------|-----------------------|--------------------------------------------|
        |   true                   |   false           |   greater than 0      |   Invoke and set to false.                 |
        |--------------------------|-------------------|-----------------------|--------------------------------------------|
        |   true                   |   false           |   = 0                 |   Impossible case. Aave disables usage as  |
        |                          |                   |                       |   collateral when aToken balance becomes 0 |
        |--------------------------|-------------------|-----------------------|--------------------------------------------|
        |   false                  |   false           |     X                 |   Skip invoke. Save gas.                   |
        |--------------------------|-------------------|-----------------------|--------------------------------------------|
        |   false                  |   true            |   greater than 0      |   Invoke and set to true.                  |
        |--------------------------|-------------------|-----------------------|--------------------------------------------|
        |   false                  |   true            |   = 0                 |   Don't invoke. Will revert.               |
        ---------------------------------------------------------------------------------------------------------------------
        */
        (,,,,,,,,bool usageAsCollateralEnabled) = protocolDataProvider.getUserReserveData(address(_asset), address(_setToken));
        if (
            usageAsCollateralEnabled != _useAsCollateral
            && underlyingToReserveTokens[_asset].aToken.balanceOf(address(_setToken)) > 0
        ) {
            _setToken.invokeSetUserUseReserveAsCollateral(
                IPool(lendingPoolAddressesProvider.getPool()),
                address(_asset),
                _useAsCollateral
            );
        }
    }

    /**
     * @dev Validate common requirements for lever and delever
     */
    function _validateCommon(ActionInfo memory _actionInfo) internal view {
        require(collateralAssetEnabled[_actionInfo.setToken][_actionInfo.collateralAsset], "CNE");
        require(borrowAssetEnabled[_actionInfo.setToken][_actionInfo.borrowAsset], "BNE");
        require(_actionInfo.collateralAsset != _actionInfo.borrowAsset, "CBE");
        require(_actionInfo.notionalSendQuantity > 0, "ZQ");
    }

    /**
     * @dev Validates if a new asset can be added as collateral asset for given SetToken
     */
    function _validateNewCollateralAsset(ISetToken _setToken, IERC20 _asset) internal view {
        require(!collateralAssetEnabled[_setToken][_asset], "Collateral already enabled");

        (address aToken, , ) = protocolDataProvider.getReserveTokensAddresses(address(_asset));
        require(address(underlyingToReserveTokens[_asset].aToken) == aToken, "Invalid aToken address");

        ( , , , , , bool usageAsCollateralEnabled, , , bool isActive, bool isFrozen) = protocolDataProvider.getReserveConfigurationData(address(_asset));
        // An active reserve is an alias for a valid reserve on Aave.
        // We are checking for the availability of the reserve directly on Aave rather than checking our internal `underlyingToReserveTokens` mappings,
        // because our mappings can be out-of-date if a new reserve is added to Aave
        require(isActive, "IAR");
        // A frozen reserve doesn't allow any new deposit, borrow or rate swap but allows repayments, liquidations and withdrawals
        require(!isFrozen, "FAR");
        require(usageAsCollateralEnabled, "CNE");
    }

    /**
     * @dev Validates if a new asset can be added as borrow asset for given SetToken
     */
    function _validateNewBorrowAsset(ISetToken _setToken, IERC20 _asset) internal view {
        require(!borrowAssetEnabled[_setToken][_asset], "Borrow already enabled");

        ( , , address variableDebtToken) = protocolDataProvider.getReserveTokensAddresses(address(_asset));
        require(address(underlyingToReserveTokens[_asset].variableDebtToken) == variableDebtToken, "Invalid variable debt token address");

        (, , , , , , bool borrowingEnabled, , bool isActive, bool isFrozen) = protocolDataProvider.getReserveConfigurationData(address(_asset));
        require(isActive, "IAR");
        require(!isFrozen, "FAR");
        require(borrowingEnabled, "BNE");
    }

    /**
     * @dev Reads aToken balance and calculates default position unit for given collateral aToken and SetToken
     *
     * @return uint256       default collateral position unit
     */
    function _getCollateralPosition(ISetToken _setToken, IAToken _aToken, uint256 _setTotalSupply) internal view returns (uint256) {
        uint256 collateralNotionalBalance = _aToken.balanceOf(address(_setToken));
        return collateralNotionalBalance.preciseDiv(_setTotalSupply);
    }

    /**
     * @dev Reads variableDebtToken balance and calculates external position unit for given borrow asset and SetToken
     *
     * @return int256       external borrow position unit
     */
    function _getBorrowPosition(ISetToken _setToken, IERC20 _borrowAsset, uint256 _setTotalSupply) internal view returns (int256) {
        uint256 borrowNotionalBalance = underlyingToReserveTokens[_borrowAsset].variableDebtToken.balanceOf(address(_setToken));
        return borrowNotionalBalance.preciseDivCeil(_setTotalSupply).toInt256().mul(-1);
    }

    /**
     * @dev Includes reset / zero approval to ensure compatibility with USDT
     *
     */
    function _invokeApproveWithReset(ISetToken _setToken, IERC20 _token, address _spender, uint256 _amount) internal {
        _setToken.invokeApprove(
            address(_token),
            _spender,
            0
        );
        _setToken.invokeApprove(
            address(_token),
            _spender,
            _amount
        );
    }
}

File 2 of 33 : Context.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <0.8.0;

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

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

File 3 of 33 : Ownable.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <0.8.0;

import "../GSN/Context.sol";
/**
 * @dev Contract module which provides a basic access control mechanism, where
 * there is an account (an owner) that can be granted exclusive access to
 * specific functions.
 *
 * By default, the owner account will be the one that deploys the contract. This
 * can later be changed with {transferOwnership}.
 *
 * This module is used through inheritance. It will make available the modifier
 * `onlyOwner`, which can be applied to your functions to restrict their use to
 * the owner.
 */
abstract contract Ownable is Context {
    address private _owner;

    event OwnershipTransferred(address indexed previousOwner, address indexed newOwner);

    /**
     * @dev Initializes the contract setting the deployer as the initial owner.
     */
    constructor () internal {
        address msgSender = _msgSender();
        _owner = msgSender;
        emit OwnershipTransferred(address(0), msgSender);
    }

    /**
     * @dev Returns the address of the current owner.
     */
    function owner() public view returns (address) {
        return _owner;
    }

    /**
     * @dev Throws if called by any account other than the owner.
     */
    modifier onlyOwner() {
        require(_owner == _msgSender(), "Ownable: caller is not the owner");
        _;
    }

    /**
     * @dev Leaves the contract without owner. It will not be possible to call
     * `onlyOwner` functions anymore. Can only be called by the current owner.
     *
     * NOTE: Renouncing ownership will leave the contract without an owner,
     * thereby removing any functionality that is only available to the owner.
     */
    function renounceOwnership() public virtual onlyOwner {
        emit OwnershipTransferred(_owner, address(0));
        _owner = address(0);
    }

    /**
     * @dev Transfers ownership of the contract to a new account (`newOwner`).
     * Can only be called by the current owner.
     */
    function transferOwnership(address newOwner) public virtual onlyOwner {
        require(newOwner != address(0), "Ownable: new owner is the zero address");
        emit OwnershipTransferred(_owner, newOwner);
        _owner = newOwner;
    }
}

File 4 of 33 : SafeMath.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <0.8.0;

/**
 * @dev Wrappers over Solidity's arithmetic operations with added overflow
 * checks.
 *
 * Arithmetic operations in Solidity wrap on overflow. This can easily result
 * in bugs, because programmers usually assume that an overflow raises an
 * error, which is the standard behavior in high level programming languages.
 * `SafeMath` restores this intuition by reverting the transaction when an
 * operation overflows.
 *
 * Using this library instead of the unchecked operations eliminates an entire
 * class of bugs, so it's recommended to use it always.
 */
library SafeMath {
    /**
     * @dev Returns the addition of two unsigned integers, reverting on
     * overflow.
     *
     * Counterpart to Solidity's `+` operator.
     *
     * Requirements:
     *
     * - Addition cannot overflow.
     */
    function add(uint256 a, uint256 b) internal pure returns (uint256) {
        uint256 c = a + b;
        require(c >= a, "SafeMath: addition overflow");

        return c;
    }

    /**
     * @dev Returns the subtraction of two unsigned integers, reverting on
     * overflow (when the result is negative).
     *
     * Counterpart to Solidity's `-` operator.
     *
     * Requirements:
     *
     * - Subtraction cannot overflow.
     */
    function sub(uint256 a, uint256 b) internal pure returns (uint256) {
        return sub(a, b, "SafeMath: subtraction overflow");
    }

    /**
     * @dev Returns the subtraction of two unsigned integers, reverting with custom message on
     * overflow (when the result is negative).
     *
     * Counterpart to Solidity's `-` operator.
     *
     * Requirements:
     *
     * - Subtraction cannot overflow.
     */
    function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
        require(b <= a, errorMessage);
        uint256 c = a - b;

        return c;
    }

    /**
     * @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) {
        // 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 0;
        }

        uint256 c = a * b;
        require(c / a == b, "SafeMath: multiplication overflow");

        return c;
    }

    /**
     * @dev Returns the integer division of two unsigned integers. Reverts on
     * division by zero. The result is rounded towards zero.
     *
     * Counterpart to Solidity's `/` operator. Note: this function uses a
     * `revert` opcode (which leaves remaining gas untouched) while Solidity
     * uses an invalid opcode to revert (consuming all remaining gas).
     *
     * Requirements:
     *
     * - The divisor cannot be zero.
     */
    function div(uint256 a, uint256 b) internal pure returns (uint256) {
        return div(a, b, "SafeMath: division by zero");
    }

    /**
     * @dev Returns the integer division of two unsigned integers. Reverts with custom message on
     * division by zero. The result is rounded towards zero.
     *
     * Counterpart to Solidity's `/` operator. Note: this function uses a
     * `revert` opcode (which leaves remaining gas untouched) while Solidity
     * uses an invalid opcode to revert (consuming all remaining gas).
     *
     * Requirements:
     *
     * - The divisor cannot be zero.
     */
    function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
        require(b > 0, errorMessage);
        uint256 c = a / b;
        // assert(a == b * c + a % b); // There is no case in which this doesn't hold

        return c;
    }

    /**
     * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
     * Reverts 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 mod(a, b, "SafeMath: modulo by zero");
    }

    /**
     * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
     * Reverts with custom message 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, string memory errorMessage) internal pure returns (uint256) {
        require(b != 0, errorMessage);
        return a % b;
    }
}

File 5 of 33 : SignedSafeMath.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <0.8.0;

/**
 * @title SignedSafeMath
 * @dev Signed math operations with safety checks that revert on error.
 */
library SignedSafeMath {
    int256 constant private _INT256_MIN = -2**255;

    /**
     * @dev Returns the multiplication of two signed integers, reverting on
     * overflow.
     *
     * Counterpart to Solidity's `*` operator.
     *
     * Requirements:
     *
     * - Multiplication cannot overflow.
     */
    function mul(int256 a, int256 b) internal pure returns (int256) {
        // 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 0;
        }

        require(!(a == -1 && b == _INT256_MIN), "SignedSafeMath: multiplication overflow");

        int256 c = a * b;
        require(c / a == b, "SignedSafeMath: multiplication overflow");

        return c;
    }

    /**
     * @dev Returns the integer division of two signed integers. Reverts on
     * division by zero. The result is rounded towards zero.
     *
     * Counterpart to Solidity's `/` operator. Note: this function uses a
     * `revert` opcode (which leaves remaining gas untouched) while Solidity
     * uses an invalid opcode to revert (consuming all remaining gas).
     *
     * Requirements:
     *
     * - The divisor cannot be zero.
     */
    function div(int256 a, int256 b) internal pure returns (int256) {
        require(b != 0, "SignedSafeMath: division by zero");
        require(!(b == -1 && a == _INT256_MIN), "SignedSafeMath: division overflow");

        int256 c = a / b;

        return c;
    }

    /**
     * @dev Returns the subtraction of two signed integers, reverting on
     * overflow.
     *
     * Counterpart to Solidity's `-` operator.
     *
     * Requirements:
     *
     * - Subtraction cannot overflow.
     */
    function sub(int256 a, int256 b) internal pure returns (int256) {
        int256 c = a - b;
        require((b >= 0 && c <= a) || (b < 0 && c > a), "SignedSafeMath: subtraction overflow");

        return c;
    }

    /**
     * @dev Returns the addition of two signed integers, reverting on
     * overflow.
     *
     * Counterpart to Solidity's `+` operator.
     *
     * Requirements:
     *
     * - Addition cannot overflow.
     */
    function add(int256 a, int256 b) internal pure returns (int256) {
        int256 c = a + b;
        require((b >= 0 && c >= a) || (b < 0 && c < a), "SignedSafeMath: addition overflow");

        return c;
    }
}

File 6 of 33 : IERC20.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <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 7 of 33 : SafeERC20.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <0.8.0;

import "./IERC20.sol";
import "../../math/SafeMath.sol";
import "../../utils/Address.sol";

/**
 * @title SafeERC20
 * @dev Wrappers around ERC20 operations that throw on failure (when the token
 * contract returns false). Tokens that return no value (and instead revert or
 * throw on failure) are also supported, non-reverting calls are assumed to be
 * successful.
 * To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract,
 * which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
 */
library SafeERC20 {
    using SafeMath for uint256;
    using Address for address;

    function safeTransfer(IERC20 token, address to, uint256 value) internal {
        _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
    }

    function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal {
        _callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value));
    }

    /**
     * @dev Deprecated. This function has issues similar to the ones found in
     * {IERC20-approve}, and its usage is discouraged.
     *
     * Whenever possible, use {safeIncreaseAllowance} and
     * {safeDecreaseAllowance} instead.
     */
    function safeApprove(IERC20 token, address spender, uint256 value) internal {
        // safeApprove should only be called when setting an initial allowance,
        // or when resetting it to zero. To increase and decrease it, use
        // 'safeIncreaseAllowance' and 'safeDecreaseAllowance'
        // solhint-disable-next-line max-line-length
        require((value == 0) || (token.allowance(address(this), spender) == 0),
            "SafeERC20: approve from non-zero to non-zero allowance"
        );
        _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value));
    }

    function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
        uint256 newAllowance = token.allowance(address(this), spender).add(value);
        _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
    }

    function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal {
        uint256 newAllowance = token.allowance(address(this), spender).sub(value, "SafeERC20: decreased allowance below zero");
        _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
    }

    /**
     * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
     * on the return value: the return value is optional (but if data is returned, it must not be false).
     * @param token The token targeted by the call.
     * @param data The call data (encoded using abi.encode or one of its variants).
     */
    function _callOptionalReturn(IERC20 token, bytes memory data) private {
        // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
        // we're implementing it ourselves. We use {Address.functionCall} to perform this call, which verifies that
        // the target address contains contract code and also asserts for success in the low-level call.

        bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed");
        if (returndata.length > 0) { // Return data is optional
            // solhint-disable-next-line max-line-length
            require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed");
        }
    }
}

File 8 of 33 : Address.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.2 <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);
    }

    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 9 of 33 : ReentrancyGuard.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <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 () internal {
        _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 10 of 33 : SafeCast.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <0.8.0;


/**
 * @dev Wrappers over Solidity's uintXX/intXX casting operators with added overflow
 * checks.
 *
 * Downcasting from uint256/int256 in Solidity does not revert on overflow. This can
 * easily result in undesired exploitation or bugs, since developers usually
 * assume that overflows raise errors. `SafeCast` restores this intuition by
 * reverting the transaction when such an operation overflows.
 *
 * Using this library instead of the unchecked operations eliminates an entire
 * class of bugs, so it's recommended to use it always.
 *
 * Can be combined with {SafeMath} and {SignedSafeMath} to extend it to smaller types, by performing
 * all math on `uint256` and `int256` and then downcasting.
 */
library SafeCast {

    /**
     * @dev Returns the downcasted uint128 from uint256, reverting on
     * overflow (when the input is greater than largest uint128).
     *
     * Counterpart to Solidity's `uint128` operator.
     *
     * Requirements:
     *
     * - input must fit into 128 bits
     */
    function toUint128(uint256 value) internal pure returns (uint128) {
        require(value < 2**128, "SafeCast: value doesn\'t fit in 128 bits");
        return uint128(value);
    }

    /**
     * @dev Returns the downcasted uint64 from uint256, reverting on
     * overflow (when the input is greater than largest uint64).
     *
     * Counterpart to Solidity's `uint64` operator.
     *
     * Requirements:
     *
     * - input must fit into 64 bits
     */
    function toUint64(uint256 value) internal pure returns (uint64) {
        require(value < 2**64, "SafeCast: value doesn\'t fit in 64 bits");
        return uint64(value);
    }

    /**
     * @dev Returns the downcasted uint32 from uint256, reverting on
     * overflow (when the input is greater than largest uint32).
     *
     * Counterpart to Solidity's `uint32` operator.
     *
     * Requirements:
     *
     * - input must fit into 32 bits
     */
    function toUint32(uint256 value) internal pure returns (uint32) {
        require(value < 2**32, "SafeCast: value doesn\'t fit in 32 bits");
        return uint32(value);
    }

    /**
     * @dev Returns the downcasted uint16 from uint256, reverting on
     * overflow (when the input is greater than largest uint16).
     *
     * Counterpart to Solidity's `uint16` operator.
     *
     * Requirements:
     *
     * - input must fit into 16 bits
     */
    function toUint16(uint256 value) internal pure returns (uint16) {
        require(value < 2**16, "SafeCast: value doesn\'t fit in 16 bits");
        return uint16(value);
    }

    /**
     * @dev Returns the downcasted uint8 from uint256, reverting on
     * overflow (when the input is greater than largest uint8).
     *
     * Counterpart to Solidity's `uint8` operator.
     *
     * Requirements:
     *
     * - input must fit into 8 bits.
     */
    function toUint8(uint256 value) internal pure returns (uint8) {
        require(value < 2**8, "SafeCast: value doesn\'t fit in 8 bits");
        return uint8(value);
    }

    /**
     * @dev Converts a signed int256 into an unsigned uint256.
     *
     * Requirements:
     *
     * - input must be greater than or equal to 0.
     */
    function toUint256(int256 value) internal pure returns (uint256) {
        require(value >= 0, "SafeCast: value must be positive");
        return uint256(value);
    }

    /**
     * @dev Returns the downcasted int128 from int256, reverting on
     * overflow (when the input is less than smallest int128 or
     * greater than largest int128).
     *
     * Counterpart to Solidity's `int128` operator.
     *
     * Requirements:
     *
     * - input must fit into 128 bits
     *
     * _Available since v3.1._
     */
    function toInt128(int256 value) internal pure returns (int128) {
        require(value >= -2**127 && value < 2**127, "SafeCast: value doesn\'t fit in 128 bits");
        return int128(value);
    }

    /**
     * @dev Returns the downcasted int64 from int256, reverting on
     * overflow (when the input is less than smallest int64 or
     * greater than largest int64).
     *
     * Counterpart to Solidity's `int64` operator.
     *
     * Requirements:
     *
     * - input must fit into 64 bits
     *
     * _Available since v3.1._
     */
    function toInt64(int256 value) internal pure returns (int64) {
        require(value >= -2**63 && value < 2**63, "SafeCast: value doesn\'t fit in 64 bits");
        return int64(value);
    }

    /**
     * @dev Returns the downcasted int32 from int256, reverting on
     * overflow (when the input is less than smallest int32 or
     * greater than largest int32).
     *
     * Counterpart to Solidity's `int32` operator.
     *
     * Requirements:
     *
     * - input must fit into 32 bits
     *
     * _Available since v3.1._
     */
    function toInt32(int256 value) internal pure returns (int32) {
        require(value >= -2**31 && value < 2**31, "SafeCast: value doesn\'t fit in 32 bits");
        return int32(value);
    }

    /**
     * @dev Returns the downcasted int16 from int256, reverting on
     * overflow (when the input is less than smallest int16 or
     * greater than largest int16).
     *
     * Counterpart to Solidity's `int16` operator.
     *
     * Requirements:
     *
     * - input must fit into 16 bits
     *
     * _Available since v3.1._
     */
    function toInt16(int256 value) internal pure returns (int16) {
        require(value >= -2**15 && value < 2**15, "SafeCast: value doesn\'t fit in 16 bits");
        return int16(value);
    }

    /**
     * @dev Returns the downcasted int8 from int256, reverting on
     * overflow (when the input is less than smallest int8 or
     * greater than largest int8).
     *
     * Counterpart to Solidity's `int8` operator.
     *
     * Requirements:
     *
     * - input must fit into 8 bits.
     *
     * _Available since v3.1._
     */
    function toInt8(int256 value) internal pure returns (int8) {
        require(value >= -2**7 && value < 2**7, "SafeCast: value doesn\'t fit in 8 bits");
        return int8(value);
    }

    /**
     * @dev Converts an unsigned uint256 into a signed int256.
     *
     * Requirements:
     *
     * - input must be less than or equal to maxInt256.
     */
    function toInt256(uint256 value) internal pure returns (int256) {
        require(value < 2**255, "SafeCast: value doesn't fit in an int256");
        return int256(value);
    }
}

File 11 of 33 : IController.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

interface IController {
    function addSet(address _setToken) external;
    function feeRecipient() external view returns(address);
    function getModuleFee(address _module, uint256 _feeType) external view returns(uint256);
    function isModule(address _module) external view returns(bool);
    function isSet(address _setToken) external view returns(bool);
    function isSystemContract(address _contractAddress) external view returns (bool);
    function resourceId(uint256 _id) external view returns(address);
}

File 12 of 33 : IDebtIssuanceModule.sol
/*
    Copyright 2021 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

import { ISetToken } from "./ISetToken.sol";

/**
 * @title IDebtIssuanceModule
 * @author Set Protocol
 *
 * Interface for interacting with Debt Issuance module interface.
 */
interface IDebtIssuanceModule {

    /**
     * Called by another module to register itself on debt issuance module. Any logic can be included
     * in case checks need to be made or state needs to be updated.
     */
    function registerToIssuanceModule(ISetToken _setToken) external;

    /**
     * Called by another module to unregister itself on debt issuance module. Any logic can be included
     * in case checks need to be made or state needs to be cleared.
     */
    function unregisterFromIssuanceModule(ISetToken _setToken) external;
}

File 13 of 33 : IExchangeAdapter.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

interface IExchangeAdapter {
    function getSpender() external view returns(address);
    function getTradeCalldata(
        address _fromToken,
        address _toToken,
        address _toAddress,
        uint256 _fromQuantity,
        uint256 _minToQuantity,
        bytes memory _data
    )
        external
        view
        returns (address, uint256, bytes memory);
}

File 14 of 33 : IIntegrationRegistry.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

interface IIntegrationRegistry {
    function addIntegration(address _module, string memory _id, address _wrapper) external;
    function getIntegrationAdapter(address _module, string memory _id) external view returns(address);
    function getIntegrationAdapterWithHash(address _module, bytes32 _id) external view returns(address);
    function isValidIntegration(address _module, string memory _id) external view returns(bool);
}

File 15 of 33 : IModule.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;


/**
 * @title IModule
 * @author Set Protocol
 *
 * Interface for interacting with Modules.
 */
interface IModule {
    /**
     * Called by a SetToken to notify that this module was removed from the Set token. Any logic can be included
     * in case checks need to be made or state needs to be cleared.
     */
    function removeModule() external;
}

File 16 of 33 : IModuleIssuanceHook.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

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

import { ISetToken } from "./ISetToken.sol";


/**
 * CHANGELOG:
 *      - Added a module level issue hook that can be used to set state ahead of component level
 *        issue hooks
 */
interface IModuleIssuanceHook {

    function moduleIssueHook(ISetToken _setToken, uint256 _setTokenQuantity) external;
    function moduleRedeemHook(ISetToken _setToken, uint256 _setTokenQuantity) external;
    
    function componentIssueHook(
        ISetToken _setToken,
        uint256 _setTokenQuantity,
        IERC20 _component,
        bool _isEquity
    ) external;

    function componentRedeemHook(
        ISetToken _setToken,
        uint256 _setTokenQuantity,
        IERC20 _component,
        bool _isEquity
    ) external;
}

File 17 of 33 : IPriceOracle.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

/**
 * @title IPriceOracle
 * @author Set Protocol
 *
 * Interface for interacting with PriceOracle
 */
interface IPriceOracle {

    /* ============ Functions ============ */

    function getPrice(address _assetOne, address _assetTwo) external view returns (uint256);
    function masterQuoteAsset() external view returns (address);
}

File 18 of 33 : ISetToken.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;
pragma experimental "ABIEncoderV2";

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

/**
 * @title ISetToken
 * @author Set Protocol
 *
 * Interface for operating with SetTokens.
 */
interface ISetToken is IERC20 {

    /* ============ Enums ============ */

    enum ModuleState {
        NONE,
        PENDING,
        INITIALIZED
    }

    /* ============ Structs ============ */
    /**
     * The base definition of a SetToken Position
     *
     * @param component           Address of token in the Position
     * @param module              If not in default state, the address of associated module
     * @param unit                Each unit is the # of components per 10^18 of a SetToken
     * @param positionState       Position ENUM. Default is 0; External is 1
     * @param data                Arbitrary data
     */
    struct Position {
        address component;
        address module;
        int256 unit;
        uint8 positionState;
        bytes data;
    }

    /**
     * A struct that stores a component's cash position details and external positions
     * This data structure allows O(1) access to a component's cash position units and 
     * virtual units.
     *
     * @param virtualUnit               Virtual value of a component's DEFAULT position. Stored as virtual for efficiency
     *                                  updating all units at once via the position multiplier. Virtual units are achieved
     *                                  by dividing a "real" value by the "positionMultiplier"
     * @param componentIndex            
     * @param externalPositionModules   List of external modules attached to each external position. Each module
     *                                  maps to an external position
     * @param externalPositions         Mapping of module => ExternalPosition struct for a given component
     */
    struct ComponentPosition {
      int256 virtualUnit;
      address[] externalPositionModules;
      mapping(address => ExternalPosition) externalPositions;
    }

    /**
     * A struct that stores a component's external position details including virtual unit and any
     * auxiliary data.
     *
     * @param virtualUnit       Virtual value of a component's EXTERNAL position.
     * @param data              Arbitrary data
     */
    struct ExternalPosition {
      int256 virtualUnit;
      bytes data;
    }


    /* ============ Functions ============ */
    
    function addComponent(address _component) external;
    function removeComponent(address _component) external;
    function editDefaultPositionUnit(address _component, int256 _realUnit) external;
    function addExternalPositionModule(address _component, address _positionModule) external;
    function removeExternalPositionModule(address _component, address _positionModule) external;
    function editExternalPositionUnit(address _component, address _positionModule, int256 _realUnit) external;
    function editExternalPositionData(address _component, address _positionModule, bytes calldata _data) external;

    function invoke(address _target, uint256 _value, bytes calldata _data) external returns(bytes memory);

    function editPositionMultiplier(int256 _newMultiplier) external;

    function mint(address _account, uint256 _quantity) external;
    function burn(address _account, uint256 _quantity) external;

    function lock() external;
    function unlock() external;

    function addModule(address _module) external;
    function removeModule(address _module) external;
    function initializeModule() external;

    function setManager(address _manager) external;

    function manager() external view returns (address);
    function moduleStates(address _module) external view returns (ModuleState);
    function getModules() external view returns (address[] memory);
    
    function getDefaultPositionRealUnit(address _component) external view returns(int256);
    function getExternalPositionRealUnit(address _component, address _positionModule) external view returns(int256);
    function getComponents() external view returns(address[] memory);
    function getExternalPositionModules(address _component) external view returns(address[] memory);
    function getExternalPositionData(address _component, address _positionModule) external view returns(bytes memory);
    function isExternalPositionModule(address _component, address _module) external view returns(bool);
    function isComponent(address _component) external view returns(bool);
    
    function positionMultiplier() external view returns (int256);
    function getPositions() external view returns (Position[] memory);
    function getTotalComponentRealUnits(address _component) external view returns(int256);

    function isInitializedModule(address _module) external view returns(bool);
    function isPendingModule(address _module) external view returns(bool);
    function isLocked() external view returns (bool);
    function locker() external view returns (address);
}

File 19 of 33 : ISetValuer.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

import { ISetToken } from "../interfaces/ISetToken.sol";

interface ISetValuer {
    function calculateSetTokenValuation(ISetToken _setToken, address _quoteAsset) external view returns (uint256);
}

File 20 of 33 : IAToken.sol
/*
  Copyright 2021 Set Labs Inc.

  Licensed under the Apache License, Version 2.0 (the "License");
  you may not use this file except in compliance with the License.
  You may obtain a copy of the License at

  http://www.apache.org/licenses/LICENSE-2.0

  Unless required by applicable law or agreed to in writing, software
  distributed under the License is distributed on an "AS IS" BASIS,
  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  See the License for the specific language governing permissions and
  limitations under the License.

  SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

import { IERC20 } from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
interface IAToken is IERC20 {
    function UNDERLYING_ASSET_ADDRESS() external view returns (address);
}

File 21 of 33 : IVariableDebtToken.sol
/*
  Copyright 2021 Set Labs Inc.

  Licensed under the Apache License, Version 2.0 (the "License");
  you may not use this file except in compliance with the License.
  You may obtain a copy of the License at

  http://www.apache.org/licenses/LICENSE-2.0

  Unless required by applicable law or agreed to in writing, software
  distributed under the License is distributed on an "AS IS" BASIS,
  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  See the License for the specific language governing permissions and
  limitations under the License.

  SPDX-License-Identifier: Apache License, Version 2.0
*/
pragma solidity 0.6.10;

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

/**
 * @title IVariableDebtToken
 * @author Aave
 * @notice Defines the basic interface for a variable debt token.
 **/
interface IVariableDebtToken is IERC20 {}

File 22 of 33 : Datatypes.sol
// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.6.10;

library DataTypes {
  struct ReserveData {
    //stores the reserve configuration
    ReserveConfigurationMap configuration;
    //the liquidity index. Expressed in ray
    uint128 liquidityIndex;
    //the current supply rate. Expressed in ray
    uint128 currentLiquidityRate;
    //variable borrow index. Expressed in ray
    uint128 variableBorrowIndex;
    //the current variable borrow rate. Expressed in ray
    uint128 currentVariableBorrowRate;
    //the current stable borrow rate. Expressed in ray
    uint128 currentStableBorrowRate;
    //timestamp of last update
    uint40 lastUpdateTimestamp;
    //the id of the reserve. Represents the position in the list of the active reserves
    uint16 id;
    //aToken address
    address aTokenAddress;
    //stableDebtToken address
    address stableDebtTokenAddress;
    //variableDebtToken address
    address variableDebtTokenAddress;
    //address of the interest rate strategy
    address interestRateStrategyAddress;
    //the current treasury balance, scaled
    uint128 accruedToTreasury;
    //the outstanding unbacked aTokens minted through the bridging feature
    uint128 unbacked;
    //the outstanding debt borrowed against this asset in isolation mode
    uint128 isolationModeTotalDebt;
  }

  struct ReserveConfigurationMap {
    //bit 0-15: LTV
    //bit 16-31: Liq. threshold
    //bit 32-47: Liq. bonus
    //bit 48-55: Decimals
    //bit 56: reserve is active
    //bit 57: reserve is frozen
    //bit 58: borrowing is enabled
    //bit 59: stable rate borrowing enabled
    //bit 60: asset is paused
    //bit 61: borrowing in isolation mode is enabled
    //bit 62-63: reserved
    //bit 64-79: reserve factor
    //bit 80-115 borrow cap in whole tokens, borrowCap == 0 => no cap
    //bit 116-151 supply cap in whole tokens, supplyCap == 0 => no cap
    //bit 152-167 liquidation protocol fee
    //bit 168-175 eMode category
    //bit 176-211 unbacked mint cap in whole tokens, unbackedMintCap == 0 => minting disabled
    //bit 212-251 debt ceiling for isolation mode with (ReserveConfiguration::DEBT_CEILING_DECIMALS) decimals
    //bit 252-255 unused

    uint256 data;
  }

  struct UserConfigurationMap {
    /**
     * @dev Bitmap of the users collaterals and borrows. It is divided in pairs of bits, one pair per asset.
     * The first bit indicates if an asset is used as collateral by the user, the second whether an
     * asset is borrowed by the user.
     */
    uint256 data;
  }

  struct EModeCategory {
    // each eMode category has a custom ltv and liquidation threshold
    uint16 ltv;
    uint16 liquidationThreshold;
    uint16 liquidationBonus;
    // each eMode category may or may not have a custom oracle to override the individual assets price oracles
    address priceSource;
    string label;
  }

  enum InterestRateMode {
    NONE,
    STABLE,
    VARIABLE
  }

  struct ReserveCache {
    uint256 currScaledVariableDebt;
    uint256 nextScaledVariableDebt;
    uint256 currPrincipalStableDebt;
    uint256 currAvgStableBorrowRate;
    uint256 currTotalStableDebt;
    uint256 nextAvgStableBorrowRate;
    uint256 nextTotalStableDebt;
    uint256 currLiquidityIndex;
    uint256 nextLiquidityIndex;
    uint256 currVariableBorrowIndex;
    uint256 nextVariableBorrowIndex;
    uint256 currLiquidityRate;
    uint256 currVariableBorrowRate;
    uint256 reserveFactor;
    ReserveConfigurationMap reserveConfiguration;
    address aTokenAddress;
    address stableDebtTokenAddress;
    address variableDebtTokenAddress;
    uint40 reserveLastUpdateTimestamp;
    uint40 stableDebtLastUpdateTimestamp;
  }

  struct ExecuteLiquidationCallParams {
    uint256 reservesCount;
    uint256 debtToCover;
    address collateralAsset;
    address debtAsset;
    address user;
    bool receiveAToken;
    address priceOracle;
    uint8 userEModeCategory;
    address priceOracleSentinel;
  }

  struct ExecuteSupplyParams {
    address asset;
    uint256 amount;
    address onBehalfOf;
    uint16 referralCode;
  }

  struct ExecuteBorrowParams {
    address asset;
    address user;
    address onBehalfOf;
    uint256 amount;
    InterestRateMode interestRateMode;
    uint16 referralCode;
    bool releaseUnderlying;
    uint256 maxStableRateBorrowSizePercent;
    uint256 reservesCount;
    address oracle;
    uint8 userEModeCategory;
    address priceOracleSentinel;
  }

  struct ExecuteRepayParams {
    address asset;
    uint256 amount;
    InterestRateMode interestRateMode;
    address onBehalfOf;
    bool useATokens;
  }

  struct ExecuteWithdrawParams {
    address asset;
    uint256 amount;
    address to;
    uint256 reservesCount;
    address oracle;
    uint8 userEModeCategory;
  }

  struct ExecuteSetUserEModeParams {
    uint256 reservesCount;
    address oracle;
    uint8 categoryId;
  }

  struct FinalizeTransferParams {
    address asset;
    address from;
    address to;
    uint256 amount;
    uint256 balanceFromBefore;
    uint256 balanceToBefore;
    uint256 reservesCount;
    address oracle;
    uint8 fromEModeCategory;
  }

  struct FlashloanParams {
    address receiverAddress;
    address[] assets;
    uint256[] amounts;
    uint256[] interestRateModes;
    address onBehalfOf;
    bytes params;
    uint16 referralCode;
    uint256 flashLoanPremiumToProtocol;
    uint256 flashLoanPremiumTotal;
    uint256 maxStableRateBorrowSizePercent;
    uint256 reservesCount;
    address addressesProvider;
    uint8 userEModeCategory;
    bool isAuthorizedFlashBorrower;
  }

  struct FlashloanSimpleParams {
    address receiverAddress;
    address asset;
    uint256 amount;
    bytes params;
    uint16 referralCode;
    uint256 flashLoanPremiumToProtocol;
    uint256 flashLoanPremiumTotal;
  }

  struct FlashLoanRepaymentParams {
    uint256 amount;
    uint256 totalPremium;
    uint256 flashLoanPremiumToProtocol;
    address asset;
    address receiverAddress;
    uint16 referralCode;
  }

  struct CalculateUserAccountDataParams {
    UserConfigurationMap userConfig;
    uint256 reservesCount;
    address user;
    address oracle;
    uint8 userEModeCategory;
  }

  struct ValidateBorrowParams {
    ReserveCache reserveCache;
    UserConfigurationMap userConfig;
    address asset;
    address userAddress;
    uint256 amount;
    InterestRateMode interestRateMode;
    uint256 maxStableLoanPercent;
    uint256 reservesCount;
    address oracle;
    uint8 userEModeCategory;
    address priceOracleSentinel;
    bool isolationModeActive;
    address isolationModeCollateralAddress;
    uint256 isolationModeDebtCeiling;
  }

  struct ValidateLiquidationCallParams {
    ReserveCache debtReserveCache;
    uint256 totalDebt;
    uint256 healthFactor;
    address priceOracleSentinel;
  }

  struct CalculateInterestRatesParams {
    uint256 unbacked;
    uint256 liquidityAdded;
    uint256 liquidityTaken;
    uint256 totalStableDebt;
    uint256 totalVariableDebt;
    uint256 averageStableBorrowRate;
    uint256 reserveFactor;
    address reserve;
    address aToken;
  }

  struct InitReserveParams {
    address asset;
    address aTokenAddress;
    address stableDebtAddress;
    address variableDebtAddress;
    address interestRateStrategyAddress;
    uint16 reservesCount;
    uint16 maxNumberReserves;
  }
}

File 23 of 33 : IAaveProtocolDataProvider.sol
pragma solidity 0.6.10;
pragma experimental ABIEncoderV2;

interface IAaveProtocolDataProvider {
    struct TokenData {
        string symbol;
        address tokenAddress;
    }

    function ADDRESSES_PROVIDER() external view returns (address);
    function getATokenTotalSupply(address asset) external view returns (uint256);
    function getAllATokens() external view returns (TokenData[] memory);
    function getAllReservesTokens() external view returns (TokenData[] memory);
    function getDebtCeiling(address asset) external view returns (uint256);
    function getDebtCeilingDecimals() external pure returns (uint256);
    function getFlashLoanEnabled(address asset) external view returns (bool);
    function getInterestRateStrategyAddress(address asset) external view returns (address irStrategyAddress);
    function getLiquidationProtocolFee(address asset) external view returns (uint256);
    function getPaused(address asset) external view returns (bool isPaused);
    function getReserveCaps(address asset) external view returns (uint256 borrowCap, uint256 supplyCap);
    function getReserveConfigurationData(address asset)
        external
        view
        returns (
            uint256 decimals,
            uint256 ltv,
            uint256 liquidationThreshold,
            uint256 liquidationBonus,
            uint256 reserveFactor,
            bool usageAsCollateralEnabled,
            bool borrowingEnabled,
            bool stableBorrowRateEnabled,
            bool isActive,
            bool isFrozen
        );
    function getReserveData(address asset)
        external
        view
        returns (
            uint256 unbacked,
            uint256 accruedToTreasuryScaled,
            uint256 totalAToken,
            uint256 totalStableDebt,
            uint256 totalVariableDebt,
            uint256 liquidityRate,
            uint256 variableBorrowRate,
            uint256 stableBorrowRate,
            uint256 averageStableBorrowRate,
            uint256 liquidityIndex,
            uint256 variableBorrowIndex,
            uint40 lastUpdateTimestamp
        );
    function getReserveEModeCategory(address asset) external view returns (uint256);
    function getReserveTokensAddresses(address asset)
        external
        view
        returns (address aTokenAddress, address stableDebtTokenAddress, address variableDebtTokenAddress);
    function getSiloedBorrowing(address asset) external view returns (bool);
    function getTotalDebt(address asset) external view returns (uint256);
    function getUnbackedMintCap(address asset) external view returns (uint256);
    function getUserReserveData(address asset, address user)
        external
        view
        returns (
            uint256 currentATokenBalance,
            uint256 currentStableDebt,
            uint256 currentVariableDebt,
            uint256 principalStableDebt,
            uint256 scaledVariableDebt,
            uint256 stableBorrowRate,
            uint256 liquidityRate,
            uint40 stableRateLastUpdated,
            bool usageAsCollateralEnabled
        );
}

File 24 of 33 : IPool.sol
pragma solidity 0.6.10;
pragma experimental ABIEncoderV2;
import { DataTypes } from "./Datatypes.sol";

interface IPool {
    event BackUnbacked(address indexed reserve, address indexed backer, uint256 amount, uint256 fee);
    event Borrow(
        address indexed reserve,
        address user,
        address indexed onBehalfOf,
        uint256 amount,
        uint8 interestRateMode,
        uint256 borrowRate,
        uint16 indexed referralCode
    );
    event FlashLoan(
        address indexed target,
        address initiator,
        address indexed asset,
        uint256 amount,
        uint8 interestRateMode,
        uint256 premium,
        uint16 indexed referralCode
    );
    event IsolationModeTotalDebtUpdated(address indexed asset, uint256 totalDebt);
    event LiquidationCall(
        address indexed collateralAsset,
        address indexed debtAsset,
        address indexed user,
        uint256 debtToCover,
        uint256 liquidatedCollateralAmount,
        address liquidator,
        bool receiveAToken
    );
    event MintUnbacked(
        address indexed reserve, address user, address indexed onBehalfOf, uint256 amount, uint16 indexed referralCode
    );
    event MintedToTreasury(address indexed reserve, uint256 amountMinted);
    event RebalanceStableBorrowRate(address indexed reserve, address indexed user);
    event Repay(
        address indexed reserve, address indexed user, address indexed repayer, uint256 amount, bool useATokens
    );
    event ReserveDataUpdated(
        address indexed reserve,
        uint256 liquidityRate,
        uint256 stableBorrowRate,
        uint256 variableBorrowRate,
        uint256 liquidityIndex,
        uint256 variableBorrowIndex
    );
    event ReserveUsedAsCollateralDisabled(address indexed reserve, address indexed user);
    event ReserveUsedAsCollateralEnabled(address indexed reserve, address indexed user);
    event Supply(
        address indexed reserve, address user, address indexed onBehalfOf, uint256 amount, uint16 indexed referralCode
    );
    event SwapBorrowRateMode(address indexed reserve, address indexed user, uint8 interestRateMode);
    event UserEModeSet(address indexed user, uint8 categoryId);
    event Withdraw(address indexed reserve, address indexed user, address indexed to, uint256 amount);

    struct EModeCategory {
        uint16 ltv;
        uint16 liquidationThreshold;
        uint16 liquidationBonus;
        address priceSource;
        string label;
    }

    struct ReserveConfigurationMap {
        uint256 data;
    }

    struct ReserveData {
        ReserveConfigurationMap configuration;
        uint128 liquidityIndex;
        uint128 currentLiquidityRate;
        uint128 variableBorrowIndex;
        uint128 currentVariableBorrowRate;
        uint128 currentStableBorrowRate;
        uint40 lastUpdateTimestamp;
        uint16 id;
        address aTokenAddress;
        address stableDebtTokenAddress;
        address variableDebtTokenAddress;
        address interestRateStrategyAddress;
        uint128 accruedToTreasury;
        uint128 unbacked;
        uint128 isolationModeTotalDebt;
    }

    struct UserConfigurationMap {
        uint256 data;
    }

    function ADDRESSES_PROVIDER() external view returns (address);
    function BRIDGE_PROTOCOL_FEE() external view returns (uint256);
    function FLASHLOAN_PREMIUM_TOTAL() external view returns (uint128);
    function FLASHLOAN_PREMIUM_TO_PROTOCOL() external view returns (uint128);
    function MAX_NUMBER_RESERVES() external view returns (uint16);
    function MAX_STABLE_RATE_BORROW_SIZE_PERCENT() external view returns (uint256);
    function POOL_REVISION() external view returns (uint256);
    function backUnbacked(address asset, uint256 amount, uint256 fee) external returns (uint256);
    function borrow(address asset, uint256 amount, uint256 interestRateMode, uint16 referralCode, address onBehalfOf)
        external;
    function configureEModeCategory(uint8 id, DataTypes.EModeCategory memory category) external;
    function deposit(address asset, uint256 amount, address onBehalfOf, uint16 referralCode) external;
    function dropReserve(address asset) external;
    function finalizeTransfer(
        address asset,
        address from,
        address to,
        uint256 amount,
        uint256 balanceFromBefore,
        uint256 balanceToBefore
    ) external;
    function flashLoan(
        address receiverAddress,
        address[] memory assets,
        uint256[] memory amounts,
        uint256[] memory interestRateModes,
        address onBehalfOf,
        bytes memory params,
        uint16 referralCode
    ) external;
    function flashLoanSimple(
        address receiverAddress,
        address asset,
        uint256 amount,
        bytes memory params,
        uint16 referralCode
    ) external;
    function getConfiguration(address asset) external view returns (DataTypes.ReserveConfigurationMap memory);
    function getEModeCategoryData(uint8 id) external view returns (DataTypes.EModeCategory memory);
    function getReserveAddressById(uint16 id) external view returns (address);
    function getReserveData(address asset) external view returns (DataTypes.ReserveData memory);
    function getReserveNormalizedIncome(address asset) external view returns (uint256);
    function getReserveNormalizedVariableDebt(address asset) external view returns (uint256);
    function getReservesList() external view returns (address[] memory);
    function getUserAccountData(address user)
        external
        view
        returns (
            uint256 totalCollateralBase,
            uint256 totalDebtBase,
            uint256 availableBorrowsBase,
            uint256 currentLiquidationThreshold,
            uint256 ltv,
            uint256 healthFactor
        );
    function getUserConfiguration(address user) external view returns (DataTypes.UserConfigurationMap memory);
    function getUserEMode(address user) external view returns (uint256);
    function initReserve(
        address asset,
        address aTokenAddress,
        address stableDebtAddress,
        address variableDebtAddress,
        address interestRateStrategyAddress
    ) external;
    function initialize(address provider) external;
    function liquidationCall(
        address collateralAsset,
        address debtAsset,
        address user,
        uint256 debtToCover,
        bool receiveAToken
    ) external;
    function mintToTreasury(address[] memory assets) external;
    function mintUnbacked(address asset, uint256 amount, address onBehalfOf, uint16 referralCode) external;
    function rebalanceStableBorrowRate(address asset, address user) external;
    function repay(address asset, uint256 amount, uint256 interestRateMode, address onBehalfOf)
        external
        returns (uint256);
    function repayWithATokens(address asset, uint256 amount, uint256 interestRateMode) external returns (uint256);
    function repayWithPermit(
        address asset,
        uint256 amount,
        uint256 interestRateMode,
        address onBehalfOf,
        uint256 deadline,
        uint8 permitV,
        bytes32 permitR,
        bytes32 permitS
    ) external returns (uint256);
    function rescueTokens(address token, address to, uint256 amount) external;
    function resetIsolationModeTotalDebt(address asset) external;
    function setConfiguration(address asset, DataTypes.ReserveConfigurationMap memory configuration) external;
    function setReserveInterestRateStrategyAddress(address asset, address rateStrategyAddress) external;
    function setUserEMode(uint8 categoryId) external;
    function setUserUseReserveAsCollateral(address asset, bool useAsCollateral) external;
    function supply(address asset, uint256 amount, address onBehalfOf, uint16 referralCode) external;
    function supplyWithPermit(
        address asset,
        uint256 amount,
        address onBehalfOf,
        uint16 referralCode,
        uint256 deadline,
        uint8 permitV,
        bytes32 permitR,
        bytes32 permitS
    ) external;
    function swapBorrowRateMode(address asset, uint256 interestRateMode) external;
    function updateBridgeProtocolFee(uint256 protocolFee) external;
    function updateFlashloanPremiums(uint128 flashLoanPremiumTotal, uint128 flashLoanPremiumToProtocol) external;
    function withdraw(address asset, uint256 amount, address to) external returns (uint256);
}

File 25 of 33 : IPoolAddressesProvider.sol
pragma solidity 0.6.10;

interface IPoolAddressesProvider {
    event ACLAdminUpdated(address indexed oldAddress, address indexed newAddress);
    event ACLManagerUpdated(address indexed oldAddress, address indexed newAddress);
    event AddressSet(bytes32 indexed id, address indexed oldAddress, address indexed newAddress);
    event AddressSetAsProxy(
        bytes32 indexed id,
        address indexed proxyAddress,
        address oldImplementationAddress,
        address indexed newImplementationAddress
    );
    event MarketIdSet(string indexed oldMarketId, string indexed newMarketId);
    event OwnershipTransferred(address indexed previousOwner, address indexed newOwner);
    event PoolConfiguratorUpdated(address indexed oldAddress, address indexed newAddress);
    event PoolDataProviderUpdated(address indexed oldAddress, address indexed newAddress);
    event PoolUpdated(address indexed oldAddress, address indexed newAddress);
    event PriceOracleSentinelUpdated(address indexed oldAddress, address indexed newAddress);
    event PriceOracleUpdated(address indexed oldAddress, address indexed newAddress);
    event ProxyCreated(bytes32 indexed id, address indexed proxyAddress, address indexed implementationAddress);

    function getACLAdmin() external view returns (address);
    function getACLManager() external view returns (address);
    function getAddress(bytes32 id) external view returns (address);
    function getMarketId() external view returns (string memory);
    function getPool() external view returns (address);
    function getPoolConfigurator() external view returns (address);
    function getPoolDataProvider() external view returns (address);
    function getPriceOracle() external view returns (address);
    function getPriceOracleSentinel() external view returns (address);
    function owner() external view returns (address);
    function renounceOwnership() external;
    function setACLAdmin(address newAclAdmin) external;
    function setACLManager(address newAclManager) external;
    function setAddress(bytes32 id, address newAddress) external;
    function setAddressAsProxy(bytes32 id, address newImplementationAddress) external;
    function setMarketId(string memory newMarketId) external;
    function setPoolConfiguratorImpl(address newPoolConfiguratorImpl) external;
    function setPoolDataProvider(address newDataProvider) external;
    function setPoolImpl(address newPoolImpl) external;
    function setPriceOracle(address newPriceOracle) external;
    function setPriceOracleSentinel(address newPriceOracleSentinel) external;
    function transferOwnership(address newOwner) external;
}

File 26 of 33 : AddressArrayUtils.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0

*/

pragma solidity 0.6.10;

/**
 * @title AddressArrayUtils
 * @author Set Protocol
 *
 * Utility functions to handle Address Arrays
 *
 * CHANGELOG:
 * - 4/21/21: Added validatePairsWithArray methods
 */
library AddressArrayUtils {

    /**
     * Finds the index of the first occurrence of the given element.
     * @param A The input array to search
     * @param a The value to find
     * @return Returns (index and isIn) for the first occurrence starting from index 0
     */
    function indexOf(address[] memory A, address a) internal pure returns (uint256, bool) {
        uint256 length = A.length;
        for (uint256 i = 0; i < length; i++) {
            if (A[i] == a) {
                return (i, true);
            }
        }
        return (uint256(-1), false);
    }

    /**
    * Returns true if the value is present in the list. Uses indexOf internally.
    * @param A The input array to search
    * @param a The value to find
    * @return Returns isIn for the first occurrence starting from index 0
    */
    function contains(address[] memory A, address a) internal pure returns (bool) {
        (, bool isIn) = indexOf(A, a);
        return isIn;
    }

    /**
    * Returns true if there are 2 elements that are the same in an array
    * @param A The input array to search
    * @return Returns boolean for the first occurrence of a duplicate
    */
    function hasDuplicate(address[] memory A) internal pure returns(bool) {
        require(A.length > 0, "A is empty");

        for (uint256 i = 0; i < A.length - 1; i++) {
            address current = A[i];
            for (uint256 j = i + 1; j < A.length; j++) {
                if (current == A[j]) {
                    return true;
                }
            }
        }
        return false;
    }

    /**
     * @param A The input array to search
     * @param a The address to remove
     * @return Returns the array with the object removed.
     */
    function remove(address[] memory A, address a)
        internal
        pure
        returns (address[] memory)
    {
        (uint256 index, bool isIn) = indexOf(A, a);
        if (!isIn) {
            revert("Address not in array.");
        } else {
            (address[] memory _A,) = pop(A, index);
            return _A;
        }
    }

    /**
     * @param A The input array to search
     * @param a The address to remove
     */
    function removeStorage(address[] storage A, address a)
        internal
    {
        (uint256 index, bool isIn) = indexOf(A, a);
        if (!isIn) {
            revert("Address not in array.");
        } else {
            uint256 lastIndex = A.length - 1; // If the array would be empty, the previous line would throw, so no underflow here
            if (index != lastIndex) { A[index] = A[lastIndex]; }
            A.pop();
        }
    }

    /**
    * Removes specified index from array
    * @param A The input array to search
    * @param index The index to remove
    * @return Returns the new array and the removed entry
    */
    function pop(address[] memory A, uint256 index)
        internal
        pure
        returns (address[] memory, address)
    {
        uint256 length = A.length;
        require(index < A.length, "Index must be < A length");
        address[] memory newAddresses = new address[](length - 1);
        for (uint256 i = 0; i < index; i++) {
            newAddresses[i] = A[i];
        }
        for (uint256 j = index + 1; j < length; j++) {
            newAddresses[j - 1] = A[j];
        }
        return (newAddresses, A[index]);
    }

    /**
     * Returns the combination of the two arrays
     * @param A The first array
     * @param B The second array
     * @return Returns A extended by B
     */
    function extend(address[] memory A, address[] memory B) internal pure returns (address[] memory) {
        uint256 aLength = A.length;
        uint256 bLength = B.length;
        address[] memory newAddresses = new address[](aLength + bLength);
        for (uint256 i = 0; i < aLength; i++) {
            newAddresses[i] = A[i];
        }
        for (uint256 j = 0; j < bLength; j++) {
            newAddresses[aLength + j] = B[j];
        }
        return newAddresses;
    }

    /**
     * Validate that address and uint array lengths match. Validate address array is not empty
     * and contains no duplicate elements.
     *
     * @param A         Array of addresses
     * @param B         Array of uint
     */
    function validatePairsWithArray(address[] memory A, uint[] memory B) internal pure {
        require(A.length == B.length, "Array length mismatch");
        _validateLengthAndUniqueness(A);
    }

    /**
     * Validate that address and bool array lengths match. Validate address array is not empty
     * and contains no duplicate elements.
     *
     * @param A         Array of addresses
     * @param B         Array of bool
     */
    function validatePairsWithArray(address[] memory A, bool[] memory B) internal pure {
        require(A.length == B.length, "Array length mismatch");
        _validateLengthAndUniqueness(A);
    }

    /**
     * Validate that address and string array lengths match. Validate address array is not empty
     * and contains no duplicate elements.
     *
     * @param A         Array of addresses
     * @param B         Array of strings
     */
    function validatePairsWithArray(address[] memory A, string[] memory B) internal pure {
        require(A.length == B.length, "Array length mismatch");
        _validateLengthAndUniqueness(A);
    }

    /**
     * Validate that address array lengths match, and calling address array are not empty
     * and contain no duplicate elements.
     *
     * @param A         Array of addresses
     * @param B         Array of addresses
     */
    function validatePairsWithArray(address[] memory A, address[] memory B) internal pure {
        require(A.length == B.length, "Array length mismatch");
        _validateLengthAndUniqueness(A);
    }

    /**
     * Validate that address and bytes array lengths match. Validate address array is not empty
     * and contains no duplicate elements.
     *
     * @param A         Array of addresses
     * @param B         Array of bytes
     */
    function validatePairsWithArray(address[] memory A, bytes[] memory B) internal pure {
        require(A.length == B.length, "Array length mismatch");
        _validateLengthAndUniqueness(A);
    }

    /**
     * Validate address array is not empty and contains no duplicate elements.
     *
     * @param A          Array of addresses
     */
    function _validateLengthAndUniqueness(address[] memory A) internal pure {
        require(A.length > 0, "Array length must be > 0");
        require(!hasDuplicate(A), "Cannot duplicate addresses");
    }
}

File 27 of 33 : ExplicitERC20.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/

pragma solidity 0.6.10;

import { IERC20 } from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import { SafeERC20 } from "@openzeppelin/contracts/token/ERC20/SafeERC20.sol";
import { SafeMath } from "@openzeppelin/contracts/math/SafeMath.sol";

/**
 * @title ExplicitERC20
 * @author Set Protocol
 *
 * Utility functions for ERC20 transfers that require the explicit amount to be transferred.
 */
library ExplicitERC20 {
    using SafeMath for uint256;

    /**
     * When given allowance, transfers a token from the "_from" to the "_to" of quantity "_quantity".
     * Ensures that the recipient has received the correct quantity (ie no fees taken on transfer)
     *
     * @param _token           ERC20 token to approve
     * @param _from            The account to transfer tokens from
     * @param _to              The account to transfer tokens to
     * @param _quantity        The quantity to transfer
     */
    function transferFrom(
        IERC20 _token,
        address _from,
        address _to,
        uint256 _quantity
    )
        internal
    {
        // Call specified ERC20 contract to transfer tokens (via proxy).
        if (_quantity > 0) {
            uint256 existingBalance = _token.balanceOf(_to);

            SafeERC20.safeTransferFrom(
                _token,
                _from,
                _to,
                _quantity
            );

            uint256 newBalance = _token.balanceOf(_to);

            // Verify transfer quantity is reflected in balance
            require(
                newBalance == existingBalance.add(_quantity),
                "Invalid post transfer balance"
            );
        }
    }
}

File 28 of 33 : PreciseUnitMath.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/

pragma solidity 0.6.10;
pragma experimental ABIEncoderV2;

import { SafeCast } from "@openzeppelin/contracts/utils/SafeCast.sol";
import { SafeMath } from "@openzeppelin/contracts/math/SafeMath.sol";
import { SignedSafeMath } from "@openzeppelin/contracts/math/SignedSafeMath.sol";


/**
 * @title PreciseUnitMath
 * @author Set Protocol
 *
 * Arithmetic for fixed-point numbers with 18 decimals of precision. Some functions taken from
 * dYdX's BaseMath library.
 *
 * CHANGELOG:
 * - 9/21/20: Added safePower function
 * - 4/21/21: Added approximatelyEquals function
 * - 12/13/21: Added preciseDivCeil (int overloads) function
 * - 12/13/21: Added abs function
 */
library PreciseUnitMath {
    using SafeMath for uint256;
    using SignedSafeMath for int256;
    using SafeCast for int256;

    // The number One in precise units.
    uint256 constant internal PRECISE_UNIT = 10 ** 18;
    int256 constant internal PRECISE_UNIT_INT = 10 ** 18;

    // Max unsigned integer value
    uint256 constant internal MAX_UINT_256 = type(uint256).max;
    // Max and min signed integer value
    int256 constant internal MAX_INT_256 = type(int256).max;
    int256 constant internal MIN_INT_256 = type(int256).min;

    /**
     * @dev Getter function since constants can't be read directly from libraries.
     */
    function preciseUnit() internal pure returns (uint256) {
        return PRECISE_UNIT;
    }

    /**
     * @dev Getter function since constants can't be read directly from libraries.
     */
    function preciseUnitInt() internal pure returns (int256) {
        return PRECISE_UNIT_INT;
    }

    /**
     * @dev Getter function since constants can't be read directly from libraries.
     */
    function maxUint256() internal pure returns (uint256) {
        return MAX_UINT_256;
    }

    /**
     * @dev Getter function since constants can't be read directly from libraries.
     */
    function maxInt256() internal pure returns (int256) {
        return MAX_INT_256;
    }

    /**
     * @dev Getter function since constants can't be read directly from libraries.
     */
    function minInt256() internal pure returns (int256) {
        return MIN_INT_256;
    }

    /**
     * @dev Multiplies value a by value b (result is rounded down). It's assumed that the value b is the significand
     * of a number with 18 decimals precision.
     */
    function preciseMul(uint256 a, uint256 b) internal pure returns (uint256) {
        return a.mul(b).div(PRECISE_UNIT);
    }

    /**
     * @dev Multiplies value a by value b (result is rounded towards zero). It's assumed that the value b is the
     * significand of a number with 18 decimals precision.
     */
    function preciseMul(int256 a, int256 b) internal pure returns (int256) {
        return a.mul(b).div(PRECISE_UNIT_INT);
    }

    /**
     * @dev Multiplies value a by value b (result is rounded up). It's assumed that the value b is the significand
     * of a number with 18 decimals precision.
     */
    function preciseMulCeil(uint256 a, uint256 b) internal pure returns (uint256) {
        if (a == 0 || b == 0) {
            return 0;
        }
        return a.mul(b).sub(1).div(PRECISE_UNIT).add(1);
    }

    /**
     * @dev Divides value a by value b (result is rounded down).
     */
    function preciseDiv(uint256 a, uint256 b) internal pure returns (uint256) {
        return a.mul(PRECISE_UNIT).div(b);
    }


    /**
     * @dev Divides value a by value b (result is rounded towards 0).
     */
    function preciseDiv(int256 a, int256 b) internal pure returns (int256) {
        return a.mul(PRECISE_UNIT_INT).div(b);
    }

    /**
     * @dev Divides value a by value b (result is rounded up or away from 0).
     */
    function preciseDivCeil(uint256 a, uint256 b) internal pure returns (uint256) {
        require(b != 0, "Cant divide by 0");

        return a > 0 ? a.mul(PRECISE_UNIT).sub(1).div(b).add(1) : 0;
    }

    /**
     * @dev Divides value a by value b (result is rounded up or away from 0). When `a` is 0, 0 is
     * returned. When `b` is 0, method reverts with divide-by-zero error.
     */
    function preciseDivCeil(int256 a, int256 b) internal pure returns (int256) {
        require(b != 0, "Cant divide by 0");
        
        a = a.mul(PRECISE_UNIT_INT);
        int256 c = a.div(b);

        if (a % b != 0) {
            // a ^ b == 0 case is covered by the previous if statement, hence it won't resolve to --c
            (a ^ b > 0) ? ++c : --c;
        }

        return c;
    }

    /**
     * @dev Divides value a by value b (result is rounded down - positive numbers toward 0 and negative away from 0).
     */
    function divDown(int256 a, int256 b) internal pure returns (int256) {
        require(b != 0, "Cant divide by 0");
        require(a != MIN_INT_256 || b != -1, "Invalid input");

        int256 result = a.div(b);
        if (a ^ b < 0 && a % b != 0) {
            result -= 1;
        }

        return result;
    }

    /**
     * @dev Multiplies value a by value b where rounding is towards the lesser number.
     * (positive values are rounded towards zero and negative values are rounded away from 0).
     */
    function conservativePreciseMul(int256 a, int256 b) internal pure returns (int256) {
        return divDown(a.mul(b), PRECISE_UNIT_INT);
    }

    /**
     * @dev Divides value a by value b where rounding is towards the lesser number.
     * (positive values are rounded towards zero and negative values are rounded away from 0).
     */
    function conservativePreciseDiv(int256 a, int256 b) internal pure returns (int256) {
        return divDown(a.mul(PRECISE_UNIT_INT), b);
    }

    /**
    * @dev Performs the power on a specified value, reverts on overflow.
    */
    function safePower(
        uint256 a,
        uint256 pow
    )
        internal
        pure
        returns (uint256)
    {
        require(a > 0, "Value must be positive");

        uint256 result = 1;
        for (uint256 i = 0; i < pow; i++){
            uint256 previousResult = result;

            // Using safemath multiplication prevents overflows
            result = previousResult.mul(a);
        }

        return result;
    }

    /**
     * @dev Returns true if a =~ b within range, false otherwise.
     */
    function approximatelyEquals(uint256 a, uint256 b, uint256 range) internal pure returns (bool) {
        return a <= b.add(range) && a >= b.sub(range);
    }

    /**
     * Returns the absolute value of int256 `a` as a uint256
     */
    function abs(int256 a) internal pure returns (uint) {
        return a >= 0 ? a.toUint256() : a.mul(-1).toUint256();
    }

    /**
     * Returns the negation of a
     */
    function neg(int256 a) internal pure returns (int256) {
        require(a > MIN_INT_256, "Inversion overflow");
        return -a;
    }
}

File 29 of 33 : AaveV3.sol
/*
    Copyright 2023 Index Coop

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/

pragma solidity 0.6.10;

import { IERC20 } from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import { IPool } from "../../../interfaces/external/aave-v3/IPool.sol";
import { ISetToken } from "../../../interfaces/ISetToken.sol";

/**
 * @title AaveV3
 * @author Set Protocol / Index Protocol
 * 
 * Collection of helper functions for interacting with AaveV3 integrations.
 */
library AaveV3 {
    /* ============ External ============ */
    
    /**
     * Get deposit calldata from SetToken
     *
     * Supplies an `_amountNotional` of underlying asset into the reserve, receiving in return overlying aTokens.
     * - E.g. User supplies 100 USDC and gets in return 100 aUSDC
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the underlying asset to deposit
     * @param _amountNotional       The amount to be supplied
     * @param _onBehalfOf           The address that will receive the aTokens, same as msg.sender if the user
     *                              wants to receive them on his own wallet, or a different address if the beneficiary of aTokens
     *                              is a different wallet
     * @param _referralCode         Code used to register the integrator originating the operation, for potential rewards.
     *                              0 if the action is executed directly by the user, without any middle-man
     *
     * @return address              Target contract address
     * @return uint256              Call value
     * @return bytes                Deposit calldata
     */
    function getSupplyCalldata(
        IPool _pool,
        address _asset, 
        uint256 _amountNotional,
        address _onBehalfOf,
        uint16 _referralCode
    )
        public
        pure
        returns (address, uint256, bytes memory)
    {
        bytes memory callData = abi.encodeWithSignature(
            "supply(address,uint256,address,uint16)", 
            _asset, 
            _amountNotional, 
            _onBehalfOf,
            _referralCode
        );
        
        return (address(_pool), 0, callData);
    }
    
    /**
     * Invoke supply on Pool from SetToken
     * 
     * Supplies an `_amountNotional` of underlying asset into the reserve, receiving in return overlying aTokens.
     * - E.g. SetToken supplies 100 USDC and gets in return 100 aUSDC
     * @param _setToken             Address of the SetToken
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the underlying asset to supply
     * @param _amountNotional       The amount to be supplied
     */
    function invokeSupply(
        ISetToken _setToken,
        IPool _pool,
        address _asset,
        uint256 _amountNotional        
    )
        external
    {
        ( , , bytes memory supplyCalldata) = getSupplyCalldata(
            _pool,
            _asset,
            _amountNotional, 
            address(_setToken), 
            0
        );
        
        _setToken.invoke(address(_pool), 0, supplyCalldata);
    }
    
    /**
     * Get withdraw calldata from SetToken
     * 
     * Withdraws an `_amountNotional` of underlying asset from the reserve, burning the equivalent aTokens owned
     * - E.g. User has 100 aUSDC, calls withdraw() and receives 100 USDC, burning the 100 aUSDC
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the underlying asset to withdraw
     * @param _amountNotional       The underlying amount to be withdrawn
     *                              Note: Passing type(uint256).max will withdraw the entire aToken balance
     * @param _receiver             Address that will receive the underlying, same as msg.sender if the user
     *                              wants to receive it on his own wallet, or a different address if the beneficiary is a
     *                              different wallet
     *
     * @return address              Target contract address
     * @return uint256              Call value
     * @return bytes                Withdraw calldata
     */
    function getWithdrawCalldata(
        IPool _pool,
        address _asset, 
        uint256 _amountNotional,
        address _receiver        
    )
        public
        pure
        returns (address, uint256, bytes memory)
    {
        bytes memory callData = abi.encodeWithSignature(
            "withdraw(address,uint256,address)", 
            _asset, 
            _amountNotional, 
            _receiver
        );
        
        return (address(_pool), 0, callData);
    }
    
    /**
     * Invoke withdraw on Pool from SetToken
     * 
     * Withdraws an `_amountNotional` of underlying asset from the reserve, burning the equivalent aTokens owned
     * - E.g. SetToken has 100 aUSDC, and receives 100 USDC, burning the 100 aUSDC
     *     
     * @param _setToken         Address of the SetToken
     * @param _pool             Address of the AaveV3 Pool contract
     * @param _asset            The address of the underlying asset to withdraw
     * @param _amountNotional   The underlying amount to be withdrawn
     *                          Note: Passing type(uint256).max will withdraw the entire aToken balance
     *
     * @return uint256          The final amount withdrawn
     */
    function invokeWithdraw(
        ISetToken _setToken,
        IPool _pool,
        address _asset,
        uint256 _amountNotional        
    )
        external
        returns (uint256)
    {
        ( , , bytes memory withdrawCalldata) = getWithdrawCalldata(
            _pool,
            _asset,
            _amountNotional, 
            address(_setToken)
        );
        
        return abi.decode(_setToken.invoke(address(_pool), 0, withdrawCalldata), (uint256));
    }
    
    /**
     * Get borrow calldata from SetToken
     *
     * Allows users to borrow a specific `_amountNotional` of the reserve underlying `_asset`, provided that 
     * the borrower already supplied enough collateral, or he was given enough allowance by a credit delegator
     * on the corresponding debt token (StableDebtToken or VariableDebtToken)
     *
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the underlying asset to borrow
     * @param _amountNotional       The amount to be borrowed
     * @param _interestRateMode     The interest rate mode at which the user wants to borrow: 1 for Stable, 2 for Variable
     * @param _referralCode         Code used to register the integrator originating the operation, for potential rewards.
     *                              0 if the action is executed directly by the user, without any middle-man
     * @param _onBehalfOf           Address of the user who will receive the debt. Should be the address of the borrower itself
     *                              calling the function if he wants to borrow against his own collateral, or the address of the
     *                              credit delegator if he has been given credit delegation allowance
     *
     * @return address              Target contract address
     * @return uint256              Call value
     * @return bytes                Borrow calldata
     */
    function getBorrowCalldata(
        IPool _pool,
        address _asset, 
        uint256 _amountNotional,
        uint256 _interestRateMode,
        uint16 _referralCode,
        address _onBehalfOf
    )
        public
        pure
        returns (address, uint256, bytes memory)
    {
        bytes memory callData = abi.encodeWithSignature(
            "borrow(address,uint256,uint256,uint16,address)", 
            _asset, 
            _amountNotional, 
            _interestRateMode,
            _referralCode,
            _onBehalfOf
        );
        
        return (address(_pool), 0, callData);
    }
    
    /**
     * Invoke borrow on Pool from SetToken
     *
     * Allows SetToken to borrow a specific `_amountNotional` of the reserve underlying `_asset`, provided that 
     * the SetToken already supplied enough collateral, or it was given enough allowance by a credit delegator
     * on the corresponding debt token (StableDebtToken or VariableDebtToken)
     * @param _setToken             Address of the SetToken
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the underlying asset to borrow
     * @param _amountNotional       The amount to be borrowed
     * @param _interestRateMode     The interest rate mode at which the user wants to borrow: 1 for Stable, 2 for Variable
     */
    function invokeBorrow(
        ISetToken _setToken,
        IPool _pool,
        address _asset,
        uint256 _amountNotional,
        uint256 _interestRateMode
    )
        external
    {
        ( , , bytes memory borrowCalldata) = getBorrowCalldata(
            _pool,
            _asset,
            _amountNotional,
            _interestRateMode,
            0, 
            address(_setToken)
        );
        
        _setToken.invoke(address(_pool), 0, borrowCalldata);
    }

    /**
     * Get repay calldata from SetToken
     *
     * Repays a borrowed `_amountNotional` on a specific `_asset` reserve, burning the equivalent debt tokens owned
     * - E.g. User repays 100 USDC, burning 100 variable/stable debt tokens of the `onBehalfOf` address
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the borrowed underlying asset previously borrowed
     * @param _amountNotional       The amount to repay
     *                              Note: Passing type(uint256).max will repay the whole debt for `_asset` on the specific `_interestRateMode`
     * @param _interestRateMode     The interest rate mode at of the debt the user wants to repay: 1 for Stable, 2 for Variable
     * @param _onBehalfOf           Address of the user who will get his debt reduced/removed. Should be the address of the
     *                              user calling the function if he wants to reduce/remove his own debt, or the address of any other
     *                              other borrower whose debt should be removed
     *
     * @return address              Target contract address
     * @return uint256              Call value
     * @return bytes                Repay calldata
     */
    function getRepayCalldata(
        IPool _pool,
        address _asset, 
        uint256 _amountNotional,
        uint256 _interestRateMode,        
        address _onBehalfOf
    )
        public
        pure
        returns (address, uint256, bytes memory)
    {
        bytes memory callData = abi.encodeWithSignature(
            "repay(address,uint256,uint256,address)", 
            _asset, 
            _amountNotional, 
            _interestRateMode,            
            _onBehalfOf
        );
        
        return (address(_pool), 0, callData);
    }

    /**
     * Invoke repay on Pool from SetToken
     *
     * Repays a borrowed `_amountNotional` on a specific `_asset` reserve, burning the equivalent debt tokens owned
     * - E.g. SetToken repays 100 USDC, burning 100 variable/stable debt tokens
     * @param _setToken             Address of the SetToken
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the borrowed underlying asset previously borrowed
     * @param _amountNotional       The amount to repay
     *                              Note: Passing type(uint256).max will repay the whole debt for `_asset` on the specific `_interestRateMode`
     * @param _interestRateMode     The interest rate mode at of the debt the user wants to repay: 1 for Stable, 2 for Variable
     *
     * @return uint256              The final amount repaid
     */
    function invokeRepay(
        ISetToken _setToken,
        IPool _pool,
        address _asset,
        uint256 _amountNotional,
        uint256 _interestRateMode
    )
        external
        returns (uint256)
    {
        ( , , bytes memory repayCalldata) = getRepayCalldata(
            _pool,
            _asset,
            _amountNotional,
            _interestRateMode,
            address(_setToken)
        );
        
        return abi.decode(_setToken.invoke(address(_pool), 0, repayCalldata), (uint256));
    }

    /**
     * Get setUserUseReserveAsCollateral calldata from SetToken
     * 
     * Allows borrower to enable/disable a specific supplied asset as collateral
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the underlying asset supplied
     * @param _useAsCollateral      true` if the user wants to use the deposit as collateral, `false` otherwise
     *
     * @return address              Target contract address
     * @return uint256              Call value
     * @return bytes                SetUserUseReserveAsCollateral calldata
     */
    function getSetUserUseReserveAsCollateralCalldata(
        IPool _pool,
        address _asset,
        bool _useAsCollateral
    )
        public
        pure
        returns (address, uint256, bytes memory)
    {
        bytes memory callData = abi.encodeWithSignature(
            "setUserUseReserveAsCollateral(address,bool)", 
            _asset,
            _useAsCollateral
        );
        
        return (address(_pool), 0, callData);
    }

    /**
     * Invoke an asset to be used as collateral on Aave from SetToken
     *
     * Allows SetToken to enable/disable a specific supplied asset as collateral
     * @param _setToken             Address of the SetToken
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _asset                The address of the underlying asset supplied
     * @param _useAsCollateral      true` if the user wants to use the deposit as collateral, `false` otherwise
     */
    function invokeSetUserUseReserveAsCollateral(
        ISetToken _setToken,
        IPool _pool,
        address _asset,
        bool _useAsCollateral
    )
        external
    {
        ( , , bytes memory callData) = getSetUserUseReserveAsCollateralCalldata(
            _pool,
            _asset,
            _useAsCollateral
        );
        
        _setToken.invoke(address(_pool), 0, callData);
    }
    
    /**
     * Get swapBorrowRate calldata from SetToken
     *
     * Allows a borrower to toggle his debt between stable and variable mode
     * @param _pool             Address of the AaveV3 Pool contract
     * @param _asset            The address of the underlying asset borrowed
     * @param _rateMode         The rate mode that the user wants to swap to
     *
     * @return address          Target contract address
     * @return uint256          Call value
     * @return bytes            SwapBorrowRate calldata
     */
    function getSwapBorrowRateModeCalldata(
        IPool _pool,
        address _asset,
        uint256 _rateMode
    )
        public
        pure
        returns (address, uint256, bytes memory)
    {
        bytes memory callData = abi.encodeWithSignature(
            "swapBorrowRateMode(address,uint256)", 
            _asset,
            _rateMode
        );
        
        return (address(_pool), 0, callData);
    }

    /**
     * Invoke to swap borrow rate of SetToken
     * 
     * Allows SetToken to toggle it's debt between stable and variable mode
     * @param _setToken         Address of the SetToken
     * @param _pool             Address of the AaveV3 Pool contract
     * @param _asset            The address of the underlying asset borrowed
     * @param _rateMode         The rate mode that the user wants to swap to
     */
    function invokeSwapBorrowRateMode(
        ISetToken _setToken,
        IPool _pool,
        address _asset,
        uint256 _rateMode
    )
        external
    {
        ( , , bytes memory callData) = getSwapBorrowRateModeCalldata(
            _pool,
            _asset,
            _rateMode
        );
        
        _setToken.invoke(address(_pool), 0, callData);
    }

    /**
     * Invoke set User EMode on  aave pool
     *
     * Sets the Aave-EMode category on behalf of the SetToken corresponding to the specified token category.
     * @param _setToken             Address of the SetToken
     * @param _pool                 Address of the AaveV3 Pool contract
     * @param _categoryId           The category id  of the EMode (Usually identifies groups of correlated assets such as stablecoins or eth derivatives)
     */
    function invokeSetUserEMode(
        ISetToken _setToken,
        IPool _pool,
        uint8 _categoryId
    )
        external
    {
        ( , , bytes memory borrowCalldata) = getSetUserEmodeCalldata(
            _pool,
            _categoryId
        );
        
        _setToken.invoke(address(_pool), 0, borrowCalldata);
    }

    function getSetUserEmodeCalldata(
        IPool _pool,
        uint8 _categoryId
    )
        public
        pure
        returns (address, uint256, bytes memory)
    {
        bytes memory callData = abi.encodeWithSignature(
            "setUserEMode(uint8)", 
            _categoryId
        );
        
        return (address(_pool), 0, callData);
    }
}

File 30 of 33 : Invoke.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/

pragma solidity 0.6.10;

import { IERC20 } from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import { SafeMath } from "@openzeppelin/contracts/math/SafeMath.sol";

import { ISetToken } from "../../interfaces/ISetToken.sol";


/**
 * @title Invoke
 * @author Set Protocol
 *
 * A collection of common utility functions for interacting with the SetToken's invoke function
 */
library Invoke {
    using SafeMath for uint256;

    /* ============ Internal ============ */

    /**
     * Instructs the SetToken to set approvals of the ERC20 token to a spender.
     *
     * @param _setToken        SetToken instance to invoke
     * @param _token           ERC20 token to approve
     * @param _spender         The account allowed to spend the SetToken's balance
     * @param _quantity        The quantity of allowance to allow
     */
    function invokeApprove(
        ISetToken _setToken,
        address _token,
        address _spender,
        uint256 _quantity
    )
        internal
    {
        bytes memory callData = abi.encodeWithSignature("approve(address,uint256)", _spender, _quantity);
        _setToken.invoke(_token, 0, callData);
    }

    /**
     * Instructs the SetToken to transfer the ERC20 token to a recipient.
     *
     * @param _setToken        SetToken instance to invoke
     * @param _token           ERC20 token to transfer
     * @param _to              The recipient account
     * @param _quantity        The quantity to transfer
     */
    function invokeTransfer(
        ISetToken _setToken,
        address _token,
        address _to,
        uint256 _quantity
    )
        internal
    {
        if (_quantity > 0) {
            bytes memory callData = abi.encodeWithSignature("transfer(address,uint256)", _to, _quantity);
            _setToken.invoke(_token, 0, callData);
        }
    }

    /**
     * Instructs the SetToken to transfer the ERC20 token to a recipient.
     * The new SetToken balance must equal the existing balance less the quantity transferred
     *
     * @param _setToken        SetToken instance to invoke
     * @param _token           ERC20 token to transfer
     * @param _to              The recipient account
     * @param _quantity        The quantity to transfer
     */
    function strictInvokeTransfer(
        ISetToken _setToken,
        address _token,
        address _to,
        uint256 _quantity
    )
        internal
    {
        if (_quantity > 0) {
            // Retrieve current balance of token for the SetToken
            uint256 existingBalance = IERC20(_token).balanceOf(address(_setToken));

            Invoke.invokeTransfer(_setToken, _token, _to, _quantity);

            // Get new balance of transferred token for SetToken
            uint256 newBalance = IERC20(_token).balanceOf(address(_setToken));

            // Verify only the transfer quantity is subtracted
            require(
                newBalance == existingBalance.sub(_quantity),
                "Invalid post transfer balance"
            );
        }
    }

    /**
     * Instructs the SetToken to unwrap the passed quantity of WETH
     *
     * @param _setToken        SetToken instance to invoke
     * @param _weth            WETH address
     * @param _quantity        The quantity to unwrap
     */
    function invokeUnwrapWETH(ISetToken _setToken, address _weth, uint256 _quantity) internal {
        bytes memory callData = abi.encodeWithSignature("withdraw(uint256)", _quantity);
        _setToken.invoke(_weth, 0, callData);
    }

    /**
     * Instructs the SetToken to wrap the passed quantity of ETH
     *
     * @param _setToken        SetToken instance to invoke
     * @param _weth            WETH address
     * @param _quantity        The quantity to unwrap
     */
    function invokeWrapWETH(ISetToken _setToken, address _weth, uint256 _quantity) internal {
        bytes memory callData = abi.encodeWithSignature("deposit()");
        _setToken.invoke(_weth, _quantity, callData);
    }
}

File 31 of 33 : ModuleBase.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/

pragma solidity 0.6.10;

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

import { AddressArrayUtils } from "../../lib/AddressArrayUtils.sol";
import { ExplicitERC20 } from "../../lib/ExplicitERC20.sol";
import { IController } from "../../interfaces/IController.sol";
import { IModule } from "../../interfaces/IModule.sol";
import { ISetToken } from "../../interfaces/ISetToken.sol";
import { Invoke } from "./Invoke.sol";
import { Position } from "./Position.sol";
import { PreciseUnitMath } from "../../lib/PreciseUnitMath.sol";
import { ResourceIdentifier } from "./ResourceIdentifier.sol";
import { SafeCast } from "@openzeppelin/contracts/utils/SafeCast.sol";
import { SafeMath } from "@openzeppelin/contracts/math/SafeMath.sol";
import { SignedSafeMath } from "@openzeppelin/contracts/math/SignedSafeMath.sol";

/**
 * @title ModuleBase
 * @author Set Protocol
 *
 * Abstract class that houses common Module-related state and functions.
 *
 * CHANGELOG:
 * - 4/21/21: Delegated modifier logic to internal helpers to reduce contract size
 *
 */
abstract contract ModuleBase is IModule {
    using AddressArrayUtils for address[];
    using Invoke for ISetToken;
    using Position for ISetToken;
    using PreciseUnitMath for uint256;
    using ResourceIdentifier for IController;
    using SafeCast for int256;
    using SafeCast for uint256;
    using SafeMath for uint256;
    using SignedSafeMath for int256;

    /* ============ State Variables ============ */

    // Address of the controller
    IController public controller;

    /* ============ Modifiers ============ */

    modifier onlyManagerAndValidSet(ISetToken _setToken) {
        _validateOnlyManagerAndValidSet(_setToken);
        _;
    }

    modifier onlySetManager(ISetToken _setToken, address _caller) {
        _validateOnlySetManager(_setToken, _caller);
        _;
    }

    modifier onlyValidAndInitializedSet(ISetToken _setToken) {
        _validateOnlyValidAndInitializedSet(_setToken);
        _;
    }

    /**
     * Throws if the sender is not a SetToken's module or module not enabled
     */
    modifier onlyModule(ISetToken _setToken) {
        _validateOnlyModule(_setToken);
        _;
    }

    /**
     * Utilized during module initializations to check that the module is in pending state
     * and that the SetToken is valid
     */
    modifier onlyValidAndPendingSet(ISetToken _setToken) {
        _validateOnlyValidAndPendingSet(_setToken);
        _;
    }

    /* ============ Constructor ============ */

    /**
     * Set state variables and map asset pairs to their oracles
     *
     * @param _controller             Address of controller contract
     */
    constructor(IController _controller) public {
        controller = _controller;
    }

    /* ============ Internal Functions ============ */

    /**
     * Transfers tokens from an address (that has set allowance on the module).
     *
     * @param  _token          The address of the ERC20 token
     * @param  _from           The address to transfer from
     * @param  _to             The address to transfer to
     * @param  _quantity       The number of tokens to transfer
     */
    function transferFrom(IERC20 _token, address _from, address _to, uint256 _quantity) internal {
        ExplicitERC20.transferFrom(_token, _from, _to, _quantity);
    }

    /**
     * Gets the integration for the module with the passed in name. Validates that the address is not empty
     */
    function getAndValidateAdapter(string memory _integrationName) internal view returns(address) { 
        bytes32 integrationHash = getNameHash(_integrationName);
        return getAndValidateAdapterWithHash(integrationHash);
    }

    /**
     * Gets the integration for the module with the passed in hash. Validates that the address is not empty
     */
    function getAndValidateAdapterWithHash(bytes32 _integrationHash) internal view returns(address) { 
        address adapter = controller.getIntegrationRegistry().getIntegrationAdapterWithHash(
            address(this),
            _integrationHash
        );

        require(adapter != address(0), "Must be valid adapter"); 
        return adapter;
    }

    /**
     * Gets the total fee for this module of the passed in index (fee % * quantity)
     */
    function getModuleFee(uint256 _feeIndex, uint256 _quantity) internal view returns(uint256) {
        uint256 feePercentage = controller.getModuleFee(address(this), _feeIndex);
        return _quantity.preciseMul(feePercentage);
    }

    /**
     * Pays the _feeQuantity from the _setToken denominated in _token to the protocol fee recipient
     */
    function payProtocolFeeFromSetToken(ISetToken _setToken, address _token, uint256 _feeQuantity) internal {
        if (_feeQuantity > 0) {
            _setToken.strictInvokeTransfer(_token, controller.feeRecipient(), _feeQuantity); 
        }
    }

    /**
     * Returns true if the module is in process of initialization on the SetToken
     */
    function isSetPendingInitialization(ISetToken _setToken) internal view returns(bool) {
        return _setToken.isPendingModule(address(this));
    }

    /**
     * Returns true if the address is the SetToken's manager
     */
    function isSetManager(ISetToken _setToken, address _toCheck) internal view returns(bool) {
        return _setToken.manager() == _toCheck;
    }

    /**
     * Returns true if SetToken must be enabled on the controller 
     * and module is registered on the SetToken
     */
    function isSetValidAndInitialized(ISetToken _setToken) internal view returns(bool) {
        return controller.isSet(address(_setToken)) &&
            _setToken.isInitializedModule(address(this));
    }

    /**
     * Hashes the string and returns a bytes32 value
     */
    function getNameHash(string memory _name) internal pure returns(bytes32) {
        return keccak256(bytes(_name));
    }

    /* ============== Modifier Helpers ===============
     * Internal functions used to reduce bytecode size
     */

    /**
     * Caller must SetToken manager and SetToken must be valid and initialized
     */
    function _validateOnlyManagerAndValidSet(ISetToken _setToken) internal view {
       require(isSetManager(_setToken, msg.sender), "Must be the SetToken manager");
       require(isSetValidAndInitialized(_setToken), "Must be a valid and initialized SetToken");
    }

    /**
     * Caller must SetToken manager
     */
    function _validateOnlySetManager(ISetToken _setToken, address _caller) internal view {
        require(isSetManager(_setToken, _caller), "Must be the SetToken manager");
    }

    /**
     * SetToken must be valid and initialized
     */
    function _validateOnlyValidAndInitializedSet(ISetToken _setToken) internal view {
        require(isSetValidAndInitialized(_setToken), "Must be a valid and initialized SetToken");
    }

    /**
     * Caller must be initialized module and module must be enabled on the controller
     */
    function _validateOnlyModule(ISetToken _setToken) internal view {
        require(
            _setToken.moduleStates(msg.sender) == ISetToken.ModuleState.INITIALIZED,
            "Only the module can call"
        );

        require(
            controller.isModule(msg.sender),
            "Module must be enabled on controller"
        );
    }

    /**
     * SetToken must be in a pending state and module must be in pending state
     */
    function _validateOnlyValidAndPendingSet(ISetToken _setToken) internal view {
        require(controller.isSet(address(_setToken)), "Must be controller-enabled SetToken");
        require(isSetPendingInitialization(_setToken), "Must be pending initialization");
    }
}

File 32 of 33 : Position.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/

pragma solidity 0.6.10;
pragma experimental "ABIEncoderV2";

import { IERC20 } from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import { SafeCast } from "@openzeppelin/contracts/utils/SafeCast.sol";
import { SafeMath } from "@openzeppelin/contracts/math/SafeMath.sol";
import { SignedSafeMath } from "@openzeppelin/contracts/math/SignedSafeMath.sol";

import { ISetToken } from "../../interfaces/ISetToken.sol";
import { PreciseUnitMath } from "../../lib/PreciseUnitMath.sol";


/**
 * @title Position
 * @author Set Protocol
 *
 * Collection of helper functions for handling and updating SetToken Positions
 *
 * CHANGELOG:
 *  - Updated editExternalPosition to work when no external position is associated with module
 */
library Position {
    using SafeCast for uint256;
    using SafeMath for uint256;
    using SafeCast for int256;
    using SignedSafeMath for int256;
    using PreciseUnitMath for uint256;

    /* ============ Helper ============ */

    /**
     * Returns whether the SetToken has a default position for a given component (if the real unit is > 0)
     */
    function hasDefaultPosition(ISetToken _setToken, address _component) internal view returns(bool) {
        return _setToken.getDefaultPositionRealUnit(_component) > 0;
    }

    /**
     * Returns whether the SetToken has an external position for a given component (if # of position modules is > 0)
     */
    function hasExternalPosition(ISetToken _setToken, address _component) internal view returns(bool) {
        return _setToken.getExternalPositionModules(_component).length > 0;
    }
    
    /**
     * Returns whether the SetToken component default position real unit is greater than or equal to units passed in.
     */
    function hasSufficientDefaultUnits(ISetToken _setToken, address _component, uint256 _unit) internal view returns(bool) {
        return _setToken.getDefaultPositionRealUnit(_component) >= _unit.toInt256();
    }

    /**
     * Returns whether the SetToken component external position is greater than or equal to the real units passed in.
     */
    function hasSufficientExternalUnits(
        ISetToken _setToken,
        address _component,
        address _positionModule,
        uint256 _unit
    )
        internal
        view
        returns(bool)
    {
       return _setToken.getExternalPositionRealUnit(_component, _positionModule) >= _unit.toInt256();    
    }

    /**
     * If the position does not exist, create a new Position and add to the SetToken. If it already exists,
     * then set the position units. If the new units is 0, remove the position. Handles adding/removing of 
     * components where needed (in light of potential external positions).
     *
     * @param _setToken           Address of SetToken being modified
     * @param _component          Address of the component
     * @param _newUnit            Quantity of Position units - must be >= 0
     */
    function editDefaultPosition(ISetToken _setToken, address _component, uint256 _newUnit) internal {
        bool isPositionFound = hasDefaultPosition(_setToken, _component);
        if (!isPositionFound && _newUnit > 0) {
            // If there is no Default Position and no External Modules, then component does not exist
            if (!hasExternalPosition(_setToken, _component)) {
                _setToken.addComponent(_component);
            }
        } else if (isPositionFound && _newUnit == 0) {
            // If there is a Default Position and no external positions, remove the component
            if (!hasExternalPosition(_setToken, _component)) {
                _setToken.removeComponent(_component);
            }
        }

        _setToken.editDefaultPositionUnit(_component, _newUnit.toInt256());
    }

    /**
     * Update an external position and remove and external positions or components if necessary. The logic flows as follows:
     * 1) If component is not already added then add component and external position. 
     * 2) If component is added but no existing external position using the passed module exists then add the external position.
     * 3) If the existing position is being added to then just update the unit and data
     * 4) If the position is being closed and no other external positions or default positions are associated with the component
     *    then untrack the component and remove external position.
     * 5) If the position is being closed and other existing positions still exist for the component then just remove the
     *    external position.
     *
     * @param _setToken         SetToken being updated
     * @param _component        Component position being updated
     * @param _module           Module external position is associated with
     * @param _newUnit          Position units of new external position
     * @param _data             Arbitrary data associated with the position
     */
    function editExternalPosition(
        ISetToken _setToken,
        address _component,
        address _module,
        int256 _newUnit,
        bytes memory _data
    )
        internal
    {
        if (_newUnit != 0) {
            if (!_setToken.isComponent(_component)) {
                _setToken.addComponent(_component);
                _setToken.addExternalPositionModule(_component, _module);
            } else if (!_setToken.isExternalPositionModule(_component, _module)) {
                _setToken.addExternalPositionModule(_component, _module);
            }
            _setToken.editExternalPositionUnit(_component, _module, _newUnit);
            _setToken.editExternalPositionData(_component, _module, _data);
        } else {
            require(_data.length == 0, "Passed data must be null");
            // If no default or external position remaining then remove component from components array
            if (_setToken.getExternalPositionRealUnit(_component, _module) != 0) {
                address[] memory positionModules = _setToken.getExternalPositionModules(_component);
                if (_setToken.getDefaultPositionRealUnit(_component) == 0 && positionModules.length == 1) {
                    require(positionModules[0] == _module, "External positions must be 0 to remove component");
                    _setToken.removeComponent(_component);
                }
                _setToken.removeExternalPositionModule(_component, _module);
            }
        }
    }

    /**
     * Get total notional amount of Default position
     *
     * @param _setTokenSupply     Supply of SetToken in precise units (10^18)
     * @param _positionUnit       Quantity of Position units
     *
     * @return                    Total notional amount of units
     */
    function getDefaultTotalNotional(uint256 _setTokenSupply, uint256 _positionUnit) internal pure returns (uint256) {
        return _setTokenSupply.preciseMul(_positionUnit);
    }

    /**
     * Get position unit from total notional amount
     *
     * @param _setTokenSupply     Supply of SetToken in precise units (10^18)
     * @param _totalNotional      Total notional amount of component prior to
     * @return                    Default position unit
     */
    function getDefaultPositionUnit(uint256 _setTokenSupply, uint256 _totalNotional) internal pure returns (uint256) {
        return _totalNotional.preciseDiv(_setTokenSupply);
    }

    /**
     * Get the total tracked balance - total supply * position unit
     *
     * @param _setToken           Address of the SetToken
     * @param _component          Address of the component
     * @return                    Notional tracked balance
     */
    function getDefaultTrackedBalance(ISetToken _setToken, address _component) internal view returns(uint256) {
        int256 positionUnit = _setToken.getDefaultPositionRealUnit(_component); 
        return _setToken.totalSupply().preciseMul(positionUnit.toUint256());
    }

    /**
     * Calculates the new default position unit and performs the edit with the new unit
     *
     * @param _setToken                 Address of the SetToken
     * @param _component                Address of the component
     * @param _setTotalSupply           Current SetToken supply
     * @param _componentPreviousBalance Pre-action component balance
     * @return                          Current component balance
     * @return                          Previous position unit
     * @return                          New position unit
     */
    function calculateAndEditDefaultPosition(
        ISetToken _setToken,
        address _component,
        uint256 _setTotalSupply,
        uint256 _componentPreviousBalance
    )
        internal
        returns(uint256, uint256, uint256)
    {
        uint256 currentBalance = IERC20(_component).balanceOf(address(_setToken));
        uint256 positionUnit = _setToken.getDefaultPositionRealUnit(_component).toUint256();

        uint256 newTokenUnit;
        if (currentBalance > 0) {
            newTokenUnit = calculateDefaultEditPositionUnit(
                _setTotalSupply,
                _componentPreviousBalance,
                currentBalance,
                positionUnit
            );
        } else {
            newTokenUnit = 0;
        }

        editDefaultPosition(_setToken, _component, newTokenUnit);

        return (currentBalance, positionUnit, newTokenUnit);
    }

    /**
     * Calculate the new position unit given total notional values pre and post executing an action that changes SetToken state
     * The intention is to make updates to the units without accidentally picking up airdropped assets as well.
     *
     * @param _setTokenSupply     Supply of SetToken in precise units (10^18)
     * @param _preTotalNotional   Total notional amount of component prior to executing action
     * @param _postTotalNotional  Total notional amount of component after the executing action
     * @param _prePositionUnit    Position unit of SetToken prior to executing action
     * @return                    New position unit
     */
    function calculateDefaultEditPositionUnit(
        uint256 _setTokenSupply,
        uint256 _preTotalNotional,
        uint256 _postTotalNotional,
        uint256 _prePositionUnit
    )
        internal
        pure
        returns (uint256)
    {
        // If pre action total notional amount is greater then subtract post action total notional and calculate new position units
        uint256 airdroppedAmount = _preTotalNotional.sub(_prePositionUnit.preciseMul(_setTokenSupply));
        return _postTotalNotional.sub(airdroppedAmount).preciseDiv(_setTokenSupply);
    }
}

File 33 of 33 : ResourceIdentifier.sol
/*
    Copyright 2020 Set Labs Inc.

    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at

    http://www.apache.org/licenses/LICENSE-2.0

    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.

    SPDX-License-Identifier: Apache License, Version 2.0
*/

pragma solidity 0.6.10;

import { IController } from "../../interfaces/IController.sol";
import { IIntegrationRegistry } from "../../interfaces/IIntegrationRegistry.sol";
import { IPriceOracle } from "../../interfaces/IPriceOracle.sol";
import { ISetValuer } from "../../interfaces/ISetValuer.sol";

/**
 * @title ResourceIdentifier
 * @author Set Protocol
 *
 * A collection of utility functions to fetch information related to Resource contracts in the system
 */
library ResourceIdentifier {

    // IntegrationRegistry will always be resource ID 0 in the system
    uint256 constant internal INTEGRATION_REGISTRY_RESOURCE_ID = 0;
    // PriceOracle will always be resource ID 1 in the system
    uint256 constant internal PRICE_ORACLE_RESOURCE_ID = 1;
    // SetValuer resource will always be resource ID 2 in the system
    uint256 constant internal SET_VALUER_RESOURCE_ID = 2;

    /* ============ Internal ============ */

    /**
     * Gets the instance of integration registry stored on Controller. Note: IntegrationRegistry is stored as index 0 on
     * the Controller
     */
    function getIntegrationRegistry(IController _controller) internal view returns (IIntegrationRegistry) {
        return IIntegrationRegistry(_controller.resourceId(INTEGRATION_REGISTRY_RESOURCE_ID));
    }

    /**
     * Gets instance of price oracle on Controller. Note: PriceOracle is stored as index 1 on the Controller
     */
    function getPriceOracle(IController _controller) internal view returns (IPriceOracle) {
        return IPriceOracle(_controller.resourceId(PRICE_ORACLE_RESOURCE_ID));
    }

    /**
     * Gets the instance of Set valuer on Controller. Note: SetValuer is stored as index 2 on the Controller
     */
    function getSetValuer(IController _controller) internal view returns (ISetValuer) {
        return ISetValuer(_controller.resourceId(SET_VALUER_RESOURCE_ID));
    }
}

Settings
{
  "evmVersion": "istanbul",
  "libraries": {
    "contracts/protocol/modules/v1/AaveV3LeverageModule.sol:AaveV3LeverageModule": {
      "AaveV3": "0x39Bd75ddF7238b5a4e8D9f7bb8A4d38aeF9a150F"
    }
  },
  "metadata": {
    "bytecodeHash": "ipfs",
    "useLiteralContent": true
  },
  "optimizer": {
    "enabled": true,
    "runs": 200
  },
  "remappings": [],
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "devdoc",
        "userdoc",
        "metadata",
        "abi"
      ]
    }
  }
}

Contract Security Audit

Contract ABI

[{"inputs":[{"internalType":"contract IController","name":"_controller","type":"address"},{"internalType":"contract IPoolAddressesProvider","name":"_poolAddressesProvider","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bool","name":"_anySetAllowed","type":"bool"}],"name":"AnySetAllowedUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"indexed":true,"internalType":"bool","name":"_added","type":"bool"},{"indexed":false,"internalType":"contract IERC20[]","name":"_assets","type":"address[]"}],"name":"BorrowAssetsUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"indexed":true,"internalType":"bool","name":"_added","type":"bool"},{"indexed":false,"internalType":"contract IERC20[]","name":"_assets","type":"address[]"}],"name":"CollateralAssetsUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"indexed":true,"internalType":"contract IERC20","name":"_collateralAsset","type":"address"},{"indexed":true,"internalType":"contract IERC20","name":"_repayAsset","type":"address"},{"indexed":false,"internalType":"contract IExchangeAdapter","name":"_exchangeAdapter","type":"address"},{"indexed":false,"internalType":"uint256","name":"_totalRedeemAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_totalRepayAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_protocolFee","type":"uint256"}],"name":"LeverageDecreased","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"indexed":true,"internalType":"contract IERC20","name":"_borrowAsset","type":"address"},{"indexed":true,"internalType":"contract IERC20","name":"_collateralAsset","type":"address"},{"indexed":false,"internalType":"contract IExchangeAdapter","name":"_exchangeAdapter","type":"address"},{"indexed":false,"internalType":"uint256","name":"_totalBorrowAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_totalReceiveAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_protocolFee","type":"uint256"}],"name":"LeverageIncreased","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"contract IERC20","name":"_underlying","type":"address"},{"indexed":true,"internalType":"contract IAToken","name":"_aToken","type":"address"},{"indexed":true,"internalType":"contract IVariableDebtToken","name":"_variableDebtToken","type":"address"}],"name":"ReserveTokensUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"indexed":true,"internalType":"bool","name":"_added","type":"bool"}],"name":"SetTokenStatusUpdated","type":"event"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IERC20[]","name":"_newBorrowAssets","type":"address[]"}],"name":"addBorrowAssets","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IERC20[]","name":"_newCollateralAssets","type":"address[]"}],"name":"addCollateralAssets","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract IERC20","name":"_underlying","type":"address"}],"name":"addUnderlyingToReserveTokensMapping","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"","type":"address"}],"name":"allowedSetTokens","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"anySetAllowed","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"","type":"address"},{"internalType":"contract IERC20","name":"","type":"address"}],"name":"borrowAssetEnabled","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"","type":"address"},{"internalType":"contract IERC20","name":"","type":"address"}],"name":"collateralAssetEnabled","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"uint256","name":"_setTokenQuantity","type":"uint256"},{"internalType":"contract IERC20","name":"_component","type":"address"},{"internalType":"bool","name":"_isEquity","type":"bool"}],"name":"componentIssueHook","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"uint256","name":"_setTokenQuantity","type":"uint256"},{"internalType":"contract IERC20","name":"_component","type":"address"},{"internalType":"bool","name":"_isEquity","type":"bool"}],"name":"componentRedeemHook","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"controller","outputs":[{"internalType":"contract IController","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IERC20","name":"_collateralAsset","type":"address"},{"internalType":"contract IERC20","name":"_repayAsset","type":"address"},{"internalType":"uint256","name":"_redeemQuantityUnits","type":"uint256"},{"internalType":"uint256","name":"_minRepayQuantityUnits","type":"uint256"},{"internalType":"string","name":"_tradeAdapterName","type":"string"},{"internalType":"bytes","name":"_tradeData","type":"bytes"}],"name":"delever","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IERC20","name":"_collateralAsset","type":"address"},{"internalType":"contract IERC20","name":"_repayAsset","type":"address"},{"internalType":"uint256","name":"_redeemQuantityUnits","type":"uint256"},{"internalType":"string","name":"_tradeAdapterName","type":"string"},{"internalType":"bytes","name":"_tradeData","type":"bytes"}],"name":"deleverToZeroBorrowBalance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"}],"name":"getEnabledAssets","outputs":[{"internalType":"address[]","name":"","type":"address[]"},{"internalType":"address[]","name":"","type":"address[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IERC20[]","name":"_collateralAssets","type":"address[]"},{"internalType":"contract IERC20[]","name":"_borrowAssets","type":"address[]"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"lendingPoolAddressesProvider","outputs":[{"internalType":"contract IPoolAddressesProvider","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IERC20","name":"_borrowAsset","type":"address"},{"internalType":"contract IERC20","name":"_collateralAsset","type":"address"},{"internalType":"uint256","name":"_borrowQuantityUnits","type":"uint256"},{"internalType":"uint256","name":"_minReceiveQuantityUnits","type":"uint256"},{"internalType":"string","name":"_tradeAdapterName","type":"string"},{"internalType":"bytes","name":"_tradeData","type":"bytes"}],"name":"lever","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"uint256","name":"","type":"uint256"}],"name":"moduleIssueHook","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"uint256","name":"","type":"uint256"}],"name":"moduleRedeemHook","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"protocolDataProvider","outputs":[{"internalType":"contract IAaveProtocolDataProvider","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IDebtIssuanceModule","name":"_debtIssuanceModule","type":"address"}],"name":"registerToModule","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IERC20[]","name":"_borrowAssets","type":"address[]"}],"name":"removeBorrowAssets","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"contract IERC20[]","name":"_collateralAssets","type":"address[]"}],"name":"removeCollateralAssets","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"removeModule","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"uint8","name":"_categoryId","type":"uint8"}],"name":"setEModeCategory","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"}],"name":"sync","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract IERC20","name":"","type":"address"}],"name":"underlyingToReserveTokens","outputs":[{"internalType":"contract IAToken","name":"aToken","type":"address"},{"internalType":"contract IVariableDebtToken","name":"variableDebtToken","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ISetToken","name":"_setToken","type":"address"},{"internalType":"bool","name":"_status","type":"bool"}],"name":"updateAllowedSetToken","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bool","name":"_anySetAllowed","type":"bool"}],"name":"updateAnySetAllowed","outputs":[],"stateMutability":"nonpayable","type":"function"}]

60c06040523480156200001157600080fd5b506040516200655c3803806200655c833981016040819052620000349162000542565b600080546001600160a01b0319166001600160a01b038416178155600180556200005d62000334565b600280546001600160a01b0319166001600160a01b038316908117909155604051919250906000907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908290a350806001600160a01b031660a0816001600160a01b031660601b815250506000816001600160a01b031663e860accb6040518163ffffffff1660e01b815260040160206040518083038186803b1580156200010457600080fd5b505afa15801562000119573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906200013f9190620003da565b9050806001600160a01b03166080816001600160a01b031660601b815250506060816001600160a01b031663b316ff896040518163ffffffff1660e01b815260040160006040518083038186803b1580156200019a57600080fd5b505afa158015620001af573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052620001d9919081019062000453565b905060005b81518110156200032957600080846001600160a01b031663d2493b6c8585815181106200020757fe5b6020026020010151602001516040518263ffffffff1660e01b815260040162000231919062000580565b60606040518083038186803b1580156200024a57600080fd5b505afa1580156200025f573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019062000285919062000400565b92505091506040518060400160405280836001600160a01b03168152602001826001600160a01b031681525060036000868681518110620002c257fe5b6020908102919091018101518101516001600160a01b039081168352828201939093526040909101600020835181549084166001600160a01b0319918216178255939091015160019182018054919093169316929092179055929092019150620001de9050565b5050505050620005d4565b3390565b80516200034581620005bb565b92915050565b600082601f8301126200035c578081fd5b81516001600160401b0381111562000372578182fd5b602062000388601f8301601f1916820162000594565b925081835284818386010111156200039f57600080fd5b60005b82811015620003bf578481018201518482018301528101620003a2565b82811115620003d15760008284860101525b50505092915050565b600060208284031215620003ec578081fd5b8151620003f981620005bb565b9392505050565b60008060006060848603121562000415578182fd5b83516200042281620005bb565b60208501519093506200043581620005bb565b60408501519092506200044881620005bb565b809150509250925092565b6000602080838503121562000466578182fd5b82516001600160401b03808211156200047d578384fd5b81850186601f8201126200048f578485fd5b8051925081831115620004a0578485fd5b620004af848585020162000594565b83815284810190828601875b86811015620005335781518501604080601f19838f03011215620004dd578a8bfd5b620004e88162000594565b8a83015189811115620004f9578c8dfd5b620005098f8d838701016200034b565b8252506200051a8e83850162000338565b818c0152865250509287019290870190600101620004bb565b50909998505050505050505050565b6000806040838503121562000555578182fd5b82516200056281620005bb565b60208401519092506200057581620005bb565b809150509250929050565b6001600160a01b0391909116815260200190565b6040518181016001600160401b0381118282101715620005b357600080fd5b604052919050565b6001600160a01b0381168114620005d157600080fd5b50565b60805160601c60a05160601c615f226200063a600039806117785280611c8652806122f65280612d1e528061311052806131d35250806107115280610e945280612bbf5280612e09528061382252806138ef5280613a4f5280613b215250615f226000f3fe608060405234801561001057600080fd5b50600436106101e55760003560e01c8063847ef08d1161010f578063c690a74c116100a2578063ee78244f11610071578063ee78244f146103e4578063f2fde38b146103f7578063f77c47911461040a578063ffbad25c14610412576101e5565b8063c690a74c1461038b578063d4fd27eb1461039e578063d9b210d3146103be578063e4e9ce92146103d1576101e5565b8063b1dd4d92116100de578063b1dd4d9214610368578063bba00ba514610370578063c137f4d714610378578063c153dd0714610251576101e5565b8063847ef08d146103245780638da5cb5b1461032c578063a584119414610334578063b1c0267814610347576101e5565b80634fdd283c116101875780635b136512116101565780635b136512146102e3578063715018a6146102f6578063717ca2a5146102fe5780637c7a624e14610311576101e5565b80634fdd283c14610297578063516595fc146102aa5780635199e418146102bd5780635809ae27146102d0576101e5565b80633f843bce116101c35780633f843bce1461023c5780633fe6106b14610251578063427eddb5146102645780634a200fa514610284576101e5565b806302577224146101ea5780630df96ef6146102145780630fb96b2114610229575b600080fd5b6101fd6101f8366004614db7565b610425565b60405161020b929190615498565b60405180910390f35b610227610222366004614f9a565b61044b565b005b61022761023736600461522e565b61061a565b61024461070f565b60405161020b9190615484565b61022761025f366004615203565b610733565b610277610272366004615089565b61074b565b60405161020b9190615602565b610227610292366004614fe8565b61076b565b6102276102a5366004615157565b6109f0565b6102276102b8366004614f9a565b610b1a565b6102276102cb366004614f2f565b610b2e565b6102276102de366004614f9a565b610ba0565b6102276102f1366004615089565b610cb3565b610227610daf565b61022761030c366004614f9a565b610e2e565b61022761031f366004614db7565b610e42565b610227610f4f565b6102446112fb565b610227610342366004614db7565b61130b565b61035a610355366004614db7565b61168f565b60405161020b929190615590565b61027761176d565b610244611776565b61022761038636600461522e565b61179a565b610227610399366004615051565b611880565b6103b16103ac3660046150b6565b6119c8565b60405161020b9190615e29565b6102276103cc366004615280565b611c54565b6102776103df366004615089565b611d60565b6102776103f2366004614db7565b611d80565b610227610405366004614db7565b611d95565b610244611e4c565b610227610420366004615157565b611e5b565b600360205260009081526040902080546001909101546001600160a01b03918216911682565b8161045581611f6f565b60005b82518110156105cf57600083828151811061046f57fe5b6020908102919091018101516001600160a01b0380881660009081526005845260408082209284168252919093529091205490915060ff166104cc5760405162461bcd60e51b81526004016104c390615917565b60405180910390fd5b6001600160a01b03808216600090815260036020526040908190206001015490516370a0823160e01b81529116906370a082319061050e908890600401615484565b60206040518083038186803b15801561052657600080fd5b505afa15801561053a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061055e91906152d1565b1561057b5760405162461bcd60e51b81526004016104c3906158dd565b6001600160a01b0380861660008181526005602090815260408083209486168352938152838220805460ff191690559181526006909152206105c6906001018263ffffffff611fbd16565b50600101610458565b5060001515836001600160a01b03167f1c400b459725a0446742d6688375dffe941d5f9a65fe3900c93e07d9e772250b8460405161060d91906155b5565b60405180910390a3505050565b83610624816120ea565b81610708576040516308bafae960e21b81526000906001600160a01b038716906322ebeba49061065a9087903090600401615498565b60206040518083038186803b15801561067257600080fd5b505afa158015610686573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106aa91906152d1565b9050600081126106cc5760405162461bcd60e51b81526004016104c390615963565b60006106f8866106ec6106e78560001963ffffffff61222c16565b6122a0565b9063ffffffff6122c616565b90506107058786836122f0565b50505b5050505050565b7f000000000000000000000000000000000000000000000000000000000000000081565b8161073d816120ea565b6107468361130b565b505050565b600460209081526000928352604080842090915290825290205460ff1681565b8233610777828261238c565b84610781816123b2565b60085460ff166107c3576001600160a01b03861660009081526007602052604090205460ff166107c35760405162461bcd60e51b81526004016104c39061581b565b856001600160a01b0316630ffe0f1e6040518163ffffffff1660e01b8152600401600060405180830381600087803b1580156107fe57600080fd5b505af1158015610812573d6000803e3d6000fd5b50505050856001600160a01b031663d7f1b27c61085b6040518060400160405280601581526020017444656661756c7449737375616e63654d6f64756c6560581b815250612473565b6040518263ffffffff1660e01b81526004016108779190615484565b60206040518083038186803b15801561088f57600080fd5b505afa1580156108a3573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108c79190614f4b565b6108e35760405162461bcd60e51b81526004016104c390615a4d565b6060866001600160a01b031663b2494df36040518163ffffffff1660e01b815260040160006040518083038186803b15801561091e57600080fd5b505afa158015610932573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261095a9190810190614e93565b905060005b81518110156109db5781818151811061097457fe5b60200260200101516001600160a01b031663d9b1b6e0896040518263ffffffff1660e01b81526004016109a79190615484565b600060405180830381600087803b1580156109c157600080fd5b505af19250505080156109d2575060015b5060010161095f565b506109e68787612491565b610705878661257e565b60026001541415610a135760405162461bcd60e51b81526004016104c390615d7b565b600260015586610a2281611f6f565b610a2a614c26565b610a3a8989898989896000612655565b9050610a54816000015182602001518a846080015161270d565b6000610a62828a8a876127a3565b90506000610a718b8a84612a21565b90506000610a85838363ffffffff612a4416565b9050610a9b846000015185602001518c84612a86565b610aa5848b612adb565b896001600160a01b03168b6001600160a01b03168d6001600160a01b03167f7cda30123ddfc96659344700585861a8670352b9cc86d1b1054d10083b1dcdd4876040015188608001518688604051610b00949392919061560d565b60405180910390a450506001805550505050505050505050565b81610b2481611f6f565b610746838361257e565b610b36612ba1565b6002546001600160a01b03908116911614610b635760405162461bcd60e51b81526004016104c390615b17565b6008805460ff19168215159081179091556040517f563e1633136cdd43b8793897cb53ba2a9e31c18b3ae0b6827fbbb03b9902e6c690600090a250565b81610baa81611f6f565b60005b8251811015610c75576000838281518110610bc457fe5b6020908102919091018101516001600160a01b0380881660009081526004845260408082209284168252919093529091205490915060ff16610c185760405162461bcd60e51b81526004016104c390615770565b610c2485826000612ba5565b6001600160a01b0380861660008181526004602090815260408083209486168352938152838220805460ff19169055918152600690915220610c6c908263ffffffff611fbd16565b50600101610bad565b5060001515836001600160a01b03167fdd2a86f23a66f86496c82312e991b49f87ad96c4f25094a43c49f7aca0ea35428460405161060d91906155b5565b81610cbd81611f6f565b6040516335fc6c9f60e21b81526001600160a01b0384169063d7f1b27c90610ce9908590600401615484565b60206040518083038186803b158015610d0157600080fd5b505afa158015610d15573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d399190614f4b565b610d555760405162461bcd60e51b81526004016104c390615a4d565b6040516306cd8db760e51b81526001600160a01b0383169063d9b1b6e090610d81908690600401615484565b600060405180830381600087803b158015610d9b57600080fd5b505af1158015610705573d6000803e3d6000fd5b610db7612ba1565b6002546001600160a01b03908116911614610de45760405162461bcd60e51b81526004016104c390615b17565b6002546040516000916001600160a01b0316907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908390a3600280546001600160a01b0319169055565b81610e3881611f6f565b6107468383612491565b6001600160a01b038181166000908152600360205260409020541615610e7a5760405162461bcd60e51b81526004016104c390615de2565b604051633e15014160e01b81526000906001600160a01b037f00000000000000000000000000000000000000000000000000000000000000001690633e15014190610ec9908590600401615484565b6101406040518083038186803b158015610ee257600080fd5b505afa158015610ef6573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610f1a91906152e9565b509850505050505050505080610f425760405162461bcd60e51b81526004016104c390615753565b610f4b82612e04565b5050565b33610f5981611f95565b33610f638161130b565b6001600160a01b038116600090815260066020908152604091829020600101805483518184028101840190945280845260609392830182828015610fd057602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311610fb2575b50939450600093505050505b81518110156110eb576000828281518110610ff357fe5b6020908102919091018101516001600160a01b03808216600090815260039093526040928390206001015492516370a0823160e01b815291935091909116906370a0823190611046908790600401615484565b60206040518083038186803b15801561105e57600080fd5b505afa158015611072573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061109691906152d1565b156110b35760405162461bcd60e51b81526004016104c3906158dd565b6001600160a01b038085166000908152600560209081526040808320949093168252929092529020805460ff19169055600101610fdc565b506001600160a01b03821660009081526006602090815260409182902080548351818402810184019094528084526060939283018282801561115657602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311611138575b50939450600093505050505b81518110156111c757600082828151811061117957fe5b6020026020010151905061118f85826000612ba5565b6001600160a01b038086166000908152600460209081526040808320949093168252929092529020805460ff19169055600101611162565b506001600160a01b0383166000908152600660205260408120906111eb8282614c72565b6111f9600183016000614c72565b50506060836001600160a01b031663b2494df36040518163ffffffff1660e01b815260040160006040518083038186803b15801561123657600080fd5b505afa15801561124a573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526112729190810190614e93565b905060005b81518110156112f35781818151811061128c57fe5b60200260200101516001600160a01b031663e0799620866040518263ffffffff1660e01b81526004016112bf9190615484565b600060405180830381600087803b1580156112d957600080fd5b505af19250505080156112ea575060015b50600101611277565b505050505050565b6002546001600160a01b03165b90565b6002600154141561132e5760405162461bcd60e51b81526004016104c390615d7b565b60026001558061133d81611f95565b6000826001600160a01b03166318160ddd6040518163ffffffff1660e01b815260040160206040518083038186803b15801561137857600080fd5b505afa15801561138c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906113b091906152d1565b90508015611686576001600160a01b03831660009081526006602090815260409182902080548351818402810184019094528084526060939283018282801561142257602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311611404575b50939450600093505050505b81518110156115395760006003600084848151811061144957fe5b60200260200101516001600160a01b03166001600160a01b0316815260200190815260200160002060000160009054906101000a90046001600160a01b03169050600061150b876001600160a01b03166366cb8d2f846040518263ffffffff1660e01b81526004016114bb9190615484565b60206040518083038186803b1580156114d357600080fd5b505afa1580156114e7573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106e791906152d1565b9050600061151a888488612f1b565b905080821461152e5761152e888483612fb5565b50505060010161142e565b506001600160a01b0384166000908152600660209081526040918290206001018054835181840281018401909452808452606093928301828280156115a757602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311611589575b50939450600093505050505b81518110156116825760008282815181106115ca57fe5b602002602001015190506000876001600160a01b03166322ebeba483306040518363ffffffff1660e01b8152600401611604929190615498565b60206040518083038186803b15801561161c57600080fd5b505afa158015611630573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061165491906152d1565b90506000611663898489612fcf565b905081811461167757611677898483613090565b5050506001016115b3565b5050505b50506001805550565b6001600160a01b038116600090815260066020908152604091829020805483518184028101840190945280845260609384936001840192849183018282801561170157602002820191906000526020600020905b81546001600160a01b031681526001909101906020018083116116e3575b505050505091508080548060200260200160405190810160405280929190818152602001828054801561175d57602002820191906000526020600020905b81546001600160a01b0316815260019091019060200180831161173f575b5050505050905091509150915091565b60085460ff1681565b7f000000000000000000000000000000000000000000000000000000000000000081565b836117a4816120ea565b81610708576040516308bafae960e21b81526000906001600160a01b038716906322ebeba4906117da9087903090600401615498565b60206040518083038186803b1580156117f257600080fd5b505afa158015611806573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061182a91906152d1565b90506000811261184c5760405162461bcd60e51b81526004016104c390615963565b6000611873866118676106e78560001963ffffffff61222c16565b9063ffffffff6130bf16565b905061070587868361310a565b611888612ba1565b6002546001600160a01b039081169116146118b55760405162461bcd60e51b81526004016104c390615b17565b600054604051631d3af8fb60e21b81526001600160a01b03909116906374ebe3ec906118e5908590600401615484565b60206040518083038186803b1580156118fd57600080fd5b505afa158015611911573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906119359190614f4b565b8061195857506001600160a01b03821660009081526007602052604090205460ff165b6119745760405162461bcd60e51b81526004016104c390615be7565b6001600160a01b038216600081815260076020526040808220805460ff191685151590811790915590519092917f2035981b48691b10f6ac65174e570b4d0a8a889ae01bef3e5e7759ff9444f0c491a35050565b6000600260015414156119ed5760405162461bcd60e51b81526004016104c390615d7b565b6002600155866119fc81611f6f565b6000886001600160a01b03166318160ddd6040518163ffffffff1660e01b815260040160206040518083038186803b158015611a3757600080fd5b505afa158015611a4b573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611a6f91906152d1565b90506000611a83878363ffffffff6122c616565b6001600160a01b03808c166000908152600560209081526040808320938d168352929052205490915060ff16611acb5760405162461bcd60e51b81526004016104c390615917565b6001600160a01b038089166000908152600360205260408082206001015490516370a0823160e01b8152919216906370a0823190611b0d908e90600401615484565b60206040518083038186803b158015611b2557600080fd5b505afa158015611b39573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611b5d91906152d1565b905060008111611b7f5760405162461bcd60e51b81526004016104c390615d5e565b611b87614c26565b611b988c8c8c86868d60008b6131a6565b9050611bb2816000015182602001518d846080015161270d565b611bbe818c8c8a6127a3565b50611bd3816000015182602001518c85612a86565b611bdd818b612adb565b896001600160a01b03168b6001600160a01b03168d6001600160a01b03167f7cda30123ddfc96659344700585861a8670352b9cc86d1b1054d10083b1dcdd484604001518560800151876000604051611c39949392919061560d565b60405180910390a450600180559a9950505050505050505050565b81611c5e81611f6f565b826001600160a01b03167339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f63c09b1b0890917f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b158015611cdd57600080fd5b505afa158015611cf1573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611d159190614dd3565b856040518463ffffffff1660e01b8152600401611d34939291906156bb565b60006040518083038186803b158015611d4c57600080fd5b505af4158015610705573d6000803e3d6000fd5b600560209081526000928352604080842090915290825290205460ff1681565b60076020526000908152604090205460ff1681565b611d9d612ba1565b6002546001600160a01b03908116911614611dca5760405162461bcd60e51b81526004016104c390615b17565b6001600160a01b038116611df05760405162461bcd60e51b81526004016104c3906157d5565b6002546040516001600160a01b038084169216907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a3600280546001600160a01b0319166001600160a01b0392909216919091179055565b6000546001600160a01b031681565b60026001541415611e7e5760405162461bcd60e51b81526004016104c390615d7b565b600260015586611e8d81611f6f565b611e95614c26565b611ea58989898989896001612655565b9050611ec3816000015182602001518360e001518460800151613358565b6000611ed1828a8a876127a3565b90506000611ee08b8a84612a21565b90506000611ef4838363ffffffff612a4416565b9050611f0a846000015185602001518c846133a1565b611f14848c6133f3565b896001600160a01b03168b6001600160a01b03168d6001600160a01b03167f359f8b62a966cfd521a3815681266407201b20a7c334925faa49e7d9d5dd57ab876040015188608001518688604051610b00949392919061560d565b611f798133613457565b611f955760405162461bcd60e51b81526004016104c390615d0a565b611f9e816134e5565b611fba5760405162461bcd60e51b81526004016104c39061578d565b50565b6000806120238480548060200260200160405190810160405280929190818152602001828054801561201857602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311611ffa575b5050505050846135e9565b91509150806120445760405162461bcd60e51b81526004016104c390615724565b8354600019018281146120b65784818154811061205d57fe5b9060005260206000200160009054906101000a90046001600160a01b031685848154811061208757fe5b9060005260206000200160006101000a8154816001600160a01b0302191690836001600160a01b031602179055505b848054806120c057fe5b600082815260209020810160001990810180546001600160a01b0319169055019055505b50505050565b6002604051631ade272960e11b81526001600160a01b038316906335bc4e5290612118903390600401615484565b60206040518083038186803b15801561213057600080fd5b505afa158015612144573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061216891906152b2565b600281111561217357fe5b146121905760405162461bcd60e51b81526004016104c390615a16565b6000546040516342f6e38960e01b81526001600160a01b03909116906342f6e389906121c0903390600401615484565b60206040518083038186803b1580156121d857600080fd5b505afa1580156121ec573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906122109190614f4b565b611fba5760405162461bcd60e51b81526004016104c390615c83565b60008261223b5750600061229a565b8260001914801561224f5750600160ff1b82145b1561226c5760405162461bcd60e51b81526004016104c390615b69565b8282028284828161227957fe5b05146122975760405162461bcd60e51b81526004016104c390615b69565b90505b92915050565b6000808212156122c25760405162461bcd60e51b81526004016104c39061599e565b5090565b6000612297670de0b6b3a76400006122e4858563ffffffff61364f16565b9063ffffffff61368916565b610746837f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b15801561234d57600080fd5b505afa158015612361573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906123859190614dd3565b8484613358565b6123968282613457565b610f4b5760405162461bcd60e51b81526004016104c390615d0a565b600054604051631d3af8fb60e21b81526001600160a01b03909116906374ebe3ec906123e2908490600401615484565b60206040518083038186803b1580156123fa57600080fd5b505afa15801561240e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906124329190614f4b565b61244e5760405162461bcd60e51b81526004016104c390615cc7565b612457816136cb565b611fba5760405162461bcd60e51b81526004016104c3906158a6565b60008061247f836136fa565b905061248a81613705565b9392505050565b60005b81518110156125345760008282815181106124ab57fe5b602002602001015190506124bf84826137c2565b6124cb84826001612ba5565b6001600160a01b03808516600081815260046020908152604080832095909416808352948152838220805460ff19166001908117909155928252600681529281208054808401825590825292902090910180546001600160a01b03191690921790915501612494565b5060011515826001600160a01b03167fdd2a86f23a66f86496c82312e991b49f87ad96c4f25094a43c49f7aca0ea35428360405161257291906155b5565b60405180910390a35050565b60005b815181101561261757600082828151811061259857fe5b602002602001015190506125ac84826139ef565b6001600160a01b03808516600081815260056020908152604080832095909416808352948152838220805460ff191660019081179091559282526006815292812082018054808401825590825292902090910180546001600160a01b03191690921790915501612581565b5060011515826001600160a01b03167f1c400b459725a0446742d6688375dffe941d5f9a65fe3900c93e07d9e772250b8360405161257291906155b5565b61265d614c26565b6000886001600160a01b03166318160ddd6040518163ffffffff1660e01b815260040160206040518083038186803b15801561269857600080fd5b505afa1580156126ac573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906126d091906152d1565b90506127008989896126e88a8663ffffffff6122c616565b6126f88a8763ffffffff6122c616565b8989886131a6565b9998505050505050505050565b60405163c56df3ab60e01b81527339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f9063c56df3ab90612753906001600160a01b0388169087908790879060040161565d565b60206040518083038186803b15801561276b57600080fd5b505af415801561277f573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061070891906152d1565b60008085600001519050600086608001519050612836828789604001516001600160a01b031663334fc2896040518163ffffffff1660e01b815260040160206040518083038186803b1580156127f857600080fd5b505afa15801561280c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906128309190614dd3565b84613c21565b600080606089604001516001600160a01b031663e171fcab8a8a88888f60a001518d6040518763ffffffff1660e01b8152600401612879969594939291906154b2565b60006040518083038186803b15801561289157600080fd5b505afa1580156128a5573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526128cd9190810190614e3b565b925092509250846001600160a01b0316638f6f03328484846040518463ffffffff1660e01b815260040161290393929190615569565b600060405180830381600087803b15801561291d57600080fd5b505af1158015612931573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526129599190810190614f67565b5060006129ed8b61010001518a6001600160a01b03166370a08231896040518263ffffffff1660e01b81526004016129919190615484565b60206040518083038186803b1580156129a957600080fd5b505afa1580156129bd573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906129e191906152d1565b9063ffffffff612a4416565b90508a60a00151811015612a135760405162461bcd60e51b81526004016104c390615d41565b9a9950505050505050505050565b600080612a2f600084613c58565b9050612a3c858583613ced565b949350505050565b600061229783836040518060400160405280601e81526020017f536166654d6174683a207375627472616374696f6e206f766572666c6f770000815250613d94565b612a9284838584613c21565b6040516380395c1560e01b81527339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f906380395c1590612753906001600160a01b03881690879087908790600290600401615687565b81516040516370a0823160e01b81526000916001600160a01b038416916370a0823191612b0a91600401615484565b60206040518083038186803b158015612b2257600080fd5b505afa158015612b36573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612b5a91906152d1565b90508261010001518114612b975760608301516101008401518451612b93926001600160a01b039091169185919063ffffffff613dc016565b5050505b61074683836133f3565b3390565b6040516328dd2d0160e01b81526000906001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016906328dd2d0190612bf69086908890600401615498565b6101206040518083038186803b158015612c0f57600080fd5b505afa158015612c23573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612c47919061538f565b9850505050505050505081151581151514158015612cf157506001600160a01b038084166000908152600360205260408082205490516370a0823160e01b8152919216906370a0823190612c9f908890600401615484565b60206040518083038186803b158015612cb757600080fd5b505afa158015612ccb573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612cef91906152d1565b115b156120e457836001600160a01b03167339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f6378dabb1390917f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b158015612d7557600080fd5b505afa158015612d89573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612dad9190614dd3565b86866040518563ffffffff1660e01b8152600401612dce9493929190615633565b60006040518083038186803b158015612de657600080fd5b505af4158015612dfa573d6000803e3d6000fd5b5050505050505050565b6000807f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663d2493b6c846040518263ffffffff1660e01b8152600401612e539190615484565b60606040518083038186803b158015612e6b57600080fd5b505afa158015612e7f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612ea39190614def565b6001600160a01b0380871660008181526003602052604080822080548589166001600160a01b03199182168117835560019092018054968816969091168617905590519698509396509194929350917fc45243255b6bdd38d8648b8c5e5b9429c7143b47e850cad1601dc1edbb6a3b5b9190a4505050565b600080836001600160a01b03166370a08231866040518263ffffffff1660e01b8152600401612f4a9190615484565b60206040518083038186803b158015612f6257600080fd5b505afa158015612f76573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612f9a91906152d1565b9050612fac818463ffffffff613eb116565b95945050505050565b6107466001600160a01b038416838363ffffffff613ecf16565b6001600160a01b038083166000908152600360205260408082206001015490516370a0823160e01b8152919283929116906370a0823190613014908890600401615484565b60206040518083038186803b15801561302c57600080fd5b505afa158015613040573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061306491906152d1565b9050612fac60001961308461307f848763ffffffff61404316565b614096565b9063ffffffff61222c16565b604080516020810190915260008152610746906001600160a01b0385169084903090859063ffffffff6140bb16565b60008215806130cc575081155b156130d95750600061229a565b61229760016130fe670de0b6b3a76400006122e4836129e1898963ffffffff61364f16565b9063ffffffff61467316565b610746837f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b15801561316757600080fd5b505afa15801561317b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061319f9190614dd3565b8484612a86565b6131ae614c26565b6131b6614c26565b6040518061012001604052808b6001600160a01b031681526020017f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b15801561322a57600080fd5b505afa15801561323e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906132629190614dd3565b6001600160a01b0316815260200161327987612473565b6001600160a01b03168152602001848152602001888152602001878152602001856132a4578a6132a6565b895b6001600160a01b03168152602001856132bf57896132c1565b8a5b6001600160a01b03168152602001896001600160a01b03166370a082318d6040518263ffffffff1660e01b81526004016132fb9190615484565b60206040518083038186803b15801561331357600080fd5b505afa158015613327573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061334b91906152d1565b9052905061270081614698565b604051634738693b60e11b81527339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f90638e70d27690612dce906001600160a01b03881690879087908790600290600401615687565b6133ad84838584613c21565b604051636d6c328f60e01b81527339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f90636d6c328f90612dce906001600160a01b0388169087908790879060040161565d565b60c08201516001600160a01b039081166000908152600360205260409020548351606085015191909216916134369183906134319083908390612f1b565b612fb5565b6107468360000151836134528660000151868860600151612fcf565b613090565b6000816001600160a01b0316836001600160a01b031663481c6a756040518163ffffffff1660e01b815260040160206040518083038186803b15801561349c57600080fd5b505afa1580156134b0573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906134d49190614dd3565b6001600160a01b0316149392505050565b60008054604051631d3af8fb60e21b81526001600160a01b03909116906374ebe3ec90613516908590600401615484565b60206040518083038186803b15801561352e57600080fd5b505afa158015613542573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906135669190614f4b565b801561229a57506040516335fc6c9f60e21b81526001600160a01b0383169063d7f1b27c90613599903090600401615484565b60206040518083038186803b1580156135b157600080fd5b505afa1580156135c5573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061229a9190614f4b565b81516000908190815b8181101561363c57846001600160a01b031686828151811061361057fe5b60200260200101516001600160a01b03161415613634579250600191506136489050565b6001016135f2565b50600019600092509250505b9250929050565b60008261365e5750600061229a565b8282028284828161366b57fe5b04146122975760405162461bcd60e51b81526004016104c390615ad6565b600061229783836040518060400160405280601a81526020017f536166654d6174683a206469766973696f6e206279207a65726f00000000000081525061478e565b6040516353bae5f760e01b81526000906001600160a01b038316906353bae5f790613599903090600401615484565b805160209091012090565b60008054819061371d906001600160a01b03166147c5565b6001600160a01b031663e6d642c530856040518363ffffffff1660e01b815260040161374a929190615550565b60206040518083038186803b15801561376257600080fd5b505afa158015613776573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061379a9190614dd3565b90506001600160a01b03811661229a5760405162461bcd60e51b81526004016104c390615934565b6001600160a01b0380831660009081526004602090815260408083209385168352929052205460ff16156138085760405162461bcd60e51b81526004016104c39061586f565b6040516334924edb60e21b81526000906001600160a01b037f0000000000000000000000000000000000000000000000000000000000000000169063d2493b6c90613857908590600401615484565b60606040518083038186803b15801561386f57600080fd5b505afa158015613883573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906138a79190614def565b50506001600160a01b038381166000908152600360205260409020549192508281169116146138e85760405162461bcd60e51b81526004016104c3906156f4565b60008060007f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316633e150141866040518263ffffffff1660e01b81526004016139399190615484565b6101406040518083038186803b15801561395257600080fd5b505afa158015613966573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061398a91906152e9565b99509950505097505050505050816139b45760405162461bcd60e51b81526004016104c390615981565b80156139d25760405162461bcd60e51b81526004016104c390615b4c565b826112f35760405162461bcd60e51b81526004016104c390615770565b6001600160a01b0380831660009081526005602090815260408083209385168352929052205460ff1615613a355760405162461bcd60e51b81526004016104c390615db2565b6040516334924edb60e21b81526000906001600160a01b037f0000000000000000000000000000000000000000000000000000000000000000169063d2493b6c90613a84908590600401615484565b60606040518083038186803b158015613a9c57600080fd5b505afa158015613ab0573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613ad49190614def565b6001600160a01b038581166000908152600360205260409020600101549194508481169116149150613b1a90505760405162461bcd60e51b81526004016104c3906159d3565b60008060007f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316633e150141866040518263ffffffff1660e01b8152600401613b6b9190615484565b6101406040518083038186803b158015613b8457600080fd5b505afa158015613b98573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613bbc91906152e9565b9950995050985050505050505081613be65760405162461bcd60e51b81526004016104c390615981565b8015613c045760405162461bcd60e51b81526004016104c390615b4c565b826112f35760405162461bcd60e51b81526004016104c390615917565b613c3d6001600160a01b0385168484600063ffffffff61484416565b6120e46001600160a01b03851684848463ffffffff61484416565b6000805460405163792aa04f60e01b815282916001600160a01b03169063792aa04f90613c8b9030908890600401615550565b60206040518083038186803b158015613ca357600080fd5b505afa158015613cb7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613cdb91906152d1565b9050612a3c838263ffffffff6122c616565b801561074657610746826000809054906101000a90046001600160a01b03166001600160a01b031663469048406040518163ffffffff1660e01b815260040160206040518083038186803b158015613d4457600080fd5b505afa158015613d58573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613d7c9190614dd3565b6001600160a01b03861691908463ffffffff61490b16565b60008184841115613db85760405162461bcd60e51b81526004016104c391906156e1565b505050900390565b600080600080866001600160a01b03166370a08231896040518263ffffffff1660e01b8152600401613df29190615484565b60206040518083038186803b158015613e0a57600080fd5b505afa158015613e1e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613e4291906152d1565b90506000613e75896001600160a01b03166366cb8d2f8a6040518263ffffffff1660e01b81526004016114bb9190615484565b905060008215613e9257613e8b88888585614a4d565b9050613e96565b5060005b613ea18a8a83613ecf565b9199909850909650945050505050565b6000612297826122e485670de0b6b3a764000063ffffffff61364f16565b6000613edb8484614a9c565b905080158015613eeb5750600082115b15613f6257613efa8484614b23565b613f5d576040516304e3532760e41b81526001600160a01b03851690634e35327090613f2a908690600401615484565b600060405180830381600087803b158015613f4457600080fd5b505af1158015613f58573d6000803e3d6000fd5b505050505b613fdf565b808015613f6d575081155b15613fdf57613f7c8484614b23565b613fdf57604051636f86c89760e01b81526001600160a01b03851690636f86c89790613fac908690600401615484565b600060405180830381600087803b158015613fc657600080fd5b505af1158015613fda573d6000803e3d6000fd5b505050505b836001600160a01b0316632ba57d1784613ff885614096565b6040518363ffffffff1660e01b8152600401614015929190615550565b600060405180830381600087803b15801561402f57600080fd5b505af1158015612dfa573d6000803e3d6000fd5b6000816140625760405162461bcd60e51b81526004016104c390615dff565b60008311614071576000612297565b61229760016130fe846122e4836129e189670de0b6b3a764000063ffffffff61364f16565b6000600160ff1b82106122c25760405162461bcd60e51b81526004016104c390615c3b565b81156143b05760405163df5e9b2960e01b81526001600160a01b0386169063df5e9b29906140ed908790600401615484565b60206040518083038186803b15801561410557600080fd5b505afa158015614119573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061413d9190614f4b565b614204576040516304e3532760e41b81526001600160a01b03861690634e3532709061416d908790600401615484565b600060405180830381600087803b15801561418757600080fd5b505af115801561419b573d6000803e3d6000fd5b505060405163ea0ee55960e01b81526001600160a01b038816925063ea0ee55991506141cd9087908790600401615498565b600060405180830381600087803b1580156141e757600080fd5b505af11580156141fb573d6000803e3d6000fd5b505050506142e7565b604051637d96659360e01b81526001600160a01b03861690637d966593906142329087908790600401615498565b60206040518083038186803b15801561424a57600080fd5b505afa15801561425e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906142829190614f4b565b6142e75760405163ea0ee55960e01b81526001600160a01b0386169063ea0ee559906142b49087908790600401615498565b600060405180830381600087803b1580156142ce57600080fd5b505af11580156142e2573d6000803e3d6000fd5b505050505b6040516363a90fc160e01b81526001600160a01b038616906363a90fc1906143179087908790879060040161552c565b600060405180830381600087803b15801561433157600080fd5b505af1158015614345573d6000803e3d6000fd5b50506040516326898fe160e01b81526001600160a01b03881692506326898fe1915061437990879087908690600401615500565b600060405180830381600087803b15801561439357600080fd5b505af11580156143a7573d6000803e3d6000fd5b50505050610708565b8051156143cf5760405162461bcd60e51b81526004016104c390615c04565b6040516308bafae960e21b81526001600160a01b038616906322ebeba4906143fd9087908790600401615498565b60206040518083038186803b15801561441557600080fd5b505afa158015614429573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061444d91906152d1565b156107085760405163a7bdad0360e01b81526060906001600160a01b0387169063a7bdad0390614481908890600401615484565b60006040518083038186803b15801561449957600080fd5b505afa1580156144ad573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526144d59190810190614e93565b6040516366cb8d2f60e01b81529091506001600160a01b038716906366cb8d2f90614504908890600401615484565b60206040518083038186803b15801561451c57600080fd5b505afa158015614530573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061455491906152d1565b158015614562575080516001145b1561460b57836001600160a01b03168160008151811061457e57fe5b60200260200101516001600160a01b0316146145ac5760405162461bcd60e51b81526004016104c390615a6a565b604051636f86c89760e01b81526001600160a01b03871690636f86c897906145d8908890600401615484565b600060405180830381600087803b1580156145f257600080fd5b505af1158015614606573d6000803e3d6000fd5b505050505b60405163acf3f07760e01b81526001600160a01b0387169063acf3f077906146399088908890600401615498565b600060405180830381600087803b15801561465357600080fd5b505af1158015614667573d6000803e3d6000fd5b50505050505050505050565b6000828201838110156122975760405162461bcd60e51b81526004016104c390615838565b80516001600160a01b03908116600090815260046020908152604080832060c08601519094168352929052205460ff166146e45760405162461bcd60e51b81526004016104c390615770565b80516001600160a01b03908116600090815260056020908152604080832060e08601519094168352929052205460ff166147305760405162461bcd60e51b81526004016104c390615917565b8060e001516001600160a01b03168160c001516001600160a01b0316141561476a5760405162461bcd60e51b81526004016104c3906158fa565b6000816080015111611fba5760405162461bcd60e51b81526004016104c390615aba565b600081836147af5760405162461bcd60e51b81526004016104c391906156e1565b5060008385816147bb57fe5b0495945050505050565b6040516373b2e76b60e11b81526000906001600160a01b0383169063e765ced6906147f4908490600401615e29565b60206040518083038186803b15801561480c57600080fd5b505afa158015614820573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061229a9190614dd3565b60608282604051602401614859929190615550565b60408051601f198184030181529181526020820180516001600160e01b031663095ea7b360e01b179052516347b7819960e11b81529091506001600160a01b03861690638f6f0332906148b59087906000908690600401615569565b600060405180830381600087803b1580156148cf57600080fd5b505af11580156148e3573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526112f39190810190614f67565b80156120e4576040516370a0823160e01b81526000906001600160a01b038516906370a0823190614940908890600401615484565b60206040518083038186803b15801561495857600080fd5b505afa15801561496c573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061499091906152d1565b905061499e85858585614baf565b6040516370a0823160e01b81526000906001600160a01b038616906370a08231906149cd908990600401615484565b60206040518083038186803b1580156149e557600080fd5b505afa1580156149f9573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190614a1d91906152d1565b9050614a2f828463ffffffff612a4416565b81146112f35760405162461bcd60e51b81526004016104c390615bb0565b600080614a70614a63848863ffffffff6122c616565b869063ffffffff612a4416565b9050614a9286614a86868463ffffffff612a4416565b9063ffffffff613eb116565b9695505050505050565b600080836001600160a01b03166366cb8d2f846040518263ffffffff1660e01b8152600401614acb9190615484565b60206040518083038186803b158015614ae357600080fd5b505afa158015614af7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190614b1b91906152d1565b139392505050565b600080836001600160a01b031663a7bdad03846040518263ffffffff1660e01b8152600401614b529190615484565b60006040518083038186803b158015614b6a57600080fd5b505afa158015614b7e573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052614ba69190810190614e93565b51119392505050565b80156120e45760608282604051602401614bca929190615550565b60408051601f198184030181529181526020820180516001600160e01b031663a9059cbb60e01b179052516347b7819960e11b81529091506001600160a01b03861690638f6f0332906148b59087906000908690600401615569565b6040805161012081018252600080825260208201819052918101829052606081018290526080810182905260a0810182905260c0810182905260e0810182905261010081019190915290565b5080546000825590600052602060002090810190611fba919061130891905b808211156122c25760008155600101614c91565b600082601f830112614cb5578081fd5b8135614cc8614cc382615e59565b615e32565b818152915060208083019084810181840286018201871015614ce957600080fd5b60005b84811015614d11578135614cff81615ec9565b84529282019290820190600101614cec565b505050505092915050565b600082601f830112614d2c578081fd5b8135614d3a614cc382615e79565b9150808252836020828501011115614d5157600080fd5b8060208401602084013760009082016020015292915050565b600082601f830112614d7a578081fd5b8151614d88614cc382615e79565b9150808252836020828501011115614d9f57600080fd5b614db0816020840160208601615e9d565b5092915050565b600060208284031215614dc8578081fd5b813561229781615ec9565b600060208284031215614de4578081fd5b815161229781615ec9565b600080600060608486031215614e03578182fd5b8351614e0e81615ec9565b6020850151909350614e1f81615ec9565b6040850151909250614e3081615ec9565b809150509250925092565b600080600060608486031215614e4f578283fd5b8351614e5a81615ec9565b60208501516040860151919450925067ffffffffffffffff811115614e7d578182fd5b614e8986828701614d6a565b9150509250925092565b60006020808385031215614ea5578182fd5b825167ffffffffffffffff811115614ebb578283fd5b80840185601f820112614ecc578384fd5b80519150614edc614cc383615e59565b8281528381019082850185850284018601891015614ef8578687fd5b8693505b84841015614f23578051614f0f81615ec9565b835260019390930192918501918501614efc565b50979650505050505050565b600060208284031215614f40578081fd5b813561229781615ede565b600060208284031215614f5c578081fd5b815161229781615ede565b600060208284031215614f78578081fd5b815167ffffffffffffffff811115614f8e578182fd5b612a3c84828501614d6a565b60008060408385031215614fac578182fd5b8235614fb781615ec9565b9150602083013567ffffffffffffffff811115614fd2578182fd5b614fde85828601614ca5565b9150509250929050565b600080600060608486031215614ffc578081fd5b833561500781615ec9565b9250602084013567ffffffffffffffff80821115615023578283fd5b61502f87838801614ca5565b93506040860135915080821115615044578283fd5b50614e8986828701614ca5565b60008060408385031215615063578182fd5b823561506e81615ec9565b9150602083013561507e81615ede565b809150509250929050565b6000806040838503121561509b578182fd5b82356150a681615ec9565b9150602083013561507e81615ec9565b60008060008060008060c087890312156150ce578384fd5b86356150d981615ec9565b955060208701356150e981615ec9565b945060408701356150f981615ec9565b935060608701359250608087013567ffffffffffffffff8082111561511c578384fd5b6151288a838b01614d1c565b935060a089013591508082111561513d578283fd5b5061514a89828a01614d1c565b9150509295509295509295565b600080600080600080600060e0888a031215615171578485fd5b873561517c81615ec9565b9650602088013561518c81615ec9565b9550604088013561519c81615ec9565b9450606088013593506080880135925060a088013567ffffffffffffffff808211156151c6578283fd5b6151d28b838c01614d1c565b935060c08a01359150808211156151e7578283fd5b506151f48a828b01614d1c565b91505092959891949750929550565b60008060408385031215615215578182fd5b823561522081615ec9565b946020939093013593505050565b60008060008060808587031215615243578182fd5b843561524e81615ec9565b935060208501359250604085013561526581615ec9565b9150606085013561527581615ede565b939692955090935050565b60008060408385031215615292578182fd5b823561529d81615ec9565b9150602083013560ff8116811461507e578182fd5b6000602082840312156152c3578081fd5b815160038110612297578182fd5b6000602082840312156152e2578081fd5b5051919050565b6000806000806000806000806000806101408b8d031215615308578384fd5b8a51995060208b0151985060408b0151975060608b0151965060808b0151955060a08b015161533681615ede565b60c08c015190955061534781615ede565b60e08c015190945061535881615ede565b6101008c015190935061536a81615ede565b6101208c015190925061537c81615ede565b809150509295989b9194979a5092959850565b60008060008060008060008060006101208a8c0312156153ad578283fd5b8951985060208a0151975060408a0151965060608a0151955060808a0151945060a08a0151935060c08a0151925060e08a015164ffffffffff811681146153f2578283fd5b6101008b015190925061540481615ede565b809150509295985092959850929598565b6000815180845260208085019450808401835b8381101561544d5781516001600160a01b031687529582019590820190600101615428565b509495945050505050565b60008151808452615470816020860160208601615e9d565b601f01601f19169290920160200192915050565b6001600160a01b0391909116815260200190565b6001600160a01b0392831681529116602082015260400190565b6001600160a01b038781168252868116602083015285166040820152606081018490526080810183905260c060a082018190526000906154f490830184615458565b98975050505050505050565b6001600160a01b03848116825283166020820152606060408201819052600090612fac90830184615458565b6001600160a01b039384168152919092166020820152604081019190915260600190565b6001600160a01b03929092168252602082015260400190565b600060018060a01b038516825283602083015260606040830152612fac6060830184615458565b6000604082526155a36040830185615415565b8281036020840152612fac8185615415565b6020808252825182820181905260009190848201906040850190845b818110156155f65783516001600160a01b0316835292840192918401916001016155d1565b50909695505050505050565b901515815260200190565b6001600160a01b0394909416845260208401929092526040830152606082015260800190565b6001600160a01b039485168152928416602084015292166040820152901515606082015260800190565b6001600160a01b039485168152928416602084015292166040820152606081019190915260800190565b6001600160a01b03958616815293851660208501529190931660408301526060820192909252608081019190915260a00190565b6001600160a01b03938416815291909216602082015260ff909116604082015260600190565b6000602082526122976020830184615458565b602080825260169082015275496e76616c69642061546f6b656e206164647265737360501b604082015260600190565b60208082526015908201527420b2323932b9b9903737ba1034b71030b93930bc9760591b604082015260600190565b60208082526003908201526249414560e81b604082015260600190565b602080825260039082015262434e4560e81b604082015260600190565b60208082526028908201527f4d75737420626520612076616c696420616e6420696e697469616c697a65642060408201526729b2ba2a37b5b2b760c11b606082015260800190565b60208082526026908201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160408201526564647265737360d01b606082015260800190565b6020808252600390820152624e415360e81b604082015260600190565b6020808252601b908201527f536166654d6174683a206164646974696f6e206f766572666c6f770000000000604082015260600190565b6020808252601a908201527f436f6c6c61746572616c20616c726561647920656e61626c6564000000000000604082015260600190565b6020808252601e908201527f4d7573742062652070656e64696e6720696e697469616c697a6174696f6e0000604082015260600190565b6020808252600390820152622b222960e91b604082015260600190565b60208082526003908201526243424560e81b604082015260600190565b602080825260039082015262424e4560e81b604082015260600190565b60208082526015908201527426bab9ba103132903b30b634b21030b230b83a32b960591b604082015260600190565b60208082526004908201526321a6a12760e11b604082015260600190565b60208082526003908201526224a0a960e91b604082015260600190565b6020808252818101527f53616665436173743a2076616c7565206d75737420626520706f736974697665604082015260600190565b60208082526023908201527f496e76616c6964207661726961626c65206465627420746f6b656e206164647260408201526265737360e81b606082015260800190565b60208082526018908201527f4f6e6c7920746865206d6f64756c652063616e2063616c6c0000000000000000604082015260600190565b602080825260039082015262494e4960e81b604082015260600190565b60208082526030908201527f45787465726e616c20706f736974696f6e73206d757374206265203020746f2060408201526f1c995b5bdd994818dbdb5c1bdb995b9d60821b606082015260800190565b6020808252600290820152615a5160f01b604082015260600190565b60208082526021908201527f536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f6040820152607760f81b606082015260800190565b6020808252818101527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604082015260600190565b6020808252600390820152622320a960e91b604082015260600190565b60208082526027908201527f5369676e6564536166654d6174683a206d756c7469706c69636174696f6e206f604082015266766572666c6f7760c81b606082015260800190565b6020808252601d908201527f496e76616c696420706f7374207472616e736665722062616c616e6365000000604082015260600190565b6020808252600390820152621254d560ea1b604082015260600190565b60208082526018908201527f5061737365642064617461206d757374206265206e756c6c0000000000000000604082015260600190565b60208082526028908201527f53616665436173743a2076616c756520646f65736e27742066697420696e2061604082015267371034b73a191a9b60c11b606082015260800190565b60208082526024908201527f4d6f64756c65206d75737420626520656e61626c6564206f6e20636f6e74726f604082015263363632b960e11b606082015260800190565b60208082526023908201527f4d75737420626520636f6e74726f6c6c65722d656e61626c656420536574546f60408201526235b2b760e91b606082015260800190565b6020808252601c908201527f4d7573742062652074686520536574546f6b656e206d616e6167657200000000604082015260600190565b6020808252600390820152620a6a8960eb1b604082015260600190565b60208082526003908201526221212d60e91b604082015260600190565b6020808252601f908201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604082015260600190565b602080825260169082015275109bdc9c9bddc8185b1c9958591e48195b98589b195960521b604082015260600190565b6020808252600390820152624d414560e81b604082015260600190565b60208082526010908201526f043616e742064697669646520627920360841b604082015260600190565b90815260200190565b60405181810167ffffffffffffffff81118282101715615e5157600080fd5b604052919050565b600067ffffffffffffffff821115615e6f578081fd5b5060209081020190565b600067ffffffffffffffff821115615e8f578081fd5b50601f01601f191660200190565b60005b83811015615eb8578181015183820152602001615ea0565b838111156120e45750506000910152565b6001600160a01b0381168114611fba57600080fd5b8015158114611fba57600080fdfea26469706673582212205b31f2df4adfba37c010847d3a2c75cfdcf250bf2524aba996ab6c616e8a267264736f6c634300060a0033000000000000000000000000d2463675a099101e36d85278494268261a66603a0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e

Deployed Bytecode

0x608060405234801561001057600080fd5b50600436106101e55760003560e01c8063847ef08d1161010f578063c690a74c116100a2578063ee78244f11610071578063ee78244f146103e4578063f2fde38b146103f7578063f77c47911461040a578063ffbad25c14610412576101e5565b8063c690a74c1461038b578063d4fd27eb1461039e578063d9b210d3146103be578063e4e9ce92146103d1576101e5565b8063b1dd4d92116100de578063b1dd4d9214610368578063bba00ba514610370578063c137f4d714610378578063c153dd0714610251576101e5565b8063847ef08d146103245780638da5cb5b1461032c578063a584119414610334578063b1c0267814610347576101e5565b80634fdd283c116101875780635b136512116101565780635b136512146102e3578063715018a6146102f6578063717ca2a5146102fe5780637c7a624e14610311576101e5565b80634fdd283c14610297578063516595fc146102aa5780635199e418146102bd5780635809ae27146102d0576101e5565b80633f843bce116101c35780633f843bce1461023c5780633fe6106b14610251578063427eddb5146102645780634a200fa514610284576101e5565b806302577224146101ea5780630df96ef6146102145780630fb96b2114610229575b600080fd5b6101fd6101f8366004614db7565b610425565b60405161020b929190615498565b60405180910390f35b610227610222366004614f9a565b61044b565b005b61022761023736600461522e565b61061a565b61024461070f565b60405161020b9190615484565b61022761025f366004615203565b610733565b610277610272366004615089565b61074b565b60405161020b9190615602565b610227610292366004614fe8565b61076b565b6102276102a5366004615157565b6109f0565b6102276102b8366004614f9a565b610b1a565b6102276102cb366004614f2f565b610b2e565b6102276102de366004614f9a565b610ba0565b6102276102f1366004615089565b610cb3565b610227610daf565b61022761030c366004614f9a565b610e2e565b61022761031f366004614db7565b610e42565b610227610f4f565b6102446112fb565b610227610342366004614db7565b61130b565b61035a610355366004614db7565b61168f565b60405161020b929190615590565b61027761176d565b610244611776565b61022761038636600461522e565b61179a565b610227610399366004615051565b611880565b6103b16103ac3660046150b6565b6119c8565b60405161020b9190615e29565b6102276103cc366004615280565b611c54565b6102776103df366004615089565b611d60565b6102776103f2366004614db7565b611d80565b610227610405366004614db7565b611d95565b610244611e4c565b610227610420366004615157565b611e5b565b600360205260009081526040902080546001909101546001600160a01b03918216911682565b8161045581611f6f565b60005b82518110156105cf57600083828151811061046f57fe5b6020908102919091018101516001600160a01b0380881660009081526005845260408082209284168252919093529091205490915060ff166104cc5760405162461bcd60e51b81526004016104c390615917565b60405180910390fd5b6001600160a01b03808216600090815260036020526040908190206001015490516370a0823160e01b81529116906370a082319061050e908890600401615484565b60206040518083038186803b15801561052657600080fd5b505afa15801561053a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061055e91906152d1565b1561057b5760405162461bcd60e51b81526004016104c3906158dd565b6001600160a01b0380861660008181526005602090815260408083209486168352938152838220805460ff191690559181526006909152206105c6906001018263ffffffff611fbd16565b50600101610458565b5060001515836001600160a01b03167f1c400b459725a0446742d6688375dffe941d5f9a65fe3900c93e07d9e772250b8460405161060d91906155b5565b60405180910390a3505050565b83610624816120ea565b81610708576040516308bafae960e21b81526000906001600160a01b038716906322ebeba49061065a9087903090600401615498565b60206040518083038186803b15801561067257600080fd5b505afa158015610686573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106aa91906152d1565b9050600081126106cc5760405162461bcd60e51b81526004016104c390615963565b60006106f8866106ec6106e78560001963ffffffff61222c16565b6122a0565b9063ffffffff6122c616565b90506107058786836122f0565b50505b5050505050565b7f0000000000000000000000007b4eb56e7cd4b454ba8ff71e4518426369a138a381565b8161073d816120ea565b6107468361130b565b505050565b600460209081526000928352604080842090915290825290205460ff1681565b8233610777828261238c565b84610781816123b2565b60085460ff166107c3576001600160a01b03861660009081526007602052604090205460ff166107c35760405162461bcd60e51b81526004016104c39061581b565b856001600160a01b0316630ffe0f1e6040518163ffffffff1660e01b8152600401600060405180830381600087803b1580156107fe57600080fd5b505af1158015610812573d6000803e3d6000fd5b50505050856001600160a01b031663d7f1b27c61085b6040518060400160405280601581526020017444656661756c7449737375616e63654d6f64756c6560581b815250612473565b6040518263ffffffff1660e01b81526004016108779190615484565b60206040518083038186803b15801561088f57600080fd5b505afa1580156108a3573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108c79190614f4b565b6108e35760405162461bcd60e51b81526004016104c390615a4d565b6060866001600160a01b031663b2494df36040518163ffffffff1660e01b815260040160006040518083038186803b15801561091e57600080fd5b505afa158015610932573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261095a9190810190614e93565b905060005b81518110156109db5781818151811061097457fe5b60200260200101516001600160a01b031663d9b1b6e0896040518263ffffffff1660e01b81526004016109a79190615484565b600060405180830381600087803b1580156109c157600080fd5b505af19250505080156109d2575060015b5060010161095f565b506109e68787612491565b610705878661257e565b60026001541415610a135760405162461bcd60e51b81526004016104c390615d7b565b600260015586610a2281611f6f565b610a2a614c26565b610a3a8989898989896000612655565b9050610a54816000015182602001518a846080015161270d565b6000610a62828a8a876127a3565b90506000610a718b8a84612a21565b90506000610a85838363ffffffff612a4416565b9050610a9b846000015185602001518c84612a86565b610aa5848b612adb565b896001600160a01b03168b6001600160a01b03168d6001600160a01b03167f7cda30123ddfc96659344700585861a8670352b9cc86d1b1054d10083b1dcdd4876040015188608001518688604051610b00949392919061560d565b60405180910390a450506001805550505050505050505050565b81610b2481611f6f565b610746838361257e565b610b36612ba1565b6002546001600160a01b03908116911614610b635760405162461bcd60e51b81526004016104c390615b17565b6008805460ff19168215159081179091556040517f563e1633136cdd43b8793897cb53ba2a9e31c18b3ae0b6827fbbb03b9902e6c690600090a250565b81610baa81611f6f565b60005b8251811015610c75576000838281518110610bc457fe5b6020908102919091018101516001600160a01b0380881660009081526004845260408082209284168252919093529091205490915060ff16610c185760405162461bcd60e51b81526004016104c390615770565b610c2485826000612ba5565b6001600160a01b0380861660008181526004602090815260408083209486168352938152838220805460ff19169055918152600690915220610c6c908263ffffffff611fbd16565b50600101610bad565b5060001515836001600160a01b03167fdd2a86f23a66f86496c82312e991b49f87ad96c4f25094a43c49f7aca0ea35428460405161060d91906155b5565b81610cbd81611f6f565b6040516335fc6c9f60e21b81526001600160a01b0384169063d7f1b27c90610ce9908590600401615484565b60206040518083038186803b158015610d0157600080fd5b505afa158015610d15573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d399190614f4b565b610d555760405162461bcd60e51b81526004016104c390615a4d565b6040516306cd8db760e51b81526001600160a01b0383169063d9b1b6e090610d81908690600401615484565b600060405180830381600087803b158015610d9b57600080fd5b505af1158015610705573d6000803e3d6000fd5b610db7612ba1565b6002546001600160a01b03908116911614610de45760405162461bcd60e51b81526004016104c390615b17565b6002546040516000916001600160a01b0316907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908390a3600280546001600160a01b0319169055565b81610e3881611f6f565b6107468383612491565b6001600160a01b038181166000908152600360205260409020541615610e7a5760405162461bcd60e51b81526004016104c390615de2565b604051633e15014160e01b81526000906001600160a01b037f0000000000000000000000007b4eb56e7cd4b454ba8ff71e4518426369a138a31690633e15014190610ec9908590600401615484565b6101406040518083038186803b158015610ee257600080fd5b505afa158015610ef6573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610f1a91906152e9565b509850505050505050505080610f425760405162461bcd60e51b81526004016104c390615753565b610f4b82612e04565b5050565b33610f5981611f95565b33610f638161130b565b6001600160a01b038116600090815260066020908152604091829020600101805483518184028101840190945280845260609392830182828015610fd057602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311610fb2575b50939450600093505050505b81518110156110eb576000828281518110610ff357fe5b6020908102919091018101516001600160a01b03808216600090815260039093526040928390206001015492516370a0823160e01b815291935091909116906370a0823190611046908790600401615484565b60206040518083038186803b15801561105e57600080fd5b505afa158015611072573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061109691906152d1565b156110b35760405162461bcd60e51b81526004016104c3906158dd565b6001600160a01b038085166000908152600560209081526040808320949093168252929092529020805460ff19169055600101610fdc565b506001600160a01b03821660009081526006602090815260409182902080548351818402810184019094528084526060939283018282801561115657602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311611138575b50939450600093505050505b81518110156111c757600082828151811061117957fe5b6020026020010151905061118f85826000612ba5565b6001600160a01b038086166000908152600460209081526040808320949093168252929092529020805460ff19169055600101611162565b506001600160a01b0383166000908152600660205260408120906111eb8282614c72565b6111f9600183016000614c72565b50506060836001600160a01b031663b2494df36040518163ffffffff1660e01b815260040160006040518083038186803b15801561123657600080fd5b505afa15801561124a573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526112729190810190614e93565b905060005b81518110156112f35781818151811061128c57fe5b60200260200101516001600160a01b031663e0799620866040518263ffffffff1660e01b81526004016112bf9190615484565b600060405180830381600087803b1580156112d957600080fd5b505af19250505080156112ea575060015b50600101611277565b505050505050565b6002546001600160a01b03165b90565b6002600154141561132e5760405162461bcd60e51b81526004016104c390615d7b565b60026001558061133d81611f95565b6000826001600160a01b03166318160ddd6040518163ffffffff1660e01b815260040160206040518083038186803b15801561137857600080fd5b505afa15801561138c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906113b091906152d1565b90508015611686576001600160a01b03831660009081526006602090815260409182902080548351818402810184019094528084526060939283018282801561142257602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311611404575b50939450600093505050505b81518110156115395760006003600084848151811061144957fe5b60200260200101516001600160a01b03166001600160a01b0316815260200190815260200160002060000160009054906101000a90046001600160a01b03169050600061150b876001600160a01b03166366cb8d2f846040518263ffffffff1660e01b81526004016114bb9190615484565b60206040518083038186803b1580156114d357600080fd5b505afa1580156114e7573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106e791906152d1565b9050600061151a888488612f1b565b905080821461152e5761152e888483612fb5565b50505060010161142e565b506001600160a01b0384166000908152600660209081526040918290206001018054835181840281018401909452808452606093928301828280156115a757602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311611589575b50939450600093505050505b81518110156116825760008282815181106115ca57fe5b602002602001015190506000876001600160a01b03166322ebeba483306040518363ffffffff1660e01b8152600401611604929190615498565b60206040518083038186803b15801561161c57600080fd5b505afa158015611630573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061165491906152d1565b90506000611663898489612fcf565b905081811461167757611677898483613090565b5050506001016115b3565b5050505b50506001805550565b6001600160a01b038116600090815260066020908152604091829020805483518184028101840190945280845260609384936001840192849183018282801561170157602002820191906000526020600020905b81546001600160a01b031681526001909101906020018083116116e3575b505050505091508080548060200260200160405190810160405280929190818152602001828054801561175d57602002820191906000526020600020905b81546001600160a01b0316815260019091019060200180831161173f575b5050505050905091509150915091565b60085460ff1681565b7f0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e81565b836117a4816120ea565b81610708576040516308bafae960e21b81526000906001600160a01b038716906322ebeba4906117da9087903090600401615498565b60206040518083038186803b1580156117f257600080fd5b505afa158015611806573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061182a91906152d1565b90506000811261184c5760405162461bcd60e51b81526004016104c390615963565b6000611873866118676106e78560001963ffffffff61222c16565b9063ffffffff6130bf16565b905061070587868361310a565b611888612ba1565b6002546001600160a01b039081169116146118b55760405162461bcd60e51b81526004016104c390615b17565b600054604051631d3af8fb60e21b81526001600160a01b03909116906374ebe3ec906118e5908590600401615484565b60206040518083038186803b1580156118fd57600080fd5b505afa158015611911573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906119359190614f4b565b8061195857506001600160a01b03821660009081526007602052604090205460ff165b6119745760405162461bcd60e51b81526004016104c390615be7565b6001600160a01b038216600081815260076020526040808220805460ff191685151590811790915590519092917f2035981b48691b10f6ac65174e570b4d0a8a889ae01bef3e5e7759ff9444f0c491a35050565b6000600260015414156119ed5760405162461bcd60e51b81526004016104c390615d7b565b6002600155866119fc81611f6f565b6000886001600160a01b03166318160ddd6040518163ffffffff1660e01b815260040160206040518083038186803b158015611a3757600080fd5b505afa158015611a4b573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611a6f91906152d1565b90506000611a83878363ffffffff6122c616565b6001600160a01b03808c166000908152600560209081526040808320938d168352929052205490915060ff16611acb5760405162461bcd60e51b81526004016104c390615917565b6001600160a01b038089166000908152600360205260408082206001015490516370a0823160e01b8152919216906370a0823190611b0d908e90600401615484565b60206040518083038186803b158015611b2557600080fd5b505afa158015611b39573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611b5d91906152d1565b905060008111611b7f5760405162461bcd60e51b81526004016104c390615d5e565b611b87614c26565b611b988c8c8c86868d60008b6131a6565b9050611bb2816000015182602001518d846080015161270d565b611bbe818c8c8a6127a3565b50611bd3816000015182602001518c85612a86565b611bdd818b612adb565b896001600160a01b03168b6001600160a01b03168d6001600160a01b03167f7cda30123ddfc96659344700585861a8670352b9cc86d1b1054d10083b1dcdd484604001518560800151876000604051611c39949392919061560d565b60405180910390a450600180559a9950505050505050505050565b81611c5e81611f6f565b826001600160a01b03167339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f63c09b1b0890917f0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e6001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b158015611cdd57600080fd5b505afa158015611cf1573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611d159190614dd3565b856040518463ffffffff1660e01b8152600401611d34939291906156bb565b60006040518083038186803b158015611d4c57600080fd5b505af4158015610705573d6000803e3d6000fd5b600560209081526000928352604080842090915290825290205460ff1681565b60076020526000908152604090205460ff1681565b611d9d612ba1565b6002546001600160a01b03908116911614611dca5760405162461bcd60e51b81526004016104c390615b17565b6001600160a01b038116611df05760405162461bcd60e51b81526004016104c3906157d5565b6002546040516001600160a01b038084169216907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a3600280546001600160a01b0319166001600160a01b0392909216919091179055565b6000546001600160a01b031681565b60026001541415611e7e5760405162461bcd60e51b81526004016104c390615d7b565b600260015586611e8d81611f6f565b611e95614c26565b611ea58989898989896001612655565b9050611ec3816000015182602001518360e001518460800151613358565b6000611ed1828a8a876127a3565b90506000611ee08b8a84612a21565b90506000611ef4838363ffffffff612a4416565b9050611f0a846000015185602001518c846133a1565b611f14848c6133f3565b896001600160a01b03168b6001600160a01b03168d6001600160a01b03167f359f8b62a966cfd521a3815681266407201b20a7c334925faa49e7d9d5dd57ab876040015188608001518688604051610b00949392919061560d565b611f798133613457565b611f955760405162461bcd60e51b81526004016104c390615d0a565b611f9e816134e5565b611fba5760405162461bcd60e51b81526004016104c39061578d565b50565b6000806120238480548060200260200160405190810160405280929190818152602001828054801561201857602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311611ffa575b5050505050846135e9565b91509150806120445760405162461bcd60e51b81526004016104c390615724565b8354600019018281146120b65784818154811061205d57fe5b9060005260206000200160009054906101000a90046001600160a01b031685848154811061208757fe5b9060005260206000200160006101000a8154816001600160a01b0302191690836001600160a01b031602179055505b848054806120c057fe5b600082815260209020810160001990810180546001600160a01b0319169055019055505b50505050565b6002604051631ade272960e11b81526001600160a01b038316906335bc4e5290612118903390600401615484565b60206040518083038186803b15801561213057600080fd5b505afa158015612144573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061216891906152b2565b600281111561217357fe5b146121905760405162461bcd60e51b81526004016104c390615a16565b6000546040516342f6e38960e01b81526001600160a01b03909116906342f6e389906121c0903390600401615484565b60206040518083038186803b1580156121d857600080fd5b505afa1580156121ec573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906122109190614f4b565b611fba5760405162461bcd60e51b81526004016104c390615c83565b60008261223b5750600061229a565b8260001914801561224f5750600160ff1b82145b1561226c5760405162461bcd60e51b81526004016104c390615b69565b8282028284828161227957fe5b05146122975760405162461bcd60e51b81526004016104c390615b69565b90505b92915050565b6000808212156122c25760405162461bcd60e51b81526004016104c39061599e565b5090565b6000612297670de0b6b3a76400006122e4858563ffffffff61364f16565b9063ffffffff61368916565b610746837f0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e6001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b15801561234d57600080fd5b505afa158015612361573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906123859190614dd3565b8484613358565b6123968282613457565b610f4b5760405162461bcd60e51b81526004016104c390615d0a565b600054604051631d3af8fb60e21b81526001600160a01b03909116906374ebe3ec906123e2908490600401615484565b60206040518083038186803b1580156123fa57600080fd5b505afa15801561240e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906124329190614f4b565b61244e5760405162461bcd60e51b81526004016104c390615cc7565b612457816136cb565b611fba5760405162461bcd60e51b81526004016104c3906158a6565b60008061247f836136fa565b905061248a81613705565b9392505050565b60005b81518110156125345760008282815181106124ab57fe5b602002602001015190506124bf84826137c2565b6124cb84826001612ba5565b6001600160a01b03808516600081815260046020908152604080832095909416808352948152838220805460ff19166001908117909155928252600681529281208054808401825590825292902090910180546001600160a01b03191690921790915501612494565b5060011515826001600160a01b03167fdd2a86f23a66f86496c82312e991b49f87ad96c4f25094a43c49f7aca0ea35428360405161257291906155b5565b60405180910390a35050565b60005b815181101561261757600082828151811061259857fe5b602002602001015190506125ac84826139ef565b6001600160a01b03808516600081815260056020908152604080832095909416808352948152838220805460ff191660019081179091559282526006815292812082018054808401825590825292902090910180546001600160a01b03191690921790915501612581565b5060011515826001600160a01b03167f1c400b459725a0446742d6688375dffe941d5f9a65fe3900c93e07d9e772250b8360405161257291906155b5565b61265d614c26565b6000886001600160a01b03166318160ddd6040518163ffffffff1660e01b815260040160206040518083038186803b15801561269857600080fd5b505afa1580156126ac573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906126d091906152d1565b90506127008989896126e88a8663ffffffff6122c616565b6126f88a8763ffffffff6122c616565b8989886131a6565b9998505050505050505050565b60405163c56df3ab60e01b81527339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f9063c56df3ab90612753906001600160a01b0388169087908790879060040161565d565b60206040518083038186803b15801561276b57600080fd5b505af415801561277f573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061070891906152d1565b60008085600001519050600086608001519050612836828789604001516001600160a01b031663334fc2896040518163ffffffff1660e01b815260040160206040518083038186803b1580156127f857600080fd5b505afa15801561280c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906128309190614dd3565b84613c21565b600080606089604001516001600160a01b031663e171fcab8a8a88888f60a001518d6040518763ffffffff1660e01b8152600401612879969594939291906154b2565b60006040518083038186803b15801561289157600080fd5b505afa1580156128a5573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526128cd9190810190614e3b565b925092509250846001600160a01b0316638f6f03328484846040518463ffffffff1660e01b815260040161290393929190615569565b600060405180830381600087803b15801561291d57600080fd5b505af1158015612931573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526129599190810190614f67565b5060006129ed8b61010001518a6001600160a01b03166370a08231896040518263ffffffff1660e01b81526004016129919190615484565b60206040518083038186803b1580156129a957600080fd5b505afa1580156129bd573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906129e191906152d1565b9063ffffffff612a4416565b90508a60a00151811015612a135760405162461bcd60e51b81526004016104c390615d41565b9a9950505050505050505050565b600080612a2f600084613c58565b9050612a3c858583613ced565b949350505050565b600061229783836040518060400160405280601e81526020017f536166654d6174683a207375627472616374696f6e206f766572666c6f770000815250613d94565b612a9284838584613c21565b6040516380395c1560e01b81527339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f906380395c1590612753906001600160a01b03881690879087908790600290600401615687565b81516040516370a0823160e01b81526000916001600160a01b038416916370a0823191612b0a91600401615484565b60206040518083038186803b158015612b2257600080fd5b505afa158015612b36573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612b5a91906152d1565b90508261010001518114612b975760608301516101008401518451612b93926001600160a01b039091169185919063ffffffff613dc016565b5050505b61074683836133f3565b3390565b6040516328dd2d0160e01b81526000906001600160a01b037f0000000000000000000000007b4eb56e7cd4b454ba8ff71e4518426369a138a316906328dd2d0190612bf69086908890600401615498565b6101206040518083038186803b158015612c0f57600080fd5b505afa158015612c23573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612c47919061538f565b9850505050505050505081151581151514158015612cf157506001600160a01b038084166000908152600360205260408082205490516370a0823160e01b8152919216906370a0823190612c9f908890600401615484565b60206040518083038186803b158015612cb757600080fd5b505afa158015612ccb573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612cef91906152d1565b115b156120e457836001600160a01b03167339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f6378dabb1390917f0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e6001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b158015612d7557600080fd5b505afa158015612d89573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612dad9190614dd3565b86866040518563ffffffff1660e01b8152600401612dce9493929190615633565b60006040518083038186803b158015612de657600080fd5b505af4158015612dfa573d6000803e3d6000fd5b5050505050505050565b6000807f0000000000000000000000007b4eb56e7cd4b454ba8ff71e4518426369a138a36001600160a01b031663d2493b6c846040518263ffffffff1660e01b8152600401612e539190615484565b60606040518083038186803b158015612e6b57600080fd5b505afa158015612e7f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612ea39190614def565b6001600160a01b0380871660008181526003602052604080822080548589166001600160a01b03199182168117835560019092018054968816969091168617905590519698509396509194929350917fc45243255b6bdd38d8648b8c5e5b9429c7143b47e850cad1601dc1edbb6a3b5b9190a4505050565b600080836001600160a01b03166370a08231866040518263ffffffff1660e01b8152600401612f4a9190615484565b60206040518083038186803b158015612f6257600080fd5b505afa158015612f76573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612f9a91906152d1565b9050612fac818463ffffffff613eb116565b95945050505050565b6107466001600160a01b038416838363ffffffff613ecf16565b6001600160a01b038083166000908152600360205260408082206001015490516370a0823160e01b8152919283929116906370a0823190613014908890600401615484565b60206040518083038186803b15801561302c57600080fd5b505afa158015613040573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061306491906152d1565b9050612fac60001961308461307f848763ffffffff61404316565b614096565b9063ffffffff61222c16565b604080516020810190915260008152610746906001600160a01b0385169084903090859063ffffffff6140bb16565b60008215806130cc575081155b156130d95750600061229a565b61229760016130fe670de0b6b3a76400006122e4836129e1898963ffffffff61364f16565b9063ffffffff61467316565b610746837f0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e6001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b15801561316757600080fd5b505afa15801561317b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061319f9190614dd3565b8484612a86565b6131ae614c26565b6131b6614c26565b6040518061012001604052808b6001600160a01b031681526020017f0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e6001600160a01b031663026b1d5f6040518163ffffffff1660e01b815260040160206040518083038186803b15801561322a57600080fd5b505afa15801561323e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906132629190614dd3565b6001600160a01b0316815260200161327987612473565b6001600160a01b03168152602001848152602001888152602001878152602001856132a4578a6132a6565b895b6001600160a01b03168152602001856132bf57896132c1565b8a5b6001600160a01b03168152602001896001600160a01b03166370a082318d6040518263ffffffff1660e01b81526004016132fb9190615484565b60206040518083038186803b15801561331357600080fd5b505afa158015613327573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061334b91906152d1565b9052905061270081614698565b604051634738693b60e11b81527339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f90638e70d27690612dce906001600160a01b03881690879087908790600290600401615687565b6133ad84838584613c21565b604051636d6c328f60e01b81527339bd75ddf7238b5a4e8d9f7bb8a4d38aef9a150f90636d6c328f90612dce906001600160a01b0388169087908790879060040161565d565b60c08201516001600160a01b039081166000908152600360205260409020548351606085015191909216916134369183906134319083908390612f1b565b612fb5565b6107468360000151836134528660000151868860600151612fcf565b613090565b6000816001600160a01b0316836001600160a01b031663481c6a756040518163ffffffff1660e01b815260040160206040518083038186803b15801561349c57600080fd5b505afa1580156134b0573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906134d49190614dd3565b6001600160a01b0316149392505050565b60008054604051631d3af8fb60e21b81526001600160a01b03909116906374ebe3ec90613516908590600401615484565b60206040518083038186803b15801561352e57600080fd5b505afa158015613542573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906135669190614f4b565b801561229a57506040516335fc6c9f60e21b81526001600160a01b0383169063d7f1b27c90613599903090600401615484565b60206040518083038186803b1580156135b157600080fd5b505afa1580156135c5573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061229a9190614f4b565b81516000908190815b8181101561363c57846001600160a01b031686828151811061361057fe5b60200260200101516001600160a01b03161415613634579250600191506136489050565b6001016135f2565b50600019600092509250505b9250929050565b60008261365e5750600061229a565b8282028284828161366b57fe5b04146122975760405162461bcd60e51b81526004016104c390615ad6565b600061229783836040518060400160405280601a81526020017f536166654d6174683a206469766973696f6e206279207a65726f00000000000081525061478e565b6040516353bae5f760e01b81526000906001600160a01b038316906353bae5f790613599903090600401615484565b805160209091012090565b60008054819061371d906001600160a01b03166147c5565b6001600160a01b031663e6d642c530856040518363ffffffff1660e01b815260040161374a929190615550565b60206040518083038186803b15801561376257600080fd5b505afa158015613776573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061379a9190614dd3565b90506001600160a01b03811661229a5760405162461bcd60e51b81526004016104c390615934565b6001600160a01b0380831660009081526004602090815260408083209385168352929052205460ff16156138085760405162461bcd60e51b81526004016104c39061586f565b6040516334924edb60e21b81526000906001600160a01b037f0000000000000000000000007b4eb56e7cd4b454ba8ff71e4518426369a138a3169063d2493b6c90613857908590600401615484565b60606040518083038186803b15801561386f57600080fd5b505afa158015613883573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906138a79190614def565b50506001600160a01b038381166000908152600360205260409020549192508281169116146138e85760405162461bcd60e51b81526004016104c3906156f4565b60008060007f0000000000000000000000007b4eb56e7cd4b454ba8ff71e4518426369a138a36001600160a01b0316633e150141866040518263ffffffff1660e01b81526004016139399190615484565b6101406040518083038186803b15801561395257600080fd5b505afa158015613966573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061398a91906152e9565b99509950505097505050505050816139b45760405162461bcd60e51b81526004016104c390615981565b80156139d25760405162461bcd60e51b81526004016104c390615b4c565b826112f35760405162461bcd60e51b81526004016104c390615770565b6001600160a01b0380831660009081526005602090815260408083209385168352929052205460ff1615613a355760405162461bcd60e51b81526004016104c390615db2565b6040516334924edb60e21b81526000906001600160a01b037f0000000000000000000000007b4eb56e7cd4b454ba8ff71e4518426369a138a3169063d2493b6c90613a84908590600401615484565b60606040518083038186803b158015613a9c57600080fd5b505afa158015613ab0573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613ad49190614def565b6001600160a01b038581166000908152600360205260409020600101549194508481169116149150613b1a90505760405162461bcd60e51b81526004016104c3906159d3565b60008060007f0000000000000000000000007b4eb56e7cd4b454ba8ff71e4518426369a138a36001600160a01b0316633e150141866040518263ffffffff1660e01b8152600401613b6b9190615484565b6101406040518083038186803b158015613b8457600080fd5b505afa158015613b98573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613bbc91906152e9565b9950995050985050505050505081613be65760405162461bcd60e51b81526004016104c390615981565b8015613c045760405162461bcd60e51b81526004016104c390615b4c565b826112f35760405162461bcd60e51b81526004016104c390615917565b613c3d6001600160a01b0385168484600063ffffffff61484416565b6120e46001600160a01b03851684848463ffffffff61484416565b6000805460405163792aa04f60e01b815282916001600160a01b03169063792aa04f90613c8b9030908890600401615550565b60206040518083038186803b158015613ca357600080fd5b505afa158015613cb7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613cdb91906152d1565b9050612a3c838263ffffffff6122c616565b801561074657610746826000809054906101000a90046001600160a01b03166001600160a01b031663469048406040518163ffffffff1660e01b815260040160206040518083038186803b158015613d4457600080fd5b505afa158015613d58573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613d7c9190614dd3565b6001600160a01b03861691908463ffffffff61490b16565b60008184841115613db85760405162461bcd60e51b81526004016104c391906156e1565b505050900390565b600080600080866001600160a01b03166370a08231896040518263ffffffff1660e01b8152600401613df29190615484565b60206040518083038186803b158015613e0a57600080fd5b505afa158015613e1e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613e4291906152d1565b90506000613e75896001600160a01b03166366cb8d2f8a6040518263ffffffff1660e01b81526004016114bb9190615484565b905060008215613e9257613e8b88888585614a4d565b9050613e96565b5060005b613ea18a8a83613ecf565b9199909850909650945050505050565b6000612297826122e485670de0b6b3a764000063ffffffff61364f16565b6000613edb8484614a9c565b905080158015613eeb5750600082115b15613f6257613efa8484614b23565b613f5d576040516304e3532760e41b81526001600160a01b03851690634e35327090613f2a908690600401615484565b600060405180830381600087803b158015613f4457600080fd5b505af1158015613f58573d6000803e3d6000fd5b505050505b613fdf565b808015613f6d575081155b15613fdf57613f7c8484614b23565b613fdf57604051636f86c89760e01b81526001600160a01b03851690636f86c89790613fac908690600401615484565b600060405180830381600087803b158015613fc657600080fd5b505af1158015613fda573d6000803e3d6000fd5b505050505b836001600160a01b0316632ba57d1784613ff885614096565b6040518363ffffffff1660e01b8152600401614015929190615550565b600060405180830381600087803b15801561402f57600080fd5b505af1158015612dfa573d6000803e3d6000fd5b6000816140625760405162461bcd60e51b81526004016104c390615dff565b60008311614071576000612297565b61229760016130fe846122e4836129e189670de0b6b3a764000063ffffffff61364f16565b6000600160ff1b82106122c25760405162461bcd60e51b81526004016104c390615c3b565b81156143b05760405163df5e9b2960e01b81526001600160a01b0386169063df5e9b29906140ed908790600401615484565b60206040518083038186803b15801561410557600080fd5b505afa158015614119573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061413d9190614f4b565b614204576040516304e3532760e41b81526001600160a01b03861690634e3532709061416d908790600401615484565b600060405180830381600087803b15801561418757600080fd5b505af115801561419b573d6000803e3d6000fd5b505060405163ea0ee55960e01b81526001600160a01b038816925063ea0ee55991506141cd9087908790600401615498565b600060405180830381600087803b1580156141e757600080fd5b505af11580156141fb573d6000803e3d6000fd5b505050506142e7565b604051637d96659360e01b81526001600160a01b03861690637d966593906142329087908790600401615498565b60206040518083038186803b15801561424a57600080fd5b505afa15801561425e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906142829190614f4b565b6142e75760405163ea0ee55960e01b81526001600160a01b0386169063ea0ee559906142b49087908790600401615498565b600060405180830381600087803b1580156142ce57600080fd5b505af11580156142e2573d6000803e3d6000fd5b505050505b6040516363a90fc160e01b81526001600160a01b038616906363a90fc1906143179087908790879060040161552c565b600060405180830381600087803b15801561433157600080fd5b505af1158015614345573d6000803e3d6000fd5b50506040516326898fe160e01b81526001600160a01b03881692506326898fe1915061437990879087908690600401615500565b600060405180830381600087803b15801561439357600080fd5b505af11580156143a7573d6000803e3d6000fd5b50505050610708565b8051156143cf5760405162461bcd60e51b81526004016104c390615c04565b6040516308bafae960e21b81526001600160a01b038616906322ebeba4906143fd9087908790600401615498565b60206040518083038186803b15801561441557600080fd5b505afa158015614429573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061444d91906152d1565b156107085760405163a7bdad0360e01b81526060906001600160a01b0387169063a7bdad0390614481908890600401615484565b60006040518083038186803b15801561449957600080fd5b505afa1580156144ad573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526144d59190810190614e93565b6040516366cb8d2f60e01b81529091506001600160a01b038716906366cb8d2f90614504908890600401615484565b60206040518083038186803b15801561451c57600080fd5b505afa158015614530573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061455491906152d1565b158015614562575080516001145b1561460b57836001600160a01b03168160008151811061457e57fe5b60200260200101516001600160a01b0316146145ac5760405162461bcd60e51b81526004016104c390615a6a565b604051636f86c89760e01b81526001600160a01b03871690636f86c897906145d8908890600401615484565b600060405180830381600087803b1580156145f257600080fd5b505af1158015614606573d6000803e3d6000fd5b505050505b60405163acf3f07760e01b81526001600160a01b0387169063acf3f077906146399088908890600401615498565b600060405180830381600087803b15801561465357600080fd5b505af1158015614667573d6000803e3d6000fd5b50505050505050505050565b6000828201838110156122975760405162461bcd60e51b81526004016104c390615838565b80516001600160a01b03908116600090815260046020908152604080832060c08601519094168352929052205460ff166146e45760405162461bcd60e51b81526004016104c390615770565b80516001600160a01b03908116600090815260056020908152604080832060e08601519094168352929052205460ff166147305760405162461bcd60e51b81526004016104c390615917565b8060e001516001600160a01b03168160c001516001600160a01b0316141561476a5760405162461bcd60e51b81526004016104c3906158fa565b6000816080015111611fba5760405162461bcd60e51b81526004016104c390615aba565b600081836147af5760405162461bcd60e51b81526004016104c391906156e1565b5060008385816147bb57fe5b0495945050505050565b6040516373b2e76b60e11b81526000906001600160a01b0383169063e765ced6906147f4908490600401615e29565b60206040518083038186803b15801561480c57600080fd5b505afa158015614820573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061229a9190614dd3565b60608282604051602401614859929190615550565b60408051601f198184030181529181526020820180516001600160e01b031663095ea7b360e01b179052516347b7819960e11b81529091506001600160a01b03861690638f6f0332906148b59087906000908690600401615569565b600060405180830381600087803b1580156148cf57600080fd5b505af11580156148e3573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526112f39190810190614f67565b80156120e4576040516370a0823160e01b81526000906001600160a01b038516906370a0823190614940908890600401615484565b60206040518083038186803b15801561495857600080fd5b505afa15801561496c573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061499091906152d1565b905061499e85858585614baf565b6040516370a0823160e01b81526000906001600160a01b038616906370a08231906149cd908990600401615484565b60206040518083038186803b1580156149e557600080fd5b505afa1580156149f9573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190614a1d91906152d1565b9050614a2f828463ffffffff612a4416565b81146112f35760405162461bcd60e51b81526004016104c390615bb0565b600080614a70614a63848863ffffffff6122c616565b869063ffffffff612a4416565b9050614a9286614a86868463ffffffff612a4416565b9063ffffffff613eb116565b9695505050505050565b600080836001600160a01b03166366cb8d2f846040518263ffffffff1660e01b8152600401614acb9190615484565b60206040518083038186803b158015614ae357600080fd5b505afa158015614af7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190614b1b91906152d1565b139392505050565b600080836001600160a01b031663a7bdad03846040518263ffffffff1660e01b8152600401614b529190615484565b60006040518083038186803b158015614b6a57600080fd5b505afa158015614b7e573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052614ba69190810190614e93565b51119392505050565b80156120e45760608282604051602401614bca929190615550565b60408051601f198184030181529181526020820180516001600160e01b031663a9059cbb60e01b179052516347b7819960e11b81529091506001600160a01b03861690638f6f0332906148b59087906000908690600401615569565b6040805161012081018252600080825260208201819052918101829052606081018290526080810182905260a0810182905260c0810182905260e0810182905261010081019190915290565b5080546000825590600052602060002090810190611fba919061130891905b808211156122c25760008155600101614c91565b600082601f830112614cb5578081fd5b8135614cc8614cc382615e59565b615e32565b818152915060208083019084810181840286018201871015614ce957600080fd5b60005b84811015614d11578135614cff81615ec9565b84529282019290820190600101614cec565b505050505092915050565b600082601f830112614d2c578081fd5b8135614d3a614cc382615e79565b9150808252836020828501011115614d5157600080fd5b8060208401602084013760009082016020015292915050565b600082601f830112614d7a578081fd5b8151614d88614cc382615e79565b9150808252836020828501011115614d9f57600080fd5b614db0816020840160208601615e9d565b5092915050565b600060208284031215614dc8578081fd5b813561229781615ec9565b600060208284031215614de4578081fd5b815161229781615ec9565b600080600060608486031215614e03578182fd5b8351614e0e81615ec9565b6020850151909350614e1f81615ec9565b6040850151909250614e3081615ec9565b809150509250925092565b600080600060608486031215614e4f578283fd5b8351614e5a81615ec9565b60208501516040860151919450925067ffffffffffffffff811115614e7d578182fd5b614e8986828701614d6a565b9150509250925092565b60006020808385031215614ea5578182fd5b825167ffffffffffffffff811115614ebb578283fd5b80840185601f820112614ecc578384fd5b80519150614edc614cc383615e59565b8281528381019082850185850284018601891015614ef8578687fd5b8693505b84841015614f23578051614f0f81615ec9565b835260019390930192918501918501614efc565b50979650505050505050565b600060208284031215614f40578081fd5b813561229781615ede565b600060208284031215614f5c578081fd5b815161229781615ede565b600060208284031215614f78578081fd5b815167ffffffffffffffff811115614f8e578182fd5b612a3c84828501614d6a565b60008060408385031215614fac578182fd5b8235614fb781615ec9565b9150602083013567ffffffffffffffff811115614fd2578182fd5b614fde85828601614ca5565b9150509250929050565b600080600060608486031215614ffc578081fd5b833561500781615ec9565b9250602084013567ffffffffffffffff80821115615023578283fd5b61502f87838801614ca5565b93506040860135915080821115615044578283fd5b50614e8986828701614ca5565b60008060408385031215615063578182fd5b823561506e81615ec9565b9150602083013561507e81615ede565b809150509250929050565b6000806040838503121561509b578182fd5b82356150a681615ec9565b9150602083013561507e81615ec9565b60008060008060008060c087890312156150ce578384fd5b86356150d981615ec9565b955060208701356150e981615ec9565b945060408701356150f981615ec9565b935060608701359250608087013567ffffffffffffffff8082111561511c578384fd5b6151288a838b01614d1c565b935060a089013591508082111561513d578283fd5b5061514a89828a01614d1c565b9150509295509295509295565b600080600080600080600060e0888a031215615171578485fd5b873561517c81615ec9565b9650602088013561518c81615ec9565b9550604088013561519c81615ec9565b9450606088013593506080880135925060a088013567ffffffffffffffff808211156151c6578283fd5b6151d28b838c01614d1c565b935060c08a01359150808211156151e7578283fd5b506151f48a828b01614d1c565b91505092959891949750929550565b60008060408385031215615215578182fd5b823561522081615ec9565b946020939093013593505050565b60008060008060808587031215615243578182fd5b843561524e81615ec9565b935060208501359250604085013561526581615ec9565b9150606085013561527581615ede565b939692955090935050565b60008060408385031215615292578182fd5b823561529d81615ec9565b9150602083013560ff8116811461507e578182fd5b6000602082840312156152c3578081fd5b815160038110612297578182fd5b6000602082840312156152e2578081fd5b5051919050565b6000806000806000806000806000806101408b8d031215615308578384fd5b8a51995060208b0151985060408b0151975060608b0151965060808b0151955060a08b015161533681615ede565b60c08c015190955061534781615ede565b60e08c015190945061535881615ede565b6101008c015190935061536a81615ede565b6101208c015190925061537c81615ede565b809150509295989b9194979a5092959850565b60008060008060008060008060006101208a8c0312156153ad578283fd5b8951985060208a0151975060408a0151965060608a0151955060808a0151945060a08a0151935060c08a0151925060e08a015164ffffffffff811681146153f2578283fd5b6101008b015190925061540481615ede565b809150509295985092959850929598565b6000815180845260208085019450808401835b8381101561544d5781516001600160a01b031687529582019590820190600101615428565b509495945050505050565b60008151808452615470816020860160208601615e9d565b601f01601f19169290920160200192915050565b6001600160a01b0391909116815260200190565b6001600160a01b0392831681529116602082015260400190565b6001600160a01b038781168252868116602083015285166040820152606081018490526080810183905260c060a082018190526000906154f490830184615458565b98975050505050505050565b6001600160a01b03848116825283166020820152606060408201819052600090612fac90830184615458565b6001600160a01b039384168152919092166020820152604081019190915260600190565b6001600160a01b03929092168252602082015260400190565b600060018060a01b038516825283602083015260606040830152612fac6060830184615458565b6000604082526155a36040830185615415565b8281036020840152612fac8185615415565b6020808252825182820181905260009190848201906040850190845b818110156155f65783516001600160a01b0316835292840192918401916001016155d1565b50909695505050505050565b901515815260200190565b6001600160a01b0394909416845260208401929092526040830152606082015260800190565b6001600160a01b039485168152928416602084015292166040820152901515606082015260800190565b6001600160a01b039485168152928416602084015292166040820152606081019190915260800190565b6001600160a01b03958616815293851660208501529190931660408301526060820192909252608081019190915260a00190565b6001600160a01b03938416815291909216602082015260ff909116604082015260600190565b6000602082526122976020830184615458565b602080825260169082015275496e76616c69642061546f6b656e206164647265737360501b604082015260600190565b60208082526015908201527420b2323932b9b9903737ba1034b71030b93930bc9760591b604082015260600190565b60208082526003908201526249414560e81b604082015260600190565b602080825260039082015262434e4560e81b604082015260600190565b60208082526028908201527f4d75737420626520612076616c696420616e6420696e697469616c697a65642060408201526729b2ba2a37b5b2b760c11b606082015260800190565b60208082526026908201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160408201526564647265737360d01b606082015260800190565b6020808252600390820152624e415360e81b604082015260600190565b6020808252601b908201527f536166654d6174683a206164646974696f6e206f766572666c6f770000000000604082015260600190565b6020808252601a908201527f436f6c6c61746572616c20616c726561647920656e61626c6564000000000000604082015260600190565b6020808252601e908201527f4d7573742062652070656e64696e6720696e697469616c697a6174696f6e0000604082015260600190565b6020808252600390820152622b222960e91b604082015260600190565b60208082526003908201526243424560e81b604082015260600190565b602080825260039082015262424e4560e81b604082015260600190565b60208082526015908201527426bab9ba103132903b30b634b21030b230b83a32b960591b604082015260600190565b60208082526004908201526321a6a12760e11b604082015260600190565b60208082526003908201526224a0a960e91b604082015260600190565b6020808252818101527f53616665436173743a2076616c7565206d75737420626520706f736974697665604082015260600190565b60208082526023908201527f496e76616c6964207661726961626c65206465627420746f6b656e206164647260408201526265737360e81b606082015260800190565b60208082526018908201527f4f6e6c7920746865206d6f64756c652063616e2063616c6c0000000000000000604082015260600190565b602080825260039082015262494e4960e81b604082015260600190565b60208082526030908201527f45787465726e616c20706f736974696f6e73206d757374206265203020746f2060408201526f1c995b5bdd994818dbdb5c1bdb995b9d60821b606082015260800190565b6020808252600290820152615a5160f01b604082015260600190565b60208082526021908201527f536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f6040820152607760f81b606082015260800190565b6020808252818101527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604082015260600190565b6020808252600390820152622320a960e91b604082015260600190565b60208082526027908201527f5369676e6564536166654d6174683a206d756c7469706c69636174696f6e206f604082015266766572666c6f7760c81b606082015260800190565b6020808252601d908201527f496e76616c696420706f7374207472616e736665722062616c616e6365000000604082015260600190565b6020808252600390820152621254d560ea1b604082015260600190565b60208082526018908201527f5061737365642064617461206d757374206265206e756c6c0000000000000000604082015260600190565b60208082526028908201527f53616665436173743a2076616c756520646f65736e27742066697420696e2061604082015267371034b73a191a9b60c11b606082015260800190565b60208082526024908201527f4d6f64756c65206d75737420626520656e61626c6564206f6e20636f6e74726f604082015263363632b960e11b606082015260800190565b60208082526023908201527f4d75737420626520636f6e74726f6c6c65722d656e61626c656420536574546f60408201526235b2b760e91b606082015260800190565b6020808252601c908201527f4d7573742062652074686520536574546f6b656e206d616e6167657200000000604082015260600190565b6020808252600390820152620a6a8960eb1b604082015260600190565b60208082526003908201526221212d60e91b604082015260600190565b6020808252601f908201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604082015260600190565b602080825260169082015275109bdc9c9bddc8185b1c9958591e48195b98589b195960521b604082015260600190565b6020808252600390820152624d414560e81b604082015260600190565b60208082526010908201526f043616e742064697669646520627920360841b604082015260600190565b90815260200190565b60405181810167ffffffffffffffff81118282101715615e5157600080fd5b604052919050565b600067ffffffffffffffff821115615e6f578081fd5b5060209081020190565b600067ffffffffffffffff821115615e8f578081fd5b50601f01601f191660200190565b60005b83811015615eb8578181015183820152602001615ea0565b838111156120e45750506000910152565b6001600160a01b0381168114611fba57600080fd5b8015158114611fba57600080fdfea26469706673582212205b31f2df4adfba37c010847d3a2c75cfdcf250bf2524aba996ab6c616e8a267264736f6c634300060a0033

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

000000000000000000000000d2463675a099101e36d85278494268261a66603a0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e

-----Decoded View---------------
Arg [0] : _controller (address): 0xD2463675a099101E36D85278494268261a66603A
Arg [1] : _poolAddressesProvider (address): 0x2f39d218133AFaB8F2B819B1066c7E434Ad94E9e

-----Encoded View---------------
2 Constructor Arguments found :
Arg [0] : 000000000000000000000000d2463675a099101e36d85278494268261a66603a
Arg [1] : 0000000000000000000000002f39d218133afab8f2b819b1066c7e434ad94e9e


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.