ETH Price: $3,847.57 (+6.36%)

Contract

0xA8081b99550fA2e6BAba05b806553cB894d51FD8
 

Overview

ETH Balance

0 ETH

Eth Value

$0.00

Multichain Info

No addresses found
Transaction Hash
Method
Block
From
To
Update Oracle123025172021-04-24 10:57:381320 days ago1619261858IN
0xA8081b99...894d51FD8
0 ETH0.0027139957
Transfer Ownersh...120889162021-03-22 13:36:301353 days ago1616420190IN
0xA8081b99...894d51FD8
0 ETH0.0050489164
Transfer Operato...120889042021-03-22 13:33:101353 days ago1616419990IN
0xA8081b99...894d51FD8
0 ETH0.00503824164
Add Token120883582021-03-22 11:28:491353 days ago1616412529IN
0xA8081b99...894d51FD8
0 ETH0.02192591117
Set Emission Man...120882832021-03-22 11:13:041353 days ago1616411584IN
0xA8081b99...894d51FD8
0 ETH0.0105777127
Set Bond Manager120882802021-03-22 11:12:491353 days ago1616411569IN
0xA8081b99...894d51FD8
0 ETH0.01182509127

View more zero value Internal Transactions in Advanced View mode

Advanced mode:
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
TokenManager

Compiler Version
v0.6.6+commit.6c089d02

Optimization Enabled:
Yes with 999999 runs

Other Settings:
default evmVersion
File 1 of 19 : TokenManager.sol
//SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

import "@openzeppelin/contracts/token/ERC20/ERC20.sol";
import "@uniswap/v2-core/contracts/interfaces/IUniswapV2Pair.sol";

import "../libraries/UniswapLibrary.sol";
import "../interfaces/IOracle.sol";
import "../interfaces/ITokenManager.sol";
import "../interfaces/IBondManager.sol";
import "../interfaces/IEmissionManager.sol";
import "../SyntheticToken.sol";
import "../access/Operatable.sol";
import "../access/Migratable.sol";

/// TokenManager manages all tokens and their price data
contract TokenManager is ITokenManager, Operatable, Migratable {
    struct TokenData {
        SyntheticToken syntheticToken;
        ERC20 underlyingToken;
        IUniswapV2Pair pair;
        IOracle oracle;
    }

    /// Token data (key is synthetic token address)
    mapping(address => TokenData) public tokenIndex;
    /// A set of managed synthetic token addresses
    address[] public tokens;
    /// Addresses of contracts allowed to mint / burn synthetic tokens
    address[] tokenAdmins;
    /// Uniswap factory address
    address public immutable uniswapFactory;

    IBondManager public bondManager;
    IEmissionManager public emissionManager;

    // ------- Constructor ----------

    /// Creates a new Token Manager
    /// @param _uniswapFactory The address of the Uniswap Factory
    constructor(address _uniswapFactory) public {
        uniswapFactory = _uniswapFactory;
    }

    // ------- Modifiers ----------

    /// Fails if a token is not currently managed by Token Manager
    /// @param syntheticTokenAddress The address of the synthetic token
    modifier managedToken(address syntheticTokenAddress) {
        require(
            isManagedToken(syntheticTokenAddress),
            "TokenManager: Token is not managed"
        );
        _;
    }

    modifier initialized() {
        require(
            isInitialized(),
            "TokenManager: BondManager or EmissionManager is not initialized"
        );
        _;
    }

    modifier tokenAdmin() {
        require(
            isTokenAdmin(msg.sender),
            "TokenManager: Must be called by token admin"
        );
        _;
    }

    // ------- View ----------

    /// A set of synthetic tokens under management
    /// @dev Deleted tokens are still present in the array but with address(0)
    function allTokens() public view override returns (address[] memory) {
        return tokens;
    }

    /// Checks if the token is managed by Token Manager
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @return True if token is managed
    function isManagedToken(address syntheticTokenAddress)
        public
        view
        override
        returns (bool)
    {
        return
            address(tokenIndex[syntheticTokenAddress].syntheticToken) !=
            address(0);
    }

    /// Checks if token ownerships are valid
    /// @return True if ownerships are valid
    function validTokenPermissions() public view returns (bool) {
        for (uint32 i = 0; i < tokens.length; i++) {
            SyntheticToken token = SyntheticToken(tokens[i]);
            if (address(token) != address(0)) {
                if (token.operator() != address(this)) {
                    return false;
                }
                if (token.owner() != address(this)) {
                    return false;
                }
            }
        }
        return true;
    }

    /// Checks if prerequisites for starting using TokenManager are fulfilled
    function isInitialized() public view returns (bool) {
        return
            (address(bondManager) != address(0)) &&
            (address(emissionManager) != address(0));
    }

    /// All token admins allowed to mint / burn
    function allTokenAdmins() public view returns (address[] memory) {
        return tokenAdmins;
    }

    /// Check if address is token admin
    /// @param admin - address to check
    function isTokenAdmin(address admin) public view override returns (bool) {
        for (uint256 i = 0; i < tokenAdmins.length; i++) {
            if (tokenAdmins[i] == admin) {
                return true;
            }
        }
        return false;
    }

    /// Address of the underlying token
    /// @param syntheticTokenAddress The address of the synthetic token
    function underlyingToken(address syntheticTokenAddress)
        public
        view
        override
        managedToken(syntheticTokenAddress)
        returns (address)
    {
        return address(tokenIndex[syntheticTokenAddress].underlyingToken);
    }

    /// Average price of the synthetic token according to price oracle
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param syntheticTokenAmount The amount to be priced
    /// @return The equivalent amount of the underlying token required to buy syntheticTokenAmount (average)
    /// @dev Fails if the token is not managed
    function averagePrice(
        address syntheticTokenAddress,
        uint256 syntheticTokenAmount
    )
        public
        view
        override
        managedToken(syntheticTokenAddress)
        returns (uint256)
    {
        IOracle oracle = tokenIndex[syntheticTokenAddress].oracle;
        return oracle.consult(syntheticTokenAddress, syntheticTokenAmount);
    }

    /// Current price of the synthetic token according to Uniswap
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param syntheticTokenAmount The amount to be priced
    /// @return The equivalent amount of the underlying token required to buy syntheticTokenAmount
    /// @dev Fails if the token is not managed
    function currentPrice(
        address syntheticTokenAddress,
        uint256 syntheticTokenAmount
    )
        public
        view
        override
        managedToken(syntheticTokenAddress)
        returns (uint256)
    {
        address underlyingTokenAddress =
            address(tokenIndex[syntheticTokenAddress].underlyingToken);
        (uint256 syntheticReserve, uint256 undelyingReserve) =
            UniswapLibrary.getReserves(
                uniswapFactory,
                syntheticTokenAddress,
                underlyingTokenAddress
            );
        return
            UniswapLibrary.quote(
                syntheticTokenAmount,
                syntheticReserve,
                undelyingReserve
            );
    }

    /// Get one synthetic unit
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @return one unit of the synthetic asset
    function oneSyntheticUnit(address syntheticTokenAddress)
        public
        view
        override
        managedToken(syntheticTokenAddress)
        returns (uint256)
    {
        SyntheticToken synToken =
            SyntheticToken(tokenIndex[syntheticTokenAddress].syntheticToken);
        return uint256(10)**synToken.decimals();
    }

    /// Get one underlying unit
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @return one unit of the underlying asset
    function oneUnderlyingUnit(address syntheticTokenAddress)
        public
        view
        override
        managedToken(syntheticTokenAddress)
        returns (uint256)
    {
        ERC20 undToken = tokenIndex[syntheticTokenAddress].underlyingToken;
        return uint256(10)**undToken.decimals();
    }

    // ------- External --------------------

    /// Update oracle price
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @dev This modifier must always come with managedToken and oncePerBlock
    function updateOracle(address syntheticTokenAddress)
        public
        override
        managedToken(syntheticTokenAddress)
    {
        IOracle oracle = tokenIndex[syntheticTokenAddress].oracle;
        try oracle.update() {} catch {}
    }

    // ------- External, Owner ----------

    function addTokenAdmin(address admin) public onlyOwner {
        _addTokenAdmin(admin);
    }

    function deleteTokenAdmin(address admin) public onlyOwner {
        _deleteTokenAdmin(admin);
    }

    // ------- External, Operator ----------

    /// Adds token to managed tokens
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param bondTokenAddress The address of the bond token
    /// @param underlyingTokenAddress The address of the underlying token
    /// @param oracleAddress The address of the price oracle for the pair
    /// @dev Requires the operator and the owner of the synthetic token to be set to TokenManager address before calling
    function addToken(
        address syntheticTokenAddress,
        address bondTokenAddress,
        address underlyingTokenAddress,
        address oracleAddress
    ) external onlyOperator initialized {
        require(
            syntheticTokenAddress != underlyingTokenAddress,
            "TokenManager: Synthetic token and Underlying tokens must be different"
        );
        require(
            !isManagedToken(syntheticTokenAddress),
            "TokenManager: Token is already managed"
        );
        SyntheticToken syntheticToken = SyntheticToken(syntheticTokenAddress);
        SyntheticToken bondToken = SyntheticToken(bondTokenAddress);
        ERC20 underlyingTkn = ERC20(underlyingTokenAddress);
        IOracle oracle = IOracle(oracleAddress);
        IUniswapV2Pair pair =
            IUniswapV2Pair(
                UniswapLibrary.pairFor(
                    uniswapFactory,
                    syntheticTokenAddress,
                    underlyingTokenAddress
                )
            );
        require(
            syntheticToken.decimals() == bondToken.decimals(),
            "TokenManager: Synthetic and Bond tokens must have the same number of decimals"
        );

        require(
            address(oracle.pair()) == address(pair),
            "TokenManager: Tokens and Oracle tokens are different"
        );
        TokenData memory tokenData =
            TokenData(syntheticToken, underlyingTkn, pair, oracle);
        tokenIndex[syntheticTokenAddress] = tokenData;
        tokens.push(syntheticTokenAddress);
        bondManager.addBondToken(syntheticTokenAddress, bondTokenAddress);
        emit TokenAdded(
            syntheticTokenAddress,
            underlyingTokenAddress,
            address(oracle),
            address(pair)
        );
    }

    /// Removes token from managed, transfers its operator and owner to target address
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param newOperator The operator and owner of the token will be transferred to this address.
    /// @dev Fails if the token is not managed
    function deleteToken(address syntheticTokenAddress, address newOperator)
        external
        managedToken(syntheticTokenAddress)
        onlyOperator
        initialized
    {
        bondManager.deleteBondToken(syntheticTokenAddress, newOperator);
        uint256 pos;
        for (uint256 i = 0; i < tokens.length; i++) {
            if (tokens[i] == syntheticTokenAddress) {
                pos = i;
            }
        }
        TokenData memory data = tokenIndex[tokens[pos]];
        data.syntheticToken.transferOperator(newOperator);
        data.syntheticToken.transferOwnership(newOperator);
        delete tokenIndex[syntheticTokenAddress];
        delete tokens[pos];
        emit TokenDeleted(
            syntheticTokenAddress,
            address(data.underlyingToken),
            address(data.oracle),
            address(data.pair)
        );
    }

    /// Burns synthetic token from the owner
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param owner Owner of the tokens to burn
    /// @param amount Amount to burn
    function burnSyntheticFrom(
        address syntheticTokenAddress,
        address owner,
        uint256 amount
    )
        public
        override
        managedToken(syntheticTokenAddress)
        initialized
        tokenAdmin
    {
        SyntheticToken token = tokenIndex[syntheticTokenAddress].syntheticToken;
        token.burnFrom(owner, amount);
    }

    /// Mints synthetic token
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param receiver Address to receive minted token
    /// @param amount Amount to mint
    function mintSynthetic(
        address syntheticTokenAddress,
        address receiver,
        uint256 amount
    )
        public
        override
        managedToken(syntheticTokenAddress)
        initialized
        tokenAdmin
    {
        SyntheticToken token = tokenIndex[syntheticTokenAddress].syntheticToken;
        token.mint(receiver, amount);
    }

    // --------- Operator -----------

    /// Updates bond manager address
    /// @param _bondManager new bond manager
    function setBondManager(address _bondManager) public onlyOperator {
        require(
            address(bondManager) != _bondManager,
            "TokenManager: bondManager with this address already set"
        );
        deleteTokenAdmin(address(bondManager));
        addTokenAdmin(_bondManager);
        bondManager = IBondManager(_bondManager);
        emit BondManagerChanged(msg.sender, _bondManager);
    }

    /// Updates emission manager address
    /// @param _emissionManager new emission manager
    function setEmissionManager(address _emissionManager) public onlyOperator {
        require(
            address(emissionManager) != _emissionManager,
            "TokenManager: emissionManager with this address already set"
        );
        deleteTokenAdmin(address(emissionManager));
        addTokenAdmin(_emissionManager);
        emissionManager = IEmissionManager(_emissionManager);
        emit EmissionManagerChanged(msg.sender, _emissionManager);
    }

    /// Updates oracle for synthetic token address
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param oracleAddress new oracle address
    function setOracle(address syntheticTokenAddress, address oracleAddress)
        public
        onlyOperator
        managedToken(syntheticTokenAddress)
    {
        IOracle oracle = IOracle(oracleAddress);
        require(
            oracle.pair() == tokenIndex[syntheticTokenAddress].pair,
            "TokenManager: Tokens and Oracle tokens are different"
        );
        tokenIndex[syntheticTokenAddress].oracle = oracle;
        emit OracleUpdated(msg.sender, syntheticTokenAddress, oracleAddress);
    }

    // ------- Internal ----------

    function _addTokenAdmin(address admin) internal {
        if (isTokenAdmin(admin)) {
            return;
        }
        tokenAdmins.push(admin);
        emit TokenAdminAdded(msg.sender, admin);
    }

    function _deleteTokenAdmin(address admin) internal {
        for (uint256 i = 0; i < tokenAdmins.length; i++) {
            if (tokenAdmins[i] == admin) {
                delete tokenAdmins[i];
                emit TokenAdminDeleted(msg.sender, admin);
            }
        }
    }

    // ------- Events ----------

    /// Emitted each time the token becomes managed
    event TokenAdded(
        address indexed syntheticTokenAddress,
        address indexed underlyingTokenAddress,
        address oracleAddress,
        address pairAddress
    );
    /// Emitted each time the token becomes unmanaged
    event TokenDeleted(
        address indexed syntheticTokenAddress,
        address indexed underlyingTokenAddress,
        address oracleAddress,
        address pairAddress
    );
    /// Emitted each time Oracle is updated
    event OracleUpdated(
        address indexed operator,
        address indexed syntheticTokenAddress,
        address oracleAddress
    );
    /// Emitted each time BondManager is updated
    event BondManagerChanged(address indexed operator, address newManager);
    /// Emitted each time EmissionManager is updated
    event EmissionManagerChanged(address indexed operator, address newManager);
    /// Emitted when migrated
    event Migrated(address indexed operator, address target);
    event TokenAdminAdded(address indexed operator, address admin);
    event TokenAdminDeleted(address indexed operator, address admin);
}

File 2 of 19 : ERC20.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <0.8.0;

import "../../GSN/Context.sol";
import "./IERC20.sol";
import "../../math/SafeMath.sol";

/**
 * @dev Implementation of the {IERC20} interface.
 *
 * This implementation is agnostic to the way tokens are created. This means
 * that a supply mechanism has to be added in a derived contract using {_mint}.
 * For a generic mechanism see {ERC20PresetMinterPauser}.
 *
 * TIP: For a detailed writeup see our guide
 * https://forum.zeppelin.solutions/t/how-to-implement-erc20-supply-mechanisms/226[How
 * to implement supply mechanisms].
 *
 * We have followed general OpenZeppelin guidelines: functions revert instead
 * of returning `false` on failure. This behavior is nonetheless conventional
 * and does not conflict with the expectations of ERC20 applications.
 *
 * Additionally, an {Approval} event is emitted on calls to {transferFrom}.
 * This allows applications to reconstruct the allowance for all accounts just
 * by listening to said events. Other implementations of the EIP may not emit
 * these events, as it isn't required by the specification.
 *
 * Finally, the non-standard {decreaseAllowance} and {increaseAllowance}
 * functions have been added to mitigate the well-known issues around setting
 * allowances. See {IERC20-approve}.
 */
contract ERC20 is Context, IERC20 {
    using SafeMath for uint256;

    mapping (address => uint256) private _balances;

    mapping (address => mapping (address => uint256)) private _allowances;

    uint256 private _totalSupply;

    string private _name;
    string private _symbol;
    uint8 private _decimals;

    /**
     * @dev Sets the values for {name} and {symbol}, initializes {decimals} with
     * a default value of 18.
     *
     * To select a different value for {decimals}, use {_setupDecimals}.
     *
     * All three of these values are immutable: they can only be set once during
     * construction.
     */
    constructor (string memory name_, string memory symbol_) public {
        _name = name_;
        _symbol = symbol_;
        _decimals = 18;
    }

    /**
     * @dev Returns the name of the token.
     */
    function name() public view returns (string memory) {
        return _name;
    }

    /**
     * @dev Returns the symbol of the token, usually a shorter version of the
     * name.
     */
    function symbol() public view returns (string memory) {
        return _symbol;
    }

    /**
     * @dev Returns the number of decimals used to get its user representation.
     * For example, if `decimals` equals `2`, a balance of `505` tokens should
     * be displayed to a user as `5,05` (`505 / 10 ** 2`).
     *
     * Tokens usually opt for a value of 18, imitating the relationship between
     * Ether and Wei. This is the value {ERC20} uses, unless {_setupDecimals} is
     * called.
     *
     * NOTE: This information is only used for _display_ purposes: it in
     * no way affects any of the arithmetic of the contract, including
     * {IERC20-balanceOf} and {IERC20-transfer}.
     */
    function decimals() public view returns (uint8) {
        return _decimals;
    }

    /**
     * @dev See {IERC20-totalSupply}.
     */
    function totalSupply() public view override returns (uint256) {
        return _totalSupply;
    }

    /**
     * @dev See {IERC20-balanceOf}.
     */
    function balanceOf(address account) public view override returns (uint256) {
        return _balances[account];
    }

    /**
     * @dev See {IERC20-transfer}.
     *
     * Requirements:
     *
     * - `recipient` cannot be the zero address.
     * - the caller must have a balance of at least `amount`.
     */
    function transfer(address recipient, uint256 amount) public virtual override returns (bool) {
        _transfer(_msgSender(), recipient, amount);
        return true;
    }

    /**
     * @dev See {IERC20-allowance}.
     */
    function allowance(address owner, address spender) public view virtual override returns (uint256) {
        return _allowances[owner][spender];
    }

    /**
     * @dev See {IERC20-approve}.
     *
     * Requirements:
     *
     * - `spender` cannot be the zero address.
     */
    function approve(address spender, uint256 amount) public virtual override returns (bool) {
        _approve(_msgSender(), spender, amount);
        return true;
    }

    /**
     * @dev See {IERC20-transferFrom}.
     *
     * Emits an {Approval} event indicating the updated allowance. This is not
     * required by the EIP. See the note at the beginning of {ERC20}.
     *
     * Requirements:
     *
     * - `sender` and `recipient` cannot be the zero address.
     * - `sender` must have a balance of at least `amount`.
     * - the caller must have allowance for ``sender``'s tokens of at least
     * `amount`.
     */
    function transferFrom(address sender, address recipient, uint256 amount) public virtual override returns (bool) {
        _transfer(sender, recipient, amount);
        _approve(sender, _msgSender(), _allowances[sender][_msgSender()].sub(amount, "ERC20: transfer amount exceeds allowance"));
        return true;
    }

    /**
     * @dev Atomically increases the allowance granted to `spender` by the caller.
     *
     * This is an alternative to {approve} that can be used as a mitigation for
     * problems described in {IERC20-approve}.
     *
     * Emits an {Approval} event indicating the updated allowance.
     *
     * Requirements:
     *
     * - `spender` cannot be the zero address.
     */
    function increaseAllowance(address spender, uint256 addedValue) public virtual returns (bool) {
        _approve(_msgSender(), spender, _allowances[_msgSender()][spender].add(addedValue));
        return true;
    }

    /**
     * @dev Atomically decreases the allowance granted to `spender` by the caller.
     *
     * This is an alternative to {approve} that can be used as a mitigation for
     * problems described in {IERC20-approve}.
     *
     * Emits an {Approval} event indicating the updated allowance.
     *
     * Requirements:
     *
     * - `spender` cannot be the zero address.
     * - `spender` must have allowance for the caller of at least
     * `subtractedValue`.
     */
    function decreaseAllowance(address spender, uint256 subtractedValue) public virtual returns (bool) {
        _approve(_msgSender(), spender, _allowances[_msgSender()][spender].sub(subtractedValue, "ERC20: decreased allowance below zero"));
        return true;
    }

    /**
     * @dev Moves tokens `amount` from `sender` to `recipient`.
     *
     * This is internal function is equivalent to {transfer}, and can be used to
     * e.g. implement automatic token fees, slashing mechanisms, etc.
     *
     * Emits a {Transfer} event.
     *
     * Requirements:
     *
     * - `sender` cannot be the zero address.
     * - `recipient` cannot be the zero address.
     * - `sender` must have a balance of at least `amount`.
     */
    function _transfer(address sender, address recipient, uint256 amount) internal virtual {
        require(sender != address(0), "ERC20: transfer from the zero address");
        require(recipient != address(0), "ERC20: transfer to the zero address");

        _beforeTokenTransfer(sender, recipient, amount);

        _balances[sender] = _balances[sender].sub(amount, "ERC20: transfer amount exceeds balance");
        _balances[recipient] = _balances[recipient].add(amount);
        emit Transfer(sender, recipient, amount);
    }

    /** @dev Creates `amount` tokens and assigns them to `account`, increasing
     * the total supply.
     *
     * Emits a {Transfer} event with `from` set to the zero address.
     *
     * Requirements:
     *
     * - `to` cannot be the zero address.
     */
    function _mint(address account, uint256 amount) internal virtual {
        require(account != address(0), "ERC20: mint to the zero address");

        _beforeTokenTransfer(address(0), account, amount);

        _totalSupply = _totalSupply.add(amount);
        _balances[account] = _balances[account].add(amount);
        emit Transfer(address(0), account, amount);
    }

    /**
     * @dev Destroys `amount` tokens from `account`, reducing the
     * total supply.
     *
     * Emits a {Transfer} event with `to` set to the zero address.
     *
     * Requirements:
     *
     * - `account` cannot be the zero address.
     * - `account` must have at least `amount` tokens.
     */
    function _burn(address account, uint256 amount) internal virtual {
        require(account != address(0), "ERC20: burn from the zero address");

        _beforeTokenTransfer(account, address(0), amount);

        _balances[account] = _balances[account].sub(amount, "ERC20: burn amount exceeds balance");
        _totalSupply = _totalSupply.sub(amount);
        emit Transfer(account, address(0), amount);
    }

    /**
     * @dev Sets `amount` as the allowance of `spender` over the `owner` s tokens.
     *
     * This internal function is equivalent to `approve`, and can be used to
     * e.g. set automatic allowances for certain subsystems, etc.
     *
     * Emits an {Approval} event.
     *
     * Requirements:
     *
     * - `owner` cannot be the zero address.
     * - `spender` cannot be the zero address.
     */
    function _approve(address owner, address spender, uint256 amount) internal virtual {
        require(owner != address(0), "ERC20: approve from the zero address");
        require(spender != address(0), "ERC20: approve to the zero address");

        _allowances[owner][spender] = amount;
        emit Approval(owner, spender, amount);
    }

    /**
     * @dev Sets {decimals} to a value other than the default one of 18.
     *
     * WARNING: This function should only be called from the constructor. Most
     * applications that interact with token contracts will not expect
     * {decimals} to ever change, and may work incorrectly if it does.
     */
    function _setupDecimals(uint8 decimals_) internal {
        _decimals = decimals_;
    }

    /**
     * @dev Hook that is called before any transfer of tokens. This includes
     * minting and burning.
     *
     * Calling conditions:
     *
     * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens
     * will be to transferred to `to`.
     * - when `from` is zero, `amount` tokens will be minted for `to`.
     * - when `to` is zero, `amount` of ``from``'s tokens will be burned.
     * - `from` and `to` are never both zero.
     *
     * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks].
     */
    function _beforeTokenTransfer(address from, address to, uint256 amount) internal virtual { }
}

File 3 of 19 : IUniswapV2Pair.sol
pragma solidity >=0.5.0;

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

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

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

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

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

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

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

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

    function initialize(address, address) external;
}

File 4 of 19 : UniswapLibrary.sol
//SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

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

/// Created as a separate unit because the `uniswap` lib has conflicting imports of `SafeMath` with `openzeppelin`
library UniswapLibrary {
    using SafeMath for uint256;

    /// Calculates the CREATE2 address for a pair without making any external calls
    /// @param factory Uniswap factory address
    /// @param tokenA One token in the pair
    /// @param tokenB The other token in the pair
    /// @return pair Address of the Uniswap pair
    function pairFor(
        address factory,
        address tokenA,
        address tokenB
    ) internal pure returns (address pair) {
        (address token0, address token1) = sortTokens(tokenA, tokenB);
        pair = address(
            uint256(
                keccak256(
                    abi.encodePacked(
                        hex"ff",
                        factory,
                        keccak256(abi.encodePacked(token0, token1)),
                        hex"96e8ac4277198ff8b6f785478aa9a39f403cb768dd02cbee326c3e7da348845f" // init code hash
                    )
                )
            )
        );
    }

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

    /// Given some amount of an asset and pair reserves, returns an equivalent amount of the other asset
    /// @param amountA The amount of tokenA
    /// @param reserveA The reserver of token A
    /// @param reserveB The reserver of token B
    /// @return amountB Equivalent amount of token B
    function quote(
        uint256 amountA,
        uint256 reserveA,
        uint256 reserveB
    ) internal pure returns (uint256 amountB) {
        require(amountA > 0, "UniswapV2Library: INSUFFICIENT_AMOUNT");
        require(
            reserveA > 0 && reserveB > 0,
            "UniswapV2Library: INSUFFICIENT_LIQUIDITY"
        );
        amountB = amountA.mul(reserveB) / reserveA;
    }

    /// Fetches and sorts the reserves for a pair
    /// @param factory Uniswap factory address
    /// @param tokenA One token in the pair
    /// @param tokenB The other token in the pair
    function getReserves(
        address factory,
        address tokenA,
        address tokenB
    ) internal view returns (uint256 reserveA, uint256 reserveB) {
        (address token0, ) = sortTokens(tokenA, tokenB);
        (uint256 reserve0, uint256 reserve1, ) =
            IUniswapV2Pair(pairFor(factory, tokenA, tokenB)).getReserves();
        (reserveA, reserveB) = tokenA == token0
            ? (reserve0, reserve1)
            : (reserve1, reserve0);
    }
}

File 5 of 19 : IOracle.sol
//SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

import "@uniswap/v2-core/contracts/interfaces/IUniswapV2Pair.sol";

/// Fixed window oracle that recomputes the average price for the entire period once every period
interface IOracle {
    /// Updates oracle price
    /// @dev Works only once in a period, other times reverts
    function update() external;

    /// Get the price of token.
    /// @param token The address of one of two tokens (the one to get the price for)
    /// @param amountIn The amount of token to estimate
    /// @return amountOut The amount of other token equivalent
    /// @dev This will always return 0 before update has been called successfully for the first time.
    function consult(address token, uint256 amountIn)
        external
        view
        returns (uint256 amountOut);

    function pair() external view returns (IUniswapV2Pair);

    function token0() external view returns (address);

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

File 6 of 19 : ITokenManager.sol
//SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

import "./ISmelter.sol";

/// Token manager as seen by other managers
interface ITokenManager is ISmelter {
    /// A set of synthetic tokens under management
    /// @dev Deleted tokens are still present in the array but with address(0)
    function allTokens() external view returns (address[] memory);

    /// Checks if the token is managed by Token Manager
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @return True if token is managed
    function isManagedToken(address syntheticTokenAddress)
        external
        view
        returns (bool);

    /// Address of the underlying token
    /// @param syntheticTokenAddress The address of the synthetic token
    function underlyingToken(address syntheticTokenAddress)
        external
        view
        returns (address);

    /// Average price of the synthetic token according to price oracle
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param syntheticTokenAmount The amount to be priced
    /// @return The equivalent amount of the underlying token required to buy syntheticTokenAmount (average)
    /// @dev Fails if the token is not managed
    function averagePrice(
        address syntheticTokenAddress,
        uint256 syntheticTokenAmount
    ) external view returns (uint256);

    /// Current price of the synthetic token according to Uniswap
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param syntheticTokenAmount The amount to be priced
    /// @return The equivalent amount of the underlying token required to buy syntheticTokenAmount
    /// @dev Fails if the token is not managed
    function currentPrice(
        address syntheticTokenAddress,
        uint256 syntheticTokenAmount
    ) external view returns (uint256);

    /// Updates Oracle for the synthetic asset
    /// @param syntheticTokenAddress The address of the synthetic token
    function updateOracle(address syntheticTokenAddress) external;

    /// Get one synthetic unit
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @return one unit of the synthetic asset
    function oneSyntheticUnit(address syntheticTokenAddress)
        external
        view
        returns (uint256);

    /// Get one underlying unit
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @return one unit of the underlying asset
    function oneUnderlyingUnit(address syntheticTokenAddress)
        external
        view
        returns (uint256);
}

File 7 of 19 : IBondManager.sol
//SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

import "@uniswap/v2-core/contracts/interfaces/IUniswapV2Pair.sol";

/// Bond manager as seen by other managers
interface IBondManager {
    /// Called when new token is added in TokenManager
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param bondTokenAddress The address of the bond token
    function addBondToken(
        address syntheticTokenAddress,
        address bondTokenAddress
    ) external;

    /// Called when token is deleted in TokenManager
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param newOperator New operator for the bond token
    function deleteBondToken(address syntheticTokenAddress, address newOperator)
        external;

    function bondIndex(address syntheticTokenAddress)
        external
        returns (address);
}

File 8 of 19 : IEmissionManager.sol
//SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

/// Emission manager as seen by other managers
interface IEmissionManager {

}

File 9 of 19 : SyntheticToken.sol
//SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

import "@openzeppelin/contracts/token/ERC20/ERC20Burnable.sol";
import "./access/Operatable.sol";

/// @title Synthetic token for the Klondike platform
contract SyntheticToken is ERC20Burnable, Operatable {
    /// Creates a new synthetic token
    /// @param _name Name of the token
    /// @param _symbol Ticker for the token
    /// @param _decimals Number of decimals
    constructor(
        string memory _name,
        string memory _symbol,
        uint8 _decimals
    ) public ERC20(_name, _symbol) {
        _setupDecimals(_decimals);
    }

    ///  Mints tokens to the recepient
    ///  @param recipient The address of recipient
    ///  @param amount The amount of tokens to mint
    function mint(address recipient, uint256 amount)
        public
        onlyOperator
        returns (bool)
    {
        _mint(recipient, amount);
    }

    ///  Burns token from the caller
    ///  @param amount The amount of tokens to burn
    function burn(uint256 amount) public override onlyOperator {
        super.burn(amount);
    }

    ///  Burns token from address
    ///  @param account The account to burn from
    ///  @param amount The amount of tokens to burn
    ///  @dev The allowance for sender in address account must be
    ///  strictly >= amount. Otherwise the function call will fail.
    function burnFrom(address account, uint256 amount)
        public
        override
        onlyOperator
    {
        super.burnFrom(account, amount);
    }
}

File 10 of 19 : Operatable.sol
// SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

import "@openzeppelin/contracts/access/Ownable.sol";

/// Introduces `Operator` role that can be changed only by Owner.
abstract contract Operatable is Ownable {
    address public operator;

    constructor() internal {
        operator = msg.sender;
    }

    modifier onlyOperator() {
        require(msg.sender == operator, "Only operator can call this method");
        _;
    }

    /// Set new operator
    /// @param newOperator New operator to be set
    /// @dev Only owner is allowed to call this method.
    function transferOperator(address newOperator) public onlyOwner {
        emit OperatorTransferred(operator, newOperator);
        operator = newOperator;
    }

    event OperatorTransferred(
        address indexed previousOperator,
        address indexed newOperator
    );
}

File 11 of 19 : Migratable.sol
// SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

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

contract Migratable is MigratableOwnership {
    /// Migrate balances of a set of tokens
    /// @param tokens a set of tokens to transfer balances to target
    /// @param target new owner of contract balances
    function migrateBalances(address[] memory tokens, address target)
        public
        onlyOwner
        nonReentrant
    {
        for (uint256 i = 0; i < tokens.length; i++) {
            IERC20 token = IERC20(tokens[i]);
            uint256 balance = token.balanceOf(address(this));
            if (balance > 0) {
                token.transfer(target, balance);
                emit MigratedBalance(
                    msg.sender,
                    address(token),
                    target,
                    balance
                );
            }
        }
    }

    event MigratedBalance(
        address indexed owner,
        address indexed token,
        address target,
        uint256 value
    );
}

File 12 of 19 : 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 13 of 19 : 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 14 of 19 : 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 15 of 19 : ISmelter.sol
//SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

/// Smelter can mint and burn tokens
interface ISmelter {
    /// Burn SyntheticToken
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param owner Owner of the tokens to burn
    /// @param amount Amount to burn
    function burnSyntheticFrom(
        address syntheticTokenAddress,
        address owner,
        uint256 amount
    ) external;

    /// Mints synthetic token
    /// @param syntheticTokenAddress The address of the synthetic token
    /// @param receiver Address to receive minted token
    /// @param amount Amount to mint
    function mintSynthetic(
        address syntheticTokenAddress,
        address receiver,
        uint256 amount
    ) external;

    /// Check if address is token admin
    /// @param admin - address to check
    function isTokenAdmin(address admin) external view returns (bool);
}

File 16 of 19 : ERC20Burnable.sol
// SPDX-License-Identifier: MIT

pragma solidity >=0.6.0 <0.8.0;

import "../../GSN/Context.sol";
import "./ERC20.sol";

/**
 * @dev Extension of {ERC20} that allows token holders to destroy both their own
 * tokens and those that they have an allowance for, in a way that can be
 * recognized off-chain (via event analysis).
 */
abstract contract ERC20Burnable is Context, ERC20 {
    using SafeMath for uint256;

    /**
     * @dev Destroys `amount` tokens from the caller.
     *
     * See {ERC20-_burn}.
     */
    function burn(uint256 amount) public virtual {
        _burn(_msgSender(), amount);
    }

    /**
     * @dev Destroys `amount` tokens from `account`, deducting from the caller's
     * allowance.
     *
     * See {ERC20-_burn} and {ERC20-allowance}.
     *
     * Requirements:
     *
     * - the caller must have allowance for ``accounts``'s tokens of at least
     * `amount`.
     */
    function burnFrom(address account, uint256 amount) public virtual {
        uint256 decreasedAllowance = allowance(account, _msgSender()).sub(amount, "ERC20: burn amount exceeds allowance");

        _approve(account, _msgSender(), decreasedAllowance);
        _burn(account, amount);
    }
}

File 17 of 19 : 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 18 of 19 : MigratableOwnership.sol
// SPDX-License-Identifier: MIT
pragma solidity =0.6.6;

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

contract MigratableOwnership is Ownable, ReentrancyGuard {
    /// Migrate ownership and operator of a set of tokens
    /// @param tokens a set of tokens to transfer ownership and operator to target
    /// @param target new owner and operator of the token
    function migrateOwnership(address[] memory tokens, address target)
        public
        onlyOwner
        nonReentrant
    {
        for (uint256 i = 0; i < tokens.length; i++) {
            Operatable token = Operatable(tokens[i]);
            if (token.owner() == address(this)) {
                token.transferOperator(target);
                token.transferOwnership(target);
                emit MigratedOwnership(msg.sender, address(token), target);
            }
        }
    }

    event MigratedOwnership(
        address indexed owner,
        address indexed token,
        address target
    );
}

File 19 of 19 : 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;
    }
}

Settings
{
  "optimizer": {
    "enabled": true,
    "runs": 999999
  },
  "evmVersion": "istanbul",
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "abi"
      ]
    }
  },
  "libraries": {}
}

Contract Security Audit

Contract ABI

[{"inputs":[{"internalType":"address","name":"_uniswapFactory","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":false,"internalType":"address","name":"newManager","type":"address"}],"name":"BondManagerChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":false,"internalType":"address","name":"newManager","type":"address"}],"name":"EmissionManagerChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":false,"internalType":"address","name":"target","type":"address"}],"name":"Migrated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"address","name":"target","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"MigratedBalance","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"address","name":"target","type":"address"}],"name":"MigratedOwnership","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOperator","type":"address"},{"indexed":true,"internalType":"address","name":"newOperator","type":"address"}],"name":"OperatorTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":true,"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"indexed":false,"internalType":"address","name":"oracleAddress","type":"address"}],"name":"OracleUpdated","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":"address","name":"syntheticTokenAddress","type":"address"},{"indexed":true,"internalType":"address","name":"underlyingTokenAddress","type":"address"},{"indexed":false,"internalType":"address","name":"oracleAddress","type":"address"},{"indexed":false,"internalType":"address","name":"pairAddress","type":"address"}],"name":"TokenAdded","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":false,"internalType":"address","name":"admin","type":"address"}],"name":"TokenAdminAdded","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":false,"internalType":"address","name":"admin","type":"address"}],"name":"TokenAdminDeleted","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"indexed":true,"internalType":"address","name":"underlyingTokenAddress","type":"address"},{"indexed":false,"internalType":"address","name":"oracleAddress","type":"address"},{"indexed":false,"internalType":"address","name":"pairAddress","type":"address"}],"name":"TokenDeleted","type":"event"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"internalType":"address","name":"bondTokenAddress","type":"address"},{"internalType":"address","name":"underlyingTokenAddress","type":"address"},{"internalType":"address","name":"oracleAddress","type":"address"}],"name":"addToken","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"admin","type":"address"}],"name":"addTokenAdmin","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"allTokenAdmins","outputs":[{"internalType":"address[]","name":"","type":"address[]"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"allTokens","outputs":[{"internalType":"address[]","name":"","type":"address[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"internalType":"uint256","name":"syntheticTokenAmount","type":"uint256"}],"name":"averagePrice","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"bondManager","outputs":[{"internalType":"contract IBondManager","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"internalType":"address","name":"owner","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"burnSyntheticFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"internalType":"uint256","name":"syntheticTokenAmount","type":"uint256"}],"name":"currentPrice","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"internalType":"address","name":"newOperator","type":"address"}],"name":"deleteToken","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"admin","type":"address"}],"name":"deleteTokenAdmin","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"emissionManager","outputs":[{"internalType":"contract IEmissionManager","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"isInitialized","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"}],"name":"isManagedToken","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"admin","type":"address"}],"name":"isTokenAdmin","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address[]","name":"tokens","type":"address[]"},{"internalType":"address","name":"target","type":"address"}],"name":"migrateBalances","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"tokens","type":"address[]"},{"internalType":"address","name":"target","type":"address"}],"name":"migrateOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"internalType":"address","name":"receiver","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"mintSynthetic","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"}],"name":"oneSyntheticUnit","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"}],"name":"oneUnderlyingUnit","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"operator","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_bondManager","type":"address"}],"name":"setBondManager","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_emissionManager","type":"address"}],"name":"setEmissionManager","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"},{"internalType":"address","name":"oracleAddress","type":"address"}],"name":"setOracle","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"tokenIndex","outputs":[{"internalType":"contract SyntheticToken","name":"syntheticToken","type":"address"},{"internalType":"contract ERC20","name":"underlyingToken","type":"address"},{"internalType":"contract IUniswapV2Pair","name":"pair","type":"address"},{"internalType":"contract IOracle","name":"oracle","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"tokens","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"newOperator","type":"address"}],"name":"transferOperator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"}],"name":"underlyingToken","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"uniswapFactory","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"syntheticTokenAddress","type":"address"}],"name":"updateOracle","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"validTokenPermissions","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"}]

60a06040523480156200001157600080fd5b5060405162003cbd38038062003cbd833981810160405260208110156200003757600080fd5b505160006200004e6001600160e01b03620000c516565b600080546001600160a01b0319166001600160a01b0383169081178255604051929350917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908290a35060018054336001600160a01b031990911617815560025560601b6001600160601b031916608052620000c9565b3390565b60805160601c613bcc620000f16000398061128d5280611b5152806124ca5250613bcc6000f3fe608060405234801561001057600080fd5b506004361061020b5760003560e01c8063570ca7351161012a5780638f69a3e9116100bd578063c943d3b41161008c578063f1f0af7a11610071578063f1f0af7a1461088c578063f2fde38b146108bf578063f7480d3b146108f25761020b565b8063c943d3b41461084b578063e307c952146108845761020b565b80638f69a3e9146106ef578063997f18b61461072a578063a2bdde3d146107e5578063c2d8da72146108185761020b565b80636ff97f1d116100f95780636ff97f1d146106cf578063715018a6146106d75780638bdb2afa146106df5780638da5cb5b146106e75761020b565b8063570ca735146106015780635c38eb3a14610609578063608b597214610644578063692966bc1461069c5761020b565b8063392e53cd116101a257806348d3fed31161017157806348d3fed3146105335780634f64b2be146105665780634f7459d51461058357806351d20d3a146105b65761020b565b8063392e53cd1461047c5780633d77265614610484578063412acf60146104b7578063427f91a6146104bf5761020b565b806329605e77116101de57806329605e77146103125780632d453e97146103455780632fb3905a14610400578063363cc4271461044b5761020b565b806307b8b850146102105780631b408b22146102555780631cb44dfc1461029c5780632185261b146102cf575b600080fd5b6102536004803603606081101561022657600080fd5b5073ffffffffffffffffffffffffffffffffffffffff813581169160208101359091169060400135610925565b005b6102886004803603602081101561026b57600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16610ae3565b604080519115158252519081900360200190f35b610253600480360360208110156102b257600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16610b13565b610253600480360360608110156102e557600080fd5b5073ffffffffffffffffffffffffffffffffffffffff813581169160208101359091169060400135610c04565b6102536004803603602081101561032857600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16610ddc565b6102536004803603604081101561035b57600080fd5b81019060208101813564010000000081111561037657600080fd5b82018360208201111561038857600080fd5b803590602001918460208302840111640100000000831117156103aa57600080fd5b9190808060200260200160405190810160405280939291908181526020018383602002808284376000920191909152509295505050903573ffffffffffffffffffffffffffffffffffffffff169150610efb9050565b6104396004803603604081101561041657600080fd5b5073ffffffffffffffffffffffffffffffffffffffff81351690602001356111f8565b60408051918252519081900360200190f35b6104536112cd565b6040805173ffffffffffffffffffffffffffffffffffffffff9092168252519081900360200190f35b6102886112e9565b6104396004803603602081101561049a57600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16611330565b610288611444565b6104f2600480360360208110156104d557600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16611606565b6040805173ffffffffffffffffffffffffffffffffffffffff9586168152938516602085015291841683830152909216606082015290519081900360800190f35b6102536004803603602081101561054957600080fd5b503573ffffffffffffffffffffffffffffffffffffffff1661164b565b6104536004803603602081101561057c57600080fd5b50356117d6565b6102536004803603602081101561059957600080fd5b503573ffffffffffffffffffffffffffffffffffffffff1661180a565b610253600480360360808110156105cc57600080fd5b5073ffffffffffffffffffffffffffffffffffffffff8135811691602081013582169160408201358116916060013516611995565b610453611fb7565b6102536004803603604081101561061f57600080fd5b5073ffffffffffffffffffffffffffffffffffffffff81358116916020013516611fd3565b61064c61224f565b60408051602080825283518183015283519192839290830191858101910280838360005b83811015610688578181015183820152602001610670565b505050509050019250505060405180910390f35b610253600480360360208110156106b257600080fd5b503573ffffffffffffffffffffffffffffffffffffffff166122be565b61064c61235b565b6102536123c8565b6104536124c8565b6104536124ec565b6102536004803603604081101561070557600080fd5b5073ffffffffffffffffffffffffffffffffffffffff81358116916020013516612508565b6102536004803603604081101561074057600080fd5b81019060208101813564010000000081111561075b57600080fd5b82018360208201111561076d57600080fd5b8035906020019184602083028401116401000000008311171561078f57600080fd5b9190808060200260200160405190810160405280939291908181526020018383602002808284376000920191909152509295505050903573ffffffffffffffffffffffffffffffffffffffff1691506129da9050565b610288600480360360208110156107fb57600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16612d32565b6104396004803603602081101561082e57600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16612da7565b6104396004803603604081101561086157600080fd5b5073ffffffffffffffffffffffffffffffffffffffff8135169060200135612e84565b610453612fa6565b610253600480360360208110156108a257600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16612fc2565b610253600480360360208110156108d557600080fd5b503573ffffffffffffffffffffffffffffffffffffffff1661305c565b6104536004803603602081101561090857600080fd5b503573ffffffffffffffffffffffffffffffffffffffff166131e6565b8261092f81610ae3565b610984576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b61098c6112e9565b6109e1576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603f8152602001806138f8603f913960400191505060405180910390fd5b6109ea33612d32565b610a3f576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252602b8152602001806139e0602b913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8085166000908152600360205260408082205481517f79cc6790000000000000000000000000000000000000000000000000000000008152878516600482015260248101879052915193169283926379cc6790926044808201939182900301818387803b158015610ac457600080fd5b505af1158015610ad8573d6000803e3d6000fd5b505050505050505050565b73ffffffffffffffffffffffffffffffffffffffff8181166000908152600360205260409020541615155b919050565b80610b1d81610ae3565b610b72576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff80831660009081526003602081905260408083209091015481517fa2e620450000000000000000000000000000000000000000000000000000000081529151931692839263a2e62045926004808201939182900301818387803b158015610bed57600080fd5b505af1925050508015610bfe575060015b50505050565b82610c0e81610ae3565b610c63576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b610c6b6112e9565b610cc0576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603f8152602001806138f8603f913960400191505060405180910390fd5b610cc933612d32565b610d1e576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252602b8152602001806139e0602b913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff80851660009081526003602090815260408083205481517f40c10f19000000000000000000000000000000000000000000000000000000008152888616600482015260248101889052915194169384936340c10f1993604480850194919392918390030190829087803b158015610da957600080fd5b505af1158015610dbd573d6000803e3d6000fd5b505050506040513d6020811015610dd357600080fd5b50505050505050565b610de4613277565b60005473ffffffffffffffffffffffffffffffffffffffff908116911614610e6d57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b60015460405173ffffffffffffffffffffffffffffffffffffffff8084169216907f74da04524d50c64947f5dd5381ef1a4dca5cba8ed1d816243f9e48aa0b5617ed90600090a3600180547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b610f03613277565b60005473ffffffffffffffffffffffffffffffffffffffff908116911614610f8c57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b600280541415610ffd57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604482015290519081900360640190fd5b6002805560005b82518110156111ee57600083828151811061101b57fe5b6020026020010151905060008173ffffffffffffffffffffffffffffffffffffffff166370a08231306040518263ffffffff1660e01b8152600401808273ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200191505060206040518083038186803b1580156110a457600080fd5b505afa1580156110b8573d6000803e3d6000fd5b505050506040513d60208110156110ce57600080fd5b5051905080156111e4578173ffffffffffffffffffffffffffffffffffffffff1663a9059cbb85836040518363ffffffff1660e01b8152600401808373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200182815260200192505050602060405180830381600087803b15801561115f57600080fd5b505af1158015611173573d6000803e3d6000fd5b505050506040513d602081101561118957600080fd5b50506040805173ffffffffffffffffffffffffffffffffffffffff86811682526020820184905282519085169233927fcf590012a9240c367993f520361cbcbe4c24a2e74c2395e7056d777951644861929081900390910190a35b5050600101611004565b5050600160025550565b60008261120481610ae3565b611259576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff80851660009081526003602052604081206001015490911690806112b37f0000000000000000000000000000000000000000000000000000000000000000888561327b565b915091506112c2868383613363565b979650505050505050565b60065473ffffffffffffffffffffffffffffffffffffffff1681565b60065460009073ffffffffffffffffffffffffffffffffffffffff161580159061132a575060075473ffffffffffffffffffffffffffffffffffffffff1615155b90505b90565b60008161133c81610ae3565b611391576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8084166000908152600360209081526040918290205482517f313ce5670000000000000000000000000000000000000000000000000000000081529251931692839263313ce567926004808301939192829003018186803b15801561140a57600080fd5b505afa15801561141e573d6000803e3d6000fd5b505050506040513d602081101561143457600080fd5b505160ff16600a0a949350505050565b6000805b60045463ffffffff821610156115fe57600060048263ffffffff168154811061146d57fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff16905080156115f5573073ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff1663570ca7356040518163ffffffff1660e01b815260040160206040518083038186803b1580156114f457600080fd5b505afa158015611508573d6000803e3d6000fd5b505050506040513d602081101561151e57600080fd5b505173ffffffffffffffffffffffffffffffffffffffff16146115465760009250505061132d565b3073ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16638da5cb5b6040518163ffffffff1660e01b815260040160206040518083038186803b1580156115a357600080fd5b505afa1580156115b7573d6000803e3d6000fd5b505050506040513d60208110156115cd57600080fd5b505173ffffffffffffffffffffffffffffffffffffffff16146115f55760009250505061132d565b50600101611448565b506001905090565b6003602081905260009182526040909120805460018201546002830154929093015473ffffffffffffffffffffffffffffffffffffffff918216938216928216911684565b60015473ffffffffffffffffffffffffffffffffffffffff1633146116bb576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b60065473ffffffffffffffffffffffffffffffffffffffff8281169116141561172f576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526037815260200180613af16037913960400191505060405180910390fd5b6006546117519073ffffffffffffffffffffffffffffffffffffffff166122be565b61175a81612fc2565b6006805473ffffffffffffffffffffffffffffffffffffffff83167fffffffffffffffffffffffff00000000000000000000000000000000000000009091168117909155604080519182525133917fa3fadfbe28ce0f69fd753791be811ee73ada05888941c6c201e45d7e7e94c1c0919081900360200190a250565b600481815481106117e357fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff16905081565b60015473ffffffffffffffffffffffffffffffffffffffff16331461187a576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b60075473ffffffffffffffffffffffffffffffffffffffff828116911614156118ee576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603b81526020018061395c603b913960400191505060405180910390fd5b6007546119109073ffffffffffffffffffffffffffffffffffffffff166122be565b61191981612fc2565b6007805473ffffffffffffffffffffffffffffffffffffffff83167fffffffffffffffffffffffff00000000000000000000000000000000000000009091168117909155604080519182525133917f1e559c49b2089697ec4f9243fa1d98802a085e726f2f509aaf56b5727717a39c919081900360200190a250565b60015473ffffffffffffffffffffffffffffffffffffffff163314611a05576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b611a0d6112e9565b611a62576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603f8152602001806138f8603f913960400191505060405180910390fd5b8173ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff161415611ae7576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526045815260200180613a656045913960600191505060405180910390fd5b611af084610ae3565b15611b46576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526026815260200180613a0b6026913960400191505060405180910390fd5b838383836000611b777f00000000000000000000000000000000000000000000000000000000000000008685613443565b90508373ffffffffffffffffffffffffffffffffffffffff1663313ce5676040518163ffffffff1660e01b815260040160206040518083038186803b158015611bbf57600080fd5b505afa158015611bd3573d6000803e3d6000fd5b505050506040513d6020811015611be957600080fd5b5051604080517f313ce567000000000000000000000000000000000000000000000000000000008152905160ff9092169173ffffffffffffffffffffffffffffffffffffffff88169163313ce567916004808301926020929190829003018186803b158015611c5757600080fd5b505afa158015611c6b573d6000803e3d6000fd5b505050506040513d6020811015611c8157600080fd5b505160ff1614611cdc576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252604d815260200180613b28604d913960600191505060405180910390fd5b8073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1663a8aa1b316040518163ffffffff1660e01b815260040160206040518083038186803b158015611d3957600080fd5b505afa158015611d4d573d6000803e3d6000fd5b505050506040513d6020811015611d6357600080fd5b505173ffffffffffffffffffffffffffffffffffffffff1614611dd1576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526034815260200180613a316034913960400191505060405180910390fd5b611dd96138aa565b506040805160808101825273ffffffffffffffffffffffffffffffffffffffff80881682528581166020808401918252858316848601908152878416606086019081528f85166000818152600394859052888120885181549089167fffffffffffffffffffffffff0000000000000000000000000000000000000000918216178255965160018083018054928b16928a16929092179091559451600282018054918a169189169190911790559251929094018054928716928616929092179091556004805492830181558084527f8a35acfbc15ff81a39ae7d344fd709f28e8600b4aa8c65c6b64bfe7fe36bd19b9092018054909416811790935560065486517fbe377825000000000000000000000000000000000000000000000000000000008152918201939093528d8416602482015294519394919092169263be3778259260448084019391929182900301818387803b158015611f3857600080fd5b505af1158015611f4c573d6000803e3d6000fd5b50506040805173ffffffffffffffffffffffffffffffffffffffff878116825286811660208301528251818e169550908f1693507fc8b66fed09dd4fba78626760ae60b79195ce196a00d408ad1883a8d1e271bc9f929181900390910190a350505050505050505050565b60015473ffffffffffffffffffffffffffffffffffffffff1681565b60015473ffffffffffffffffffffffffffffffffffffffff163314612043576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b8161204d81610ae3565b6120a2576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8084166000908152600360209081526040918290206002015482517fa8aa1b3100000000000000000000000000000000000000000000000000000000815292518694918216939185169263a8aa1b319260048082019391829003018186803b15801561212257600080fd5b505afa158015612136573d6000803e3d6000fd5b505050506040513d602081101561214c57600080fd5b505173ffffffffffffffffffffffffffffffffffffffff16146121ba576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526034815260200180613a316034913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff84811660008181526003602081815260409283902090910180547fffffffffffffffffffffffff000000000000000000000000000000000000000016868616179055815193871684529051919233927fa18d4edc0f9c89f7feb41d0243d7f20bf44c5b426ede1cc1014a31ab8eb72489929181900390910190a350505050565b606060058054806020026020016040519081016040528092919081815260200182805480156122b457602002820191906000526020600020905b815473ffffffffffffffffffffffffffffffffffffffff168152600190910190602001808311612289575b5050505050905090565b6122c6613277565b60005473ffffffffffffffffffffffffffffffffffffffff90811691161461234f57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b6123588161352e565b50565b606060048054806020026020016040519081016040528092919081815260200182805480156122b45760200282019190600052602060002090815473ffffffffffffffffffffffffffffffffffffffff168152600190910190602001808311612289575050505050905090565b6123d0613277565b60005473ffffffffffffffffffffffffffffffffffffffff90811691161461245957604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b6000805460405173ffffffffffffffffffffffffffffffffffffffff909116907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908390a3600080547fffffffffffffffffffffffff0000000000000000000000000000000000000000169055565b7f000000000000000000000000000000000000000000000000000000000000000081565b60005473ffffffffffffffffffffffffffffffffffffffff1690565b8161251281610ae3565b612567576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b60015473ffffffffffffffffffffffffffffffffffffffff1633146125d7576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b6125df6112e9565b612634576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603f8152602001806138f8603f913960400191505060405180910390fd5b600654604080517fba76c12200000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff868116600483015285811660248301529151919092169163ba76c12291604480830192600092919082900301818387803b1580156126b057600080fd5b505af11580156126c4573d6000803e3d6000fd5b5060009250829150505b600454811015612730578473ffffffffffffffffffffffffffffffffffffffff16600482815481106126fc57fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff161415612728578091505b6001016126ce565b506127396138aa565b600360006004848154811061274a57fe5b600091825260208083209091015473ffffffffffffffffffffffffffffffffffffffff90811684528382019490945260409283018220835160808101855281548616808252600183015487169382019390935260028201548616818601526003909101548516606082015283517f29605e7700000000000000000000000000000000000000000000000000000000815294891660048601529251929450926329605e77926024808301939282900301818387803b15801561280a57600080fd5b505af115801561281e573d6000803e3d6000fd5b50505050806000015173ffffffffffffffffffffffffffffffffffffffff1663f2fde38b856040518263ffffffff1660e01b8152600401808273ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001915050600060405180830381600087803b1580156128a557600080fd5b505af11580156128b9573d6000803e3d6000fd5b50505073ffffffffffffffffffffffffffffffffffffffff8616600090815260036020819052604090912080547fffffffffffffffffffffffff00000000000000000000000000000000000000009081168255600182018054821690556002820180548216905591018054909116905550600480548390811061293857fe5b60009182526020918290200180547fffffffffffffffffffffffff0000000000000000000000000000000000000000169055818101516060830151604080850151815173ffffffffffffffffffffffffffffffffffffffff938416815290831694810194909452805192821693918916927f56cb1f8e690d8d6d6de7009b52ff2d0f47f9ff06b94b166a0be70eefa459a8349281900390910190a35050505050565b6129e2613277565b60005473ffffffffffffffffffffffffffffffffffffffff908116911614612a6b57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b600280541415612adc57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604482015290519081900360640190fd5b6002805560005b82518110156111ee576000838281518110612afa57fe5b602002602001015190503073ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16638da5cb5b6040518163ffffffff1660e01b815260040160206040518083038186803b158015612b6157600080fd5b505afa158015612b75573d6000803e3d6000fd5b505050506040513d6020811015612b8b57600080fd5b505173ffffffffffffffffffffffffffffffffffffffff161415612d29578073ffffffffffffffffffffffffffffffffffffffff166329605e77846040518263ffffffff1660e01b8152600401808273ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001915050600060405180830381600087803b158015612c2857600080fd5b505af1158015612c3c573d6000803e3d6000fd5b505050508073ffffffffffffffffffffffffffffffffffffffff1663f2fde38b846040518263ffffffff1660e01b8152600401808273ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001915050600060405180830381600087803b158015612cbf57600080fd5b505af1158015612cd3573d6000803e3d6000fd5b50506040805173ffffffffffffffffffffffffffffffffffffffff8781168252915191851693503392507f4d0a9aa6dbcc8dc1bb7470a3b5e05a84e1e033f7796ac7244b1c6d20f4da4c00919081900360200190a35b50600101612ae3565b6000805b600554811015612d9e578273ffffffffffffffffffffffffffffffffffffffff1660058281548110612d6457fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff161415612d96576001915050610b0e565b600101612d36565b50600092915050565b600081612db381610ae3565b612e08576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8084166000908152600360209081526040918290206001015482517f313ce5670000000000000000000000000000000000000000000000000000000081529251931692839263313ce567926004808301939192829003018186803b15801561140a57600080fd5b600082612e9081610ae3565b612ee5576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8085166000818152600360208181526040928390209091015482517f3ddac953000000000000000000000000000000000000000000000000000000008152600481019490945260248401889052915191909316928392633ddac9539260448083019392829003018186803b158015612f7157600080fd5b505afa158015612f85573d6000803e3d6000fd5b505050506040513d6020811015612f9b57600080fd5b505195945050505050565b60075473ffffffffffffffffffffffffffffffffffffffff1681565b612fca613277565b60005473ffffffffffffffffffffffffffffffffffffffff90811691161461305357604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b6123588161361c565b613064613277565b60005473ffffffffffffffffffffffffffffffffffffffff9081169116146130ed57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b73ffffffffffffffffffffffffffffffffffffffff8116613159576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004018080602001828103825260268152602001806138d26026913960400191505060405180910390fd5b6000805460405173ffffffffffffffffffffffffffffffffffffffff808516939216917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e091a3600080547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b6000816131f281610ae3565b613247576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b505073ffffffffffffffffffffffffffffffffffffffff9081166000908152600360205260409020600101541690565b3390565b600080600061328a85856136db565b50905060008061329b888888613443565b73ffffffffffffffffffffffffffffffffffffffff16630902f1ac6040518163ffffffff1660e01b815260040160606040518083038186803b1580156132e057600080fd5b505afa1580156132f4573d6000803e3d6000fd5b505050506040513d606081101561330a57600080fd5b5080516020909101516dffffffffffffffffffffffffffff918216935016905073ffffffffffffffffffffffffffffffffffffffff87811690841614613351578082613354565b81815b90999098509650505050505050565b60008084116133bd576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526025815260200180613aaa6025913960400191505060405180910390fd5b6000831180156133cd5750600082115b613422576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004018080602001828103825260288152602001806139976028913960400191505060405180910390fd5b82613433858463ffffffff61382e16565b8161343a57fe5b04949350505050565b600080600061345285856136db565b604080517fffffffffffffffffffffffffffffffffffffffff000000000000000000000000606094851b811660208084019190915293851b81166034830152825160288184030181526048830184528051908501207fff0000000000000000000000000000000000000000000000000000000000000060688401529a90941b9093166069840152607d8301989098527f96e8ac4277198ff8b6f785478aa9a39f403cb768dd02cbee326c3e7da348845f609d808401919091528851808403909101815260bd909201909752805196019590952095945050505050565b60005b600554811015613618578173ffffffffffffffffffffffffffffffffffffffff166005828154811061355f57fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff161415613610576005818154811061359457fe5b60009182526020918290200180547fffffffffffffffffffffffff00000000000000000000000000000000000000001690556040805173ffffffffffffffffffffffffffffffffffffffff85168152905133927fc0fdb8c72ee0ede61bae26571f46cea102289381e13e02b2e8b49e24a645b83d928290030190a25b600101613531565b5050565b61362581612d32565b1561362f57612358565b600580546001810182556000919091527f036b6384b5eca791c62761152d0c79bb0604c104a5fb6f4eb0703f3154bb3db001805473ffffffffffffffffffffffffffffffffffffffff83167fffffffffffffffffffffffff00000000000000000000000000000000000000009091168117909155604080519182525133917fee366bd3feba1b54781f3b344ed9f02b30849662b0daa7a2dc2044b2ac22ac18919081900360200190a250565b6000808273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff161415613763576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004018080602001828103825260258152602001806139376025913960400191505060405180910390fd5b8273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff161061379d5782846137a0565b83835b909250905073ffffffffffffffffffffffffffffffffffffffff821661382757604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601e60248201527f556e697377617056324c6962726172793a205a45524f5f414444524553530000604482015290519081900360640190fd5b9250929050565b60008261383d575060006138a4565b8282028284828161384a57fe5b04146138a1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004018080602001828103825260218152602001806139bf6021913960400191505060405180910390fd5b90505b92915050565b6040805160808101825260008082526020820181905291810182905260608101919091529056fe4f776e61626c653a206e6577206f776e657220697320746865207a65726f2061646472657373546f6b656e4d616e616765723a20426f6e644d616e61676572206f7220456d697373696f6e4d616e61676572206973206e6f7420696e697469616c697a6564556e697377617056324c6962726172793a204944454e544943414c5f414444524553534553546f6b656e4d616e616765723a20656d697373696f6e4d616e6167657220776974682074686973206164647265737320616c726561647920736574556e697377617056324c6962726172793a20494e53554646494349454e545f4c4951554944495459536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f77546f6b656e4d616e616765723a204d7573742062652063616c6c656420627920746f6b656e2061646d696e546f6b656e4d616e616765723a20546f6b656e20697320616c7265616479206d616e61676564546f6b656e4d616e616765723a20546f6b656e7320616e64204f7261636c6520746f6b656e732061726520646966666572656e74546f6b656e4d616e616765723a2053796e74686574696320746f6b656e20616e6420556e6465726c79696e6720746f6b656e73206d75737420626520646966666572656e74556e697377617056324c6962726172793a20494e53554646494349454e545f414d4f554e544f6e6c79206f70657261746f722063616e2063616c6c2074686973206d6574686f64546f6b656e4d616e616765723a20626f6e644d616e6167657220776974682074686973206164647265737320616c726561647920736574546f6b656e4d616e616765723a2053796e74686574696320616e6420426f6e6420746f6b656e73206d7573742068617665207468652073616d65206e756d626572206f6620646563696d616c73546f6b656e4d616e616765723a20546f6b656e206973206e6f74206d616e61676564a2646970667358221220f7b750d20a6397a9ceb2e54857e7be24c6df53e34f38f144f23c0274bda3fb9064736f6c634300060600330000000000000000000000005c69bee701ef814a2b6a3edd4b1652cb9cc5aa6f

Deployed Bytecode

0x608060405234801561001057600080fd5b506004361061020b5760003560e01c8063570ca7351161012a5780638f69a3e9116100bd578063c943d3b41161008c578063f1f0af7a11610071578063f1f0af7a1461088c578063f2fde38b146108bf578063f7480d3b146108f25761020b565b8063c943d3b41461084b578063e307c952146108845761020b565b80638f69a3e9146106ef578063997f18b61461072a578063a2bdde3d146107e5578063c2d8da72146108185761020b565b80636ff97f1d116100f95780636ff97f1d146106cf578063715018a6146106d75780638bdb2afa146106df5780638da5cb5b146106e75761020b565b8063570ca735146106015780635c38eb3a14610609578063608b597214610644578063692966bc1461069c5761020b565b8063392e53cd116101a257806348d3fed31161017157806348d3fed3146105335780634f64b2be146105665780634f7459d51461058357806351d20d3a146105b65761020b565b8063392e53cd1461047c5780633d77265614610484578063412acf60146104b7578063427f91a6146104bf5761020b565b806329605e77116101de57806329605e77146103125780632d453e97146103455780632fb3905a14610400578063363cc4271461044b5761020b565b806307b8b850146102105780631b408b22146102555780631cb44dfc1461029c5780632185261b146102cf575b600080fd5b6102536004803603606081101561022657600080fd5b5073ffffffffffffffffffffffffffffffffffffffff813581169160208101359091169060400135610925565b005b6102886004803603602081101561026b57600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16610ae3565b604080519115158252519081900360200190f35b610253600480360360208110156102b257600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16610b13565b610253600480360360608110156102e557600080fd5b5073ffffffffffffffffffffffffffffffffffffffff813581169160208101359091169060400135610c04565b6102536004803603602081101561032857600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16610ddc565b6102536004803603604081101561035b57600080fd5b81019060208101813564010000000081111561037657600080fd5b82018360208201111561038857600080fd5b803590602001918460208302840111640100000000831117156103aa57600080fd5b9190808060200260200160405190810160405280939291908181526020018383602002808284376000920191909152509295505050903573ffffffffffffffffffffffffffffffffffffffff169150610efb9050565b6104396004803603604081101561041657600080fd5b5073ffffffffffffffffffffffffffffffffffffffff81351690602001356111f8565b60408051918252519081900360200190f35b6104536112cd565b6040805173ffffffffffffffffffffffffffffffffffffffff9092168252519081900360200190f35b6102886112e9565b6104396004803603602081101561049a57600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16611330565b610288611444565b6104f2600480360360208110156104d557600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16611606565b6040805173ffffffffffffffffffffffffffffffffffffffff9586168152938516602085015291841683830152909216606082015290519081900360800190f35b6102536004803603602081101561054957600080fd5b503573ffffffffffffffffffffffffffffffffffffffff1661164b565b6104536004803603602081101561057c57600080fd5b50356117d6565b6102536004803603602081101561059957600080fd5b503573ffffffffffffffffffffffffffffffffffffffff1661180a565b610253600480360360808110156105cc57600080fd5b5073ffffffffffffffffffffffffffffffffffffffff8135811691602081013582169160408201358116916060013516611995565b610453611fb7565b6102536004803603604081101561061f57600080fd5b5073ffffffffffffffffffffffffffffffffffffffff81358116916020013516611fd3565b61064c61224f565b60408051602080825283518183015283519192839290830191858101910280838360005b83811015610688578181015183820152602001610670565b505050509050019250505060405180910390f35b610253600480360360208110156106b257600080fd5b503573ffffffffffffffffffffffffffffffffffffffff166122be565b61064c61235b565b6102536123c8565b6104536124c8565b6104536124ec565b6102536004803603604081101561070557600080fd5b5073ffffffffffffffffffffffffffffffffffffffff81358116916020013516612508565b6102536004803603604081101561074057600080fd5b81019060208101813564010000000081111561075b57600080fd5b82018360208201111561076d57600080fd5b8035906020019184602083028401116401000000008311171561078f57600080fd5b9190808060200260200160405190810160405280939291908181526020018383602002808284376000920191909152509295505050903573ffffffffffffffffffffffffffffffffffffffff1691506129da9050565b610288600480360360208110156107fb57600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16612d32565b6104396004803603602081101561082e57600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16612da7565b6104396004803603604081101561086157600080fd5b5073ffffffffffffffffffffffffffffffffffffffff8135169060200135612e84565b610453612fa6565b610253600480360360208110156108a257600080fd5b503573ffffffffffffffffffffffffffffffffffffffff16612fc2565b610253600480360360208110156108d557600080fd5b503573ffffffffffffffffffffffffffffffffffffffff1661305c565b6104536004803603602081101561090857600080fd5b503573ffffffffffffffffffffffffffffffffffffffff166131e6565b8261092f81610ae3565b610984576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b61098c6112e9565b6109e1576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603f8152602001806138f8603f913960400191505060405180910390fd5b6109ea33612d32565b610a3f576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252602b8152602001806139e0602b913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8085166000908152600360205260408082205481517f79cc6790000000000000000000000000000000000000000000000000000000008152878516600482015260248101879052915193169283926379cc6790926044808201939182900301818387803b158015610ac457600080fd5b505af1158015610ad8573d6000803e3d6000fd5b505050505050505050565b73ffffffffffffffffffffffffffffffffffffffff8181166000908152600360205260409020541615155b919050565b80610b1d81610ae3565b610b72576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff80831660009081526003602081905260408083209091015481517fa2e620450000000000000000000000000000000000000000000000000000000081529151931692839263a2e62045926004808201939182900301818387803b158015610bed57600080fd5b505af1925050508015610bfe575060015b50505050565b82610c0e81610ae3565b610c63576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b610c6b6112e9565b610cc0576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603f8152602001806138f8603f913960400191505060405180910390fd5b610cc933612d32565b610d1e576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252602b8152602001806139e0602b913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff80851660009081526003602090815260408083205481517f40c10f19000000000000000000000000000000000000000000000000000000008152888616600482015260248101889052915194169384936340c10f1993604480850194919392918390030190829087803b158015610da957600080fd5b505af1158015610dbd573d6000803e3d6000fd5b505050506040513d6020811015610dd357600080fd5b50505050505050565b610de4613277565b60005473ffffffffffffffffffffffffffffffffffffffff908116911614610e6d57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b60015460405173ffffffffffffffffffffffffffffffffffffffff8084169216907f74da04524d50c64947f5dd5381ef1a4dca5cba8ed1d816243f9e48aa0b5617ed90600090a3600180547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b610f03613277565b60005473ffffffffffffffffffffffffffffffffffffffff908116911614610f8c57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b600280541415610ffd57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604482015290519081900360640190fd5b6002805560005b82518110156111ee57600083828151811061101b57fe5b6020026020010151905060008173ffffffffffffffffffffffffffffffffffffffff166370a08231306040518263ffffffff1660e01b8152600401808273ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200191505060206040518083038186803b1580156110a457600080fd5b505afa1580156110b8573d6000803e3d6000fd5b505050506040513d60208110156110ce57600080fd5b5051905080156111e4578173ffffffffffffffffffffffffffffffffffffffff1663a9059cbb85836040518363ffffffff1660e01b8152600401808373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200182815260200192505050602060405180830381600087803b15801561115f57600080fd5b505af1158015611173573d6000803e3d6000fd5b505050506040513d602081101561118957600080fd5b50506040805173ffffffffffffffffffffffffffffffffffffffff86811682526020820184905282519085169233927fcf590012a9240c367993f520361cbcbe4c24a2e74c2395e7056d777951644861929081900390910190a35b5050600101611004565b5050600160025550565b60008261120481610ae3565b611259576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff80851660009081526003602052604081206001015490911690806112b37f0000000000000000000000005c69bee701ef814a2b6a3edd4b1652cb9cc5aa6f888561327b565b915091506112c2868383613363565b979650505050505050565b60065473ffffffffffffffffffffffffffffffffffffffff1681565b60065460009073ffffffffffffffffffffffffffffffffffffffff161580159061132a575060075473ffffffffffffffffffffffffffffffffffffffff1615155b90505b90565b60008161133c81610ae3565b611391576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8084166000908152600360209081526040918290205482517f313ce5670000000000000000000000000000000000000000000000000000000081529251931692839263313ce567926004808301939192829003018186803b15801561140a57600080fd5b505afa15801561141e573d6000803e3d6000fd5b505050506040513d602081101561143457600080fd5b505160ff16600a0a949350505050565b6000805b60045463ffffffff821610156115fe57600060048263ffffffff168154811061146d57fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff16905080156115f5573073ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff1663570ca7356040518163ffffffff1660e01b815260040160206040518083038186803b1580156114f457600080fd5b505afa158015611508573d6000803e3d6000fd5b505050506040513d602081101561151e57600080fd5b505173ffffffffffffffffffffffffffffffffffffffff16146115465760009250505061132d565b3073ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16638da5cb5b6040518163ffffffff1660e01b815260040160206040518083038186803b1580156115a357600080fd5b505afa1580156115b7573d6000803e3d6000fd5b505050506040513d60208110156115cd57600080fd5b505173ffffffffffffffffffffffffffffffffffffffff16146115f55760009250505061132d565b50600101611448565b506001905090565b6003602081905260009182526040909120805460018201546002830154929093015473ffffffffffffffffffffffffffffffffffffffff918216938216928216911684565b60015473ffffffffffffffffffffffffffffffffffffffff1633146116bb576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b60065473ffffffffffffffffffffffffffffffffffffffff8281169116141561172f576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526037815260200180613af16037913960400191505060405180910390fd5b6006546117519073ffffffffffffffffffffffffffffffffffffffff166122be565b61175a81612fc2565b6006805473ffffffffffffffffffffffffffffffffffffffff83167fffffffffffffffffffffffff00000000000000000000000000000000000000009091168117909155604080519182525133917fa3fadfbe28ce0f69fd753791be811ee73ada05888941c6c201e45d7e7e94c1c0919081900360200190a250565b600481815481106117e357fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff16905081565b60015473ffffffffffffffffffffffffffffffffffffffff16331461187a576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b60075473ffffffffffffffffffffffffffffffffffffffff828116911614156118ee576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603b81526020018061395c603b913960400191505060405180910390fd5b6007546119109073ffffffffffffffffffffffffffffffffffffffff166122be565b61191981612fc2565b6007805473ffffffffffffffffffffffffffffffffffffffff83167fffffffffffffffffffffffff00000000000000000000000000000000000000009091168117909155604080519182525133917f1e559c49b2089697ec4f9243fa1d98802a085e726f2f509aaf56b5727717a39c919081900360200190a250565b60015473ffffffffffffffffffffffffffffffffffffffff163314611a05576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b611a0d6112e9565b611a62576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603f8152602001806138f8603f913960400191505060405180910390fd5b8173ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff161415611ae7576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526045815260200180613a656045913960600191505060405180910390fd5b611af084610ae3565b15611b46576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526026815260200180613a0b6026913960400191505060405180910390fd5b838383836000611b777f0000000000000000000000005c69bee701ef814a2b6a3edd4b1652cb9cc5aa6f8685613443565b90508373ffffffffffffffffffffffffffffffffffffffff1663313ce5676040518163ffffffff1660e01b815260040160206040518083038186803b158015611bbf57600080fd5b505afa158015611bd3573d6000803e3d6000fd5b505050506040513d6020811015611be957600080fd5b5051604080517f313ce567000000000000000000000000000000000000000000000000000000008152905160ff9092169173ffffffffffffffffffffffffffffffffffffffff88169163313ce567916004808301926020929190829003018186803b158015611c5757600080fd5b505afa158015611c6b573d6000803e3d6000fd5b505050506040513d6020811015611c8157600080fd5b505160ff1614611cdc576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252604d815260200180613b28604d913960600191505060405180910390fd5b8073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1663a8aa1b316040518163ffffffff1660e01b815260040160206040518083038186803b158015611d3957600080fd5b505afa158015611d4d573d6000803e3d6000fd5b505050506040513d6020811015611d6357600080fd5b505173ffffffffffffffffffffffffffffffffffffffff1614611dd1576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526034815260200180613a316034913960400191505060405180910390fd5b611dd96138aa565b506040805160808101825273ffffffffffffffffffffffffffffffffffffffff80881682528581166020808401918252858316848601908152878416606086019081528f85166000818152600394859052888120885181549089167fffffffffffffffffffffffff0000000000000000000000000000000000000000918216178255965160018083018054928b16928a16929092179091559451600282018054918a169189169190911790559251929094018054928716928616929092179091556004805492830181558084527f8a35acfbc15ff81a39ae7d344fd709f28e8600b4aa8c65c6b64bfe7fe36bd19b9092018054909416811790935560065486517fbe377825000000000000000000000000000000000000000000000000000000008152918201939093528d8416602482015294519394919092169263be3778259260448084019391929182900301818387803b158015611f3857600080fd5b505af1158015611f4c573d6000803e3d6000fd5b50506040805173ffffffffffffffffffffffffffffffffffffffff878116825286811660208301528251818e169550908f1693507fc8b66fed09dd4fba78626760ae60b79195ce196a00d408ad1883a8d1e271bc9f929181900390910190a350505050505050505050565b60015473ffffffffffffffffffffffffffffffffffffffff1681565b60015473ffffffffffffffffffffffffffffffffffffffff163314612043576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b8161204d81610ae3565b6120a2576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8084166000908152600360209081526040918290206002015482517fa8aa1b3100000000000000000000000000000000000000000000000000000000815292518694918216939185169263a8aa1b319260048082019391829003018186803b15801561212257600080fd5b505afa158015612136573d6000803e3d6000fd5b505050506040513d602081101561214c57600080fd5b505173ffffffffffffffffffffffffffffffffffffffff16146121ba576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526034815260200180613a316034913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff84811660008181526003602081815260409283902090910180547fffffffffffffffffffffffff000000000000000000000000000000000000000016868616179055815193871684529051919233927fa18d4edc0f9c89f7feb41d0243d7f20bf44c5b426ede1cc1014a31ab8eb72489929181900390910190a350505050565b606060058054806020026020016040519081016040528092919081815260200182805480156122b457602002820191906000526020600020905b815473ffffffffffffffffffffffffffffffffffffffff168152600190910190602001808311612289575b5050505050905090565b6122c6613277565b60005473ffffffffffffffffffffffffffffffffffffffff90811691161461234f57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b6123588161352e565b50565b606060048054806020026020016040519081016040528092919081815260200182805480156122b45760200282019190600052602060002090815473ffffffffffffffffffffffffffffffffffffffff168152600190910190602001808311612289575050505050905090565b6123d0613277565b60005473ffffffffffffffffffffffffffffffffffffffff90811691161461245957604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b6000805460405173ffffffffffffffffffffffffffffffffffffffff909116907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908390a3600080547fffffffffffffffffffffffff0000000000000000000000000000000000000000169055565b7f0000000000000000000000005c69bee701ef814a2b6a3edd4b1652cb9cc5aa6f81565b60005473ffffffffffffffffffffffffffffffffffffffff1690565b8161251281610ae3565b612567576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b60015473ffffffffffffffffffffffffffffffffffffffff1633146125d7576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613acf6022913960400191505060405180910390fd5b6125df6112e9565b612634576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040180806020018281038252603f8152602001806138f8603f913960400191505060405180910390fd5b600654604080517fba76c12200000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff868116600483015285811660248301529151919092169163ba76c12291604480830192600092919082900301818387803b1580156126b057600080fd5b505af11580156126c4573d6000803e3d6000fd5b5060009250829150505b600454811015612730578473ffffffffffffffffffffffffffffffffffffffff16600482815481106126fc57fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff161415612728578091505b6001016126ce565b506127396138aa565b600360006004848154811061274a57fe5b600091825260208083209091015473ffffffffffffffffffffffffffffffffffffffff90811684528382019490945260409283018220835160808101855281548616808252600183015487169382019390935260028201548616818601526003909101548516606082015283517f29605e7700000000000000000000000000000000000000000000000000000000815294891660048601529251929450926329605e77926024808301939282900301818387803b15801561280a57600080fd5b505af115801561281e573d6000803e3d6000fd5b50505050806000015173ffffffffffffffffffffffffffffffffffffffff1663f2fde38b856040518263ffffffff1660e01b8152600401808273ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001915050600060405180830381600087803b1580156128a557600080fd5b505af11580156128b9573d6000803e3d6000fd5b50505073ffffffffffffffffffffffffffffffffffffffff8616600090815260036020819052604090912080547fffffffffffffffffffffffff00000000000000000000000000000000000000009081168255600182018054821690556002820180548216905591018054909116905550600480548390811061293857fe5b60009182526020918290200180547fffffffffffffffffffffffff0000000000000000000000000000000000000000169055818101516060830151604080850151815173ffffffffffffffffffffffffffffffffffffffff938416815290831694810194909452805192821693918916927f56cb1f8e690d8d6d6de7009b52ff2d0f47f9ff06b94b166a0be70eefa459a8349281900390910190a35050505050565b6129e2613277565b60005473ffffffffffffffffffffffffffffffffffffffff908116911614612a6b57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b600280541415612adc57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604482015290519081900360640190fd5b6002805560005b82518110156111ee576000838281518110612afa57fe5b602002602001015190503073ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16638da5cb5b6040518163ffffffff1660e01b815260040160206040518083038186803b158015612b6157600080fd5b505afa158015612b75573d6000803e3d6000fd5b505050506040513d6020811015612b8b57600080fd5b505173ffffffffffffffffffffffffffffffffffffffff161415612d29578073ffffffffffffffffffffffffffffffffffffffff166329605e77846040518263ffffffff1660e01b8152600401808273ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001915050600060405180830381600087803b158015612c2857600080fd5b505af1158015612c3c573d6000803e3d6000fd5b505050508073ffffffffffffffffffffffffffffffffffffffff1663f2fde38b846040518263ffffffff1660e01b8152600401808273ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001915050600060405180830381600087803b158015612cbf57600080fd5b505af1158015612cd3573d6000803e3d6000fd5b50506040805173ffffffffffffffffffffffffffffffffffffffff8781168252915191851693503392507f4d0a9aa6dbcc8dc1bb7470a3b5e05a84e1e033f7796ac7244b1c6d20f4da4c00919081900360200190a35b50600101612ae3565b6000805b600554811015612d9e578273ffffffffffffffffffffffffffffffffffffffff1660058281548110612d6457fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff161415612d96576001915050610b0e565b600101612d36565b50600092915050565b600081612db381610ae3565b612e08576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8084166000908152600360209081526040918290206001015482517f313ce5670000000000000000000000000000000000000000000000000000000081529251931692839263313ce567926004808301939192829003018186803b15801561140a57600080fd5b600082612e9081610ae3565b612ee5576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8085166000818152600360208181526040928390209091015482517f3ddac953000000000000000000000000000000000000000000000000000000008152600481019490945260248401889052915191909316928392633ddac9539260448083019392829003018186803b158015612f7157600080fd5b505afa158015612f85573d6000803e3d6000fd5b505050506040513d6020811015612f9b57600080fd5b505195945050505050565b60075473ffffffffffffffffffffffffffffffffffffffff1681565b612fca613277565b60005473ffffffffffffffffffffffffffffffffffffffff90811691161461305357604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b6123588161361c565b613064613277565b60005473ffffffffffffffffffffffffffffffffffffffff9081169116146130ed57604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015290519081900360640190fd5b73ffffffffffffffffffffffffffffffffffffffff8116613159576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004018080602001828103825260268152602001806138d26026913960400191505060405180910390fd5b6000805460405173ffffffffffffffffffffffffffffffffffffffff808516939216917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e091a3600080547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b6000816131f281610ae3565b613247576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526022815260200180613b756022913960400191505060405180910390fd5b505073ffffffffffffffffffffffffffffffffffffffff9081166000908152600360205260409020600101541690565b3390565b600080600061328a85856136db565b50905060008061329b888888613443565b73ffffffffffffffffffffffffffffffffffffffff16630902f1ac6040518163ffffffff1660e01b815260040160606040518083038186803b1580156132e057600080fd5b505afa1580156132f4573d6000803e3d6000fd5b505050506040513d606081101561330a57600080fd5b5080516020909101516dffffffffffffffffffffffffffff918216935016905073ffffffffffffffffffffffffffffffffffffffff87811690841614613351578082613354565b81815b90999098509650505050505050565b60008084116133bd576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401808060200182810382526025815260200180613aaa6025913960400191505060405180910390fd5b6000831180156133cd5750600082115b613422576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004018080602001828103825260288152602001806139976028913960400191505060405180910390fd5b82613433858463ffffffff61382e16565b8161343a57fe5b04949350505050565b600080600061345285856136db565b604080517fffffffffffffffffffffffffffffffffffffffff000000000000000000000000606094851b811660208084019190915293851b81166034830152825160288184030181526048830184528051908501207fff0000000000000000000000000000000000000000000000000000000000000060688401529a90941b9093166069840152607d8301989098527f96e8ac4277198ff8b6f785478aa9a39f403cb768dd02cbee326c3e7da348845f609d808401919091528851808403909101815260bd909201909752805196019590952095945050505050565b60005b600554811015613618578173ffffffffffffffffffffffffffffffffffffffff166005828154811061355f57fe5b60009182526020909120015473ffffffffffffffffffffffffffffffffffffffff161415613610576005818154811061359457fe5b60009182526020918290200180547fffffffffffffffffffffffff00000000000000000000000000000000000000001690556040805173ffffffffffffffffffffffffffffffffffffffff85168152905133927fc0fdb8c72ee0ede61bae26571f46cea102289381e13e02b2e8b49e24a645b83d928290030190a25b600101613531565b5050565b61362581612d32565b1561362f57612358565b600580546001810182556000919091527f036b6384b5eca791c62761152d0c79bb0604c104a5fb6f4eb0703f3154bb3db001805473ffffffffffffffffffffffffffffffffffffffff83167fffffffffffffffffffffffff00000000000000000000000000000000000000009091168117909155604080519182525133917fee366bd3feba1b54781f3b344ed9f02b30849662b0daa7a2dc2044b2ac22ac18919081900360200190a250565b6000808273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff161415613763576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004018080602001828103825260258152602001806139376025913960400191505060405180910390fd5b8273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff161061379d5782846137a0565b83835b909250905073ffffffffffffffffffffffffffffffffffffffff821661382757604080517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601e60248201527f556e697377617056324c6962726172793a205a45524f5f414444524553530000604482015290519081900360640190fd5b9250929050565b60008261383d575060006138a4565b8282028284828161384a57fe5b04146138a1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004018080602001828103825260218152602001806139bf6021913960400191505060405180910390fd5b90505b92915050565b6040805160808101825260008082526020820181905291810182905260608101919091529056fe4f776e61626c653a206e6577206f776e657220697320746865207a65726f2061646472657373546f6b656e4d616e616765723a20426f6e644d616e61676572206f7220456d697373696f6e4d616e61676572206973206e6f7420696e697469616c697a6564556e697377617056324c6962726172793a204944454e544943414c5f414444524553534553546f6b656e4d616e616765723a20656d697373696f6e4d616e6167657220776974682074686973206164647265737320616c726561647920736574556e697377617056324c6962726172793a20494e53554646494349454e545f4c4951554944495459536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f77546f6b656e4d616e616765723a204d7573742062652063616c6c656420627920746f6b656e2061646d696e546f6b656e4d616e616765723a20546f6b656e20697320616c7265616479206d616e61676564546f6b656e4d616e616765723a20546f6b656e7320616e64204f7261636c6520746f6b656e732061726520646966666572656e74546f6b656e4d616e616765723a2053796e74686574696320746f6b656e20616e6420556e6465726c79696e6720746f6b656e73206d75737420626520646966666572656e74556e697377617056324c6962726172793a20494e53554646494349454e545f414d4f554e544f6e6c79206f70657261746f722063616e2063616c6c2074686973206d6574686f64546f6b656e4d616e616765723a20626f6e644d616e6167657220776974682074686973206164647265737320616c726561647920736574546f6b656e4d616e616765723a2053796e74686574696320616e6420426f6e6420746f6b656e73206d7573742068617665207468652073616d65206e756d626572206f6620646563696d616c73546f6b656e4d616e616765723a20546f6b656e206973206e6f74206d616e61676564a2646970667358221220f7b750d20a6397a9ceb2e54857e7be24c6df53e34f38f144f23c0274bda3fb9064736f6c63430006060033

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

0000000000000000000000005c69bee701ef814a2b6a3edd4b1652cb9cc5aa6f

-----Decoded View---------------
Arg [0] : _uniswapFactory (address): 0x5C69bEe701ef814a2B6a3EDD4B1652CB9cc5aA6f

-----Encoded View---------------
1 Constructor Arguments found :
Arg [0] : 0000000000000000000000005c69bee701ef814a2b6a3edd4b1652cb9cc5aa6f


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.