ETH Price: $2,424.83 (+0.03%)
 

Overview

ETH Balance

0 ETH

Eth Value

$0.00

Token Holdings

Multichain Info

Transaction Hash
Method
Block
From
To
Set Withdraw Fee197911252024-05-03 17:37:47185 days ago1714757867IN
0xeb4Af8a6...48f014d88
0 ETH0.000397849.2740006
Set Withdraw Fee184727792023-10-31 21:26:23369 days ago1698787583IN
0xeb4Af8a6...48f014d88
0 ETH0.0019476430.02009829
Withdraw184727752023-10-31 21:25:35369 days ago1698787535IN
0xeb4Af8a6...48f014d88
0 ETH0.0021235830.43119677
Withdraw184727702023-10-31 21:24:35369 days ago1698787475IN
0xeb4Af8a6...48f014d88
0 ETH0.0027944232.52015157
Set Withdraw Fee184727482023-10-31 21:20:11369 days ago1698787211IN
0xeb4Af8a6...48f014d88
0 ETH0.0014898434.72907267
Set Bridge Conne...182727382023-10-03 21:39:23397 days ago1696369163IN
0xeb4Af8a6...48f014d88
0 ETH0.0005384312.42750254
Withdraw182518052023-09-30 23:28:11400 days ago1696116491IN
0xeb4Af8a6...48f014d88
0 ETH0.000626117.38634841
Withdraw178141132023-07-31 16:14:23462 days ago1690820063IN
0xeb4Af8a6...48f014d88
0 ETH0.002694433.69436478
Set Fee Collecto...174813702023-06-14 23:15:11508 days ago1686784511IN
0xeb4Af8a6...48f014d88
0 ETH0.0006531518.48249885

Latest 1 internal transaction

Advanced mode:
Parent Transaction Hash Block From To
171819292023-05-03 18:20:11550 days ago1683138011  Contract Creation0 ETH
Loading...
Loading

Minimal Proxy Contract for 0x3e88c9b0e3be6817973a6e629211e702d12c577f

Contract Name:
SmartVault

Compiler Version
v0.8.3+commit.8d00100c

Optimization Enabled:
Yes with 10000 runs

Other Settings:
default evmVersion

Contract Source Code (Solidity Standard Json-Input format)

File 1 of 42 : SmartVault.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import '@openzeppelin/contracts/token/ERC20/IERC20.sol';
import '@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol';
import '@openzeppelin/contracts/utils/Address.sol';
import '@openzeppelin/contracts/utils/math/Math.sol';

import '@mimic-fi/v2-bridge-connector/contracts/IBridgeConnector.sol';
import '@mimic-fi/v2-helpers/contracts/math/FixedPoint.sol';
import '@mimic-fi/v2-helpers/contracts/math/UncheckedMath.sol';
import '@mimic-fi/v2-helpers/contracts/utils/Denominations.sol';
import '@mimic-fi/v2-helpers/contracts/utils/IWrappedNativeToken.sol';
import '@mimic-fi/v2-price-oracle/contracts/oracle/IPriceOracle.sol';
import '@mimic-fi/v2-price-oracle/contracts/feeds/PriceFeedProvider.sol';
import '@mimic-fi/v2-strategies/contracts/IStrategy.sol';
import '@mimic-fi/v2-swap-connector/contracts/ISwapConnector.sol';
import '@mimic-fi/v2-registry/contracts/implementations/InitializableAuthorizedImplementation.sol';

import './ISmartVault.sol';
import './helpers/StrategyLib.sol';
import './helpers/SwapConnectorLib.sol';
import './helpers/BridgeConnectorLib.sol';

/**
 * @title Smart Vault
 * @dev Smart Vault contract where funds are being held offering a bunch of primitives to allow users model any
 * type of action to manage them, these are: collector, withdraw, swap, bridge, join, exit, bridge, wrap, and unwrap.
 *
 * It inherits from InitializableAuthorizedImplementation which means it's implementation can be cloned
 * from the Mimic Registry and should be initialized depending on each case.
 */
contract SmartVault is ISmartVault, PriceFeedProvider, InitializableAuthorizedImplementation {
    using SafeERC20 for IERC20;
    using FixedPoint for uint256;
    using UncheckedMath for uint256;
    using StrategyLib for address;
    using SwapConnectorLib for address;
    using BridgeConnectorLib for address;

    // Namespace under which the Smart Vault is registered in the Mimic Registry
    bytes32 public constant override NAMESPACE = keccak256('SMART_VAULT');

    /**
     * @dev Fee configuration parameters
     * @param pct Percentage expressed using 16 decimals (1e18 = 100%)
     * @param cap Maximum amount of fees to be charged per period
     * @param token Address of the token to express the cap amount
     * @param period Period length in seconds
     * @param totalCharged Total amount of fees charged in the current period
     * @param nextResetTime Current cap period end date
     */
    struct Fee {
        uint256 pct;
        uint256 cap;
        address token;
        uint256 period;
        uint256 totalCharged;
        uint256 nextResetTime;
    }

    // Price oracle reference
    address public override priceOracle;

    // Swap connector reference
    address public override swapConnector;

    // Bridge connector reference
    address public override bridgeConnector;

    // List of allowed strategies indexed by strategy address
    mapping (address => bool) public override isStrategyAllowed;

    // List of invested values indexed by strategy address
    mapping (address => uint256) public override investedValue;

    // Fee collector address where fees will be deposited
    address public override feeCollector;

    // Withdraw fee configuration
    Fee public override withdrawFee;

    // Performance fee configuration
    Fee public override performanceFee;

    // Swap fee configuration
    Fee public override swapFee;

    // Bridge fee configuration
    Fee public override bridgeFee;

    // Wrapped native token reference
    address public immutable override wrappedNativeToken;

    /**
     * @dev Creates a new Smart Vault implementation with references that should be shared among all implementations
     * @param _wrappedNativeToken Address of the wrapped native token to be used
     * @param _registry Address of the Mimic Registry to be referenced
     */
    constructor(address _wrappedNativeToken, address _registry) InitializableAuthorizedImplementation(_registry) {
        wrappedNativeToken = _wrappedNativeToken;
    }

    /**
     * @dev Initializes the Smart Vault instance
     * @param admin Address that will be granted with admin rights
     */
    function initialize(address admin) external initializer {
        _initialize(admin);
    }

    /**
     * @dev It allows receiving native token transfers
     */
    receive() external payable {
        // solhint-disable-previous-line no-empty-blocks
    }

    /**
     * @dev Sets a new strategy as allowed or not for a Smart Vault. Sender must be authorized.
     * @param strategy Address of the strategy to be set
     * @param allowed Whether the strategy is allowed or not
     */
    function setStrategy(address strategy, bool allowed) external override auth {
        _setStrategy(strategy, allowed);
    }

    /**
     * @dev Sets a new price oracle to a Smart Vault. Sender must be authorized.
     * @param newPriceOracle Address of the new price oracle to be set
     */
    function setPriceOracle(address newPriceOracle) external override auth {
        _setPriceOracle(newPriceOracle);
    }

    /**
     * @dev Sets a new swap connector to a Smart Vault. Sender must be authorized.
     * @param newSwapConnector Address of the new swap connector to be set
     */
    function setSwapConnector(address newSwapConnector) external override auth {
        _setSwapConnector(newSwapConnector);
    }

    /**
     * @dev Sets a new bridge connector to a Smart Vault. Sender must be authorized.
     * @param newBridgeConnector Address of the new bridge connector to be set
     */
    function setBridgeConnector(address newBridgeConnector) external override auth {
        _setBridgeConnector(newBridgeConnector);
    }

    /**
     * @dev Sets a new fee collector. Sender must be authorized.
     * @param newFeeCollector Address of the new fee collector to be set
     */
    function setFeeCollector(address newFeeCollector) external override auth {
        _setFeeCollector(newFeeCollector);
    }

    /**
     * @dev Sets a new withdraw fee. Sender must be authorized.
     * @param pct Withdraw fee percentage to be set
     * @param cap New maximum amount of withdraw fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds for the withdraw fee
     */
    function setWithdrawFee(uint256 pct, uint256 cap, address token, uint256 period) external override auth {
        _setFeeConfiguration(withdrawFee, pct, cap, token, period);
        emit WithdrawFeeSet(pct, cap, token, period);
    }

    /**
     * @dev Sets a new performance fee. Sender must be authorized.
     * @param pct Performance fee percentage to be set
     * @param cap New maximum amount of performance fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds for the performance fee
     */
    function setPerformanceFee(uint256 pct, uint256 cap, address token, uint256 period) external override auth {
        _setFeeConfiguration(performanceFee, pct, cap, token, period);
        emit PerformanceFeeSet(pct, cap, token, period);
    }

    /**
     * @dev Sets a new swap fee. Sender must be authorized.
     * @param pct New swap fee percentage to be set
     * @param cap New maximum amount of swap fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds for the swap fee
     */
    function setSwapFee(uint256 pct, uint256 cap, address token, uint256 period) external override auth {
        _setFeeConfiguration(swapFee, pct, cap, token, period);
        emit SwapFeeSet(pct, cap, token, period);
    }

    /**
     * @dev Sets a new bridge fee. Sender must be authorized.
     * @param pct New bridge fee percentage to be set
     * @param cap New maximum amount of bridge fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds for the bridge fee
     */
    function setBridgeFee(uint256 pct, uint256 cap, address token, uint256 period) external override auth {
        _setFeeConfiguration(bridgeFee, pct, cap, token, period);
        emit BridgeFeeSet(pct, cap, token, period);
    }

    /**
     * @dev Sets a of price feed
     * @param base Token base to be set
     * @param quote Token quote to be set
     * @param feed Price feed to be set
     */
    function setPriceFeed(address base, address quote, address feed)
        public
        override(IPriceFeedProvider, PriceFeedProvider)
        auth
    {
        super.setPriceFeed(base, quote, feed);
    }

    /**
     * @dev Tells the price of a token (base) in a given quote
     * @param base Token to rate
     * @param quote Token used for the price rate
     */
    function getPrice(address base, address quote) public view override returns (uint256) {
        return IPriceOracle(priceOracle).getPrice(address(this), base, quote);
    }

    /**
     * @dev Tells the last value accrued for a strategy. Note this value can be outdated.
     * @param strategy Address of the strategy querying the last value of
     */
    function lastValue(address strategy) public view override returns (uint256) {
        return IStrategy(strategy).lastValue(address(this));
    }

    /**
     * @dev Execute an arbitrary call from a Smart Vault. Sender must be authorized.
     * @param target Address where the call will be sent
     * @param data Calldata to be used for the call
     * @param value Value in wei that will be attached to the call
     * @return result Call response if it was successful, otherwise it reverts
     */
    function call(address target, bytes memory callData, uint256 value, bytes memory data)
        external
        override
        auth
        returns (bytes memory result)
    {
        result = Address.functionCallWithValue(target, callData, value, 'SMART_VAULT_ARBITRARY_CALL_FAIL');
        emit Call(target, callData, value, result, data);
    }

    /**
     * @dev Collect tokens from an external account to a Smart Vault. Sender must be authorized.
     * @param token Address of the token to be collected
     * @param from Address where the tokens will be transfer from
     * @param amount Amount of tokens to be transferred
     * @param data Extra data only logged
     * @return collected Amount of tokens collected
     */
    function collect(address token, address from, uint256 amount, bytes memory data)
        external
        override
        auth
        returns (uint256 collected)
    {
        require(amount > 0, 'COLLECT_AMOUNT_ZERO');

        uint256 previousBalance = IERC20(token).balanceOf(address(this));
        IERC20(token).safeTransferFrom(from, address(this), amount);
        uint256 currentBalance = IERC20(token).balanceOf(address(this));

        collected = currentBalance - previousBalance;
        emit Collect(token, from, collected, data);
    }

    /**
     * @dev Withdraw tokens to an external account. Sender must be authorized.
     * @param token Address of the token to be withdrawn
     * @param amount Amount of tokens to withdraw
     * @param recipient Address where the tokens will be transferred to
     * @param data Extra data only logged
     * @return withdrawn Amount of tokens transferred to the recipient address
     */
    function withdraw(address token, uint256 amount, address recipient, bytes memory data)
        external
        override
        auth
        returns (uint256 withdrawn)
    {
        require(amount > 0, 'WITHDRAW_AMOUNT_ZERO');
        require(recipient != address(0), 'RECIPIENT_ZERO');

        uint256 withdrawFeeAmount = recipient == feeCollector ? 0 : _payFee(token, amount, withdrawFee);
        withdrawn = amount - withdrawFeeAmount;
        _safeTransfer(token, recipient, withdrawn);
        emit Withdraw(token, recipient, withdrawn, withdrawFeeAmount, data);
    }

    /**
     * @dev Wrap an amount of native tokens to the wrapped ERC20 version of it. Sender must be authorized.
     * @param amount Amount of native tokens to be wrapped
     * @param data Extra data only logged
     * @return wrapped Amount of tokens wrapped
     */
    function wrap(uint256 amount, bytes memory data) external override auth returns (uint256 wrapped) {
        require(amount > 0, 'WRAP_AMOUNT_ZERO');
        require(address(this).balance >= amount, 'WRAP_INSUFFICIENT_AMOUNT');

        IWrappedNativeToken wrappedToken = IWrappedNativeToken(wrappedNativeToken);
        uint256 previousBalance = wrappedToken.balanceOf(address(this));
        wrappedToken.deposit{ value: amount }();
        uint256 currentBalance = wrappedToken.balanceOf(address(this));

        wrapped = currentBalance - previousBalance;
        emit Wrap(amount, wrapped, data);
    }

    /**
     * @dev Unwrap an amount of wrapped native tokens. Sender must be authorized.
     * @param amount Amount of wrapped native tokens to unwrapped
     * @param data Extra data only logged
     * @return unwrapped Amount of tokens unwrapped
     */
    function unwrap(uint256 amount, bytes memory data) external override auth returns (uint256 unwrapped) {
        require(amount > 0, 'UNWRAP_AMOUNT_ZERO');

        uint256 previousBalance = address(this).balance;
        IWrappedNativeToken(wrappedNativeToken).withdraw(amount);
        uint256 currentBalance = address(this).balance;

        unwrapped = currentBalance - previousBalance;
        emit Unwrap(amount, unwrapped, data);
    }

    /**
     * @dev Claim strategy rewards. Sender must be authorized.
     * @param strategy Address of the strategy to claim rewards
     * @param data Extra data passed to the strategy and logged
     * @return tokens Addresses of the tokens received as rewards
     * @return amounts Amounts of the tokens received as rewards
     */
    function claim(address strategy, bytes memory data)
        external
        override
        auth
        returns (address[] memory tokens, uint256[] memory amounts)
    {
        require(isStrategyAllowed[strategy], 'STRATEGY_NOT_ALLOWED');
        (tokens, amounts) = strategy.claim(data);
        emit Claim(strategy, tokens, amounts, data);
    }

    /**
     * @dev Join a strategy with an amount of tokens. Sender must be authorized.
     * @param strategy Address of the strategy to join
     * @param tokensIn List of token addresses to join with
     * @param amountsIn List of token amounts to join with
     * @param slippage Slippage that will be used to compute the join
     * @param data Extra data passed to the strategy and logged
     * @return tokensOut List of token addresses received after the join
     * @return amountsOut List of token amounts received after the join
     */
    function join(
        address strategy,
        address[] memory tokensIn,
        uint256[] memory amountsIn,
        uint256 slippage,
        bytes memory data
    ) external override auth returns (address[] memory tokensOut, uint256[] memory amountsOut) {
        require(isStrategyAllowed[strategy], 'STRATEGY_NOT_ALLOWED');
        require(slippage <= FixedPoint.ONE, 'JOIN_SLIPPAGE_ABOVE_ONE');
        require(tokensIn.length == amountsIn.length, 'JOIN_INPUT_INVALID_LENGTH');

        uint256 value;
        (tokensOut, amountsOut, value) = strategy.join(tokensIn, amountsIn, slippage, data);
        require(tokensOut.length == amountsOut.length, 'JOIN_OUTPUT_INVALID_LENGTH');

        investedValue[strategy] = investedValue[strategy] + value;
        emit Join(strategy, tokensIn, amountsIn, tokensOut, amountsOut, value, slippage, data);
    }

    /**
     * @dev Exit a strategy. Sender must be authorized.
     * @param strategy Address of the strategy to exit
     * @param tokensIn List of token addresses to exit with
     * @param amountsIn List of token amounts to exit with
     * @param slippage Slippage that will be used to compute the exit
     * @param data Extra data passed to the strategy and logged
     * @return tokensOut List of token addresses received after the exit
     * @return amountsOut List of token amounts received after the exit
     */
    function exit(
        address strategy,
        address[] memory tokensIn,
        uint256[] memory amountsIn,
        uint256 slippage,
        bytes memory data
    ) external override auth returns (address[] memory tokensOut, uint256[] memory amountsOut) {
        require(isStrategyAllowed[strategy], 'STRATEGY_NOT_ALLOWED');
        require(investedValue[strategy] > 0, 'EXIT_NO_INVESTED_VALUE');
        require(slippage <= FixedPoint.ONE, 'EXIT_SLIPPAGE_ABOVE_ONE');
        require(tokensIn.length == amountsIn.length, 'EXIT_INPUT_INVALID_LENGTH');

        uint256 value;
        (tokensOut, amountsOut, value) = strategy.exit(tokensIn, amountsIn, slippage, data);
        require(tokensOut.length == amountsOut.length, 'EXIT_OUTPUT_INVALID_LENGTH');
        uint256[] memory performanceFeeAmounts = new uint256[](amountsOut.length);

        // It can rely on the last updated value since we have just exited, no need to compute current value
        uint256 valueBeforeExit = lastValue(strategy) + value;
        if (valueBeforeExit <= investedValue[strategy]) {
            // There were losses, invested value is simply reduced using the exited ratio compared to the value
            // before exit. Invested value is round up to avoid interpreting losses due to rounding errors
            investedValue[strategy] -= investedValue[strategy].mulUp(value).divUp(valueBeforeExit);
        } else {
            // If value gains are greater than the exit value, it means only gains are being withdrawn. In that case
            // the taxable amount is the entire exited amount, otherwise it should be the equivalent gains ratio of it.
            uint256 valueGains = valueBeforeExit.uncheckedSub(investedValue[strategy]);
            bool onlyGains = valueGains >= value;

            // If the exit value is greater than the value gains, the invested value should be reduced by the portion
            // of the invested value being exited. Otherwise, it's still the same, only gains are being withdrawn.
            // No need for checked math as we are checking it manually beforehand
            uint256 decrement = onlyGains ? 0 : value.uncheckedSub(valueGains);
            investedValue[strategy] = investedValue[strategy] - decrement;

            // Compute performance fees per token out
            for (uint256 i = 0; i < tokensOut.length; i = i.uncheckedAdd(1)) {
                address token = tokensOut[i];
                uint256 amount = amountsOut[i];
                uint256 taxableAmount = onlyGains ? amount : ((amount * valueGains) / value);
                uint256 feeAmount = _payFee(token, taxableAmount, performanceFee);
                amountsOut[i] = amount - feeAmount;
                performanceFeeAmounts[i] = feeAmount;
            }
        }

        emit Exit(strategy, tokensIn, amountsIn, tokensOut, amountsOut, value, performanceFeeAmounts, slippage, data);
    }

    /**
     * @dev Swaps two tokens. Sender must be authorized.
     * @param source Source to request the swap: Uniswap V2, Uniswap V3, Balancer V2, or Paraswap V5.
     * @param tokenIn Token being sent
     * @param tokenOut Token being received
     * @param amountIn Amount of tokenIn being swapped
     * @param limitType Swap limit to be applied: slippage or min amount out
     * @param limitAmount Amount of the swap limit to be applied depending on limitType
     * @param data Encoded data to specify different swap parameters depending on the source picked
     * @return amountOut Received amount of tokens out
     */
    function swap(
        uint8 source,
        address tokenIn,
        address tokenOut,
        uint256 amountIn,
        SwapLimit limitType,
        uint256 limitAmount,
        bytes memory data
    ) external override auth returns (uint256 amountOut) {
        require(tokenIn != tokenOut, 'SWAP_SAME_TOKEN');
        require(swapConnector != address(0), 'SWAP_CONNECTOR_NOT_SET');

        uint256 minAmountOut;
        if (limitType == SwapLimit.MinAmountOut) {
            minAmountOut = limitAmount;
        } else if (limitType == SwapLimit.Slippage) {
            require(limitAmount <= FixedPoint.ONE, 'SWAP_SLIPPAGE_ABOVE_ONE');
            uint256 price = getPrice(tokenIn, tokenOut);
            // No need for checked math as we are checking it manually beforehand
            // Always round up the expected min amount out. Limit amount is slippage.
            minAmountOut = amountIn.mulUp(price).mulUp(FixedPoint.ONE.uncheckedSub(limitAmount));
        } else {
            revert('SWAP_INVALID_LIMIT_TYPE');
        }

        uint256 preBalanceIn = IERC20(tokenIn).balanceOf(address(this));
        uint256 preBalanceOut = IERC20(tokenOut).balanceOf(address(this));
        swapConnector.swap(source, tokenIn, tokenOut, amountIn, minAmountOut, data);

        uint256 postBalanceIn = IERC20(tokenIn).balanceOf(address(this));
        require(postBalanceIn >= preBalanceIn - amountIn, 'SWAP_BAD_TOKEN_IN_BALANCE');

        uint256 amountOutBeforeFees = IERC20(tokenOut).balanceOf(address(this)) - preBalanceOut;
        require(amountOutBeforeFees >= minAmountOut, 'SWAP_MIN_AMOUNT');

        uint256 swapFeeAmount = _payFee(tokenOut, amountOutBeforeFees, swapFee);
        amountOut = amountOutBeforeFees - swapFeeAmount;
        emit Swap(source, tokenIn, tokenOut, amountIn, amountOut, minAmountOut, swapFeeAmount, data);
    }

    /**
     * @dev Bridge assets to another chain
     * @param source Source to request the bridge. It depends on the Bridge Connector attached to a Smart Vault.
     * @param chainId ID of the destination chain
     * @param token Address of the token to be bridged
     * @param amount Amount of tokens to be bridged
     * @param limitType Bridge limit to be applied: slippage or min amount out
     * @param limitAmount Amount of the swap limit to be applied depending on limitType
     * @param recipient Address that will receive the tokens on the destination chain
     * @param data Encoded data to specify different bridge parameters depending on the source picked
     * @return bridged Amount requested to be bridged after fees
     */
    function bridge(
        uint8 source,
        uint256 chainId,
        address token,
        uint256 amount,
        BridgeLimit limitType,
        uint256 limitAmount,
        address recipient,
        bytes memory data
    ) external override auth returns (uint256 bridged) {
        require(block.chainid != chainId, 'BRIDGE_SAME_CHAIN');
        require(recipient != address(0), 'BRIDGE_RECIPIENT_ZERO');
        require(bridgeConnector != address(0), 'BRIDGE_CONNECTOR_NOT_SET');

        uint256 bridgeFeeAmount = _payFee(token, amount, bridgeFee);
        bridged = amount - bridgeFeeAmount;

        uint256 minAmountOut;
        if (limitType == BridgeLimit.MinAmountOut) {
            minAmountOut = limitAmount;
        } else if (limitType == BridgeLimit.Slippage) {
            require(limitAmount <= FixedPoint.ONE, 'BRIDGE_SLIPPAGE_ABOVE_ONE');
            // No need for checked math as we are checking it manually beforehand
            // Always round up the expected min amount out. Limit amount is slippage.
            minAmountOut = bridged.mulUp(FixedPoint.ONE.uncheckedSub(limitAmount));
        } else {
            revert('BRIDGE_INVALID_LIMIT_TYPE');
        }

        uint256 preBalanceIn = IERC20(token).balanceOf(address(this));
        bridgeConnector.bridge(source, chainId, token, bridged, minAmountOut, recipient, data);
        uint256 postBalanceIn = IERC20(token).balanceOf(address(this));
        require(postBalanceIn >= preBalanceIn - bridged, 'BRIDGE_BAD_TOKEN_IN_BALANCE');

        emit Bridge(source, chainId, token, bridged, minAmountOut, bridgeFeeAmount, recipient, data);
    }

    /**
     * @dev Internal function to pay the amount of fees to be charged based on a fee configuration to the fee collector
     * @param token Token being charged
     * @param amount Token amount to be taxed with fees
     * @param fee Fee configuration to be applied
     * @return paidAmount Amount of fees paid to the fee collector
     */
    function _payFee(address token, uint256 amount, Fee storage fee) internal returns (uint256 paidAmount) {
        // Fee amounts are always rounded down
        uint256 feeAmount = amount.mulDown(fee.pct);

        // If cap amount or cap period are not set, charge the entire amount
        if (fee.token == address(0) || fee.cap == 0 || fee.period == 0) {
            _safeTransfer(token, feeCollector, feeAmount);
            return feeAmount;
        }

        // Reset cap totalizator if necessary
        if (block.timestamp >= fee.nextResetTime) {
            fee.totalCharged = 0;
            fee.nextResetTime = block.timestamp + fee.period;
        }

        // Calc fee amount in the fee token used for the cap
        uint256 feeTokenPrice = getPrice(token, fee.token);
        uint256 feeAmountInFeeToken = feeAmount.mulDown(feeTokenPrice);

        // Compute fee amount picking the minimum between the chargeable amount and the remaining part for the cap
        if (fee.totalCharged + feeAmountInFeeToken <= fee.cap) {
            paidAmount = feeAmount;
            fee.totalCharged += feeAmountInFeeToken;
        } else if (fee.totalCharged < fee.cap) {
            paidAmount = (fee.cap.uncheckedSub(fee.totalCharged) * feeAmount) / feeAmountInFeeToken;
            fee.totalCharged = fee.cap;
        } else {
            // This case is when the total charged amount is already greater than the cap amount. It could happen if
            // the cap amounts is decreased or if the cap token is changed. In this case the total charged amount is
            // not updated, and the amount to paid is zero.
            paidAmount = 0;
        }

        // Pay fee amount to the fee collector
        _safeTransfer(token, feeCollector, paidAmount);
    }

    /**
     * @dev Internal method to transfer ERC20 or native tokens from a Smart Vault
     * @param token Address of the ERC20 token to transfer
     * @param to Address transferring the tokens to
     * @param amount Amount of tokens to transfer
     */
    function _safeTransfer(address token, address to, uint256 amount) internal {
        if (amount == 0) return;
        if (Denominations.isNativeToken(token)) Address.sendValue(payable(to), amount);
        else IERC20(token).safeTransfer(to, amount);
    }

    /**
     * @dev Sets a new strategy as allowed or not
     * @param strategy Address of the strategy to be set
     * @param allowed Whether the strategy is allowed or not
     */
    function _setStrategy(address strategy, bool allowed) internal {
        if (allowed) _validateStatelessDependency(strategy);
        isStrategyAllowed[strategy] = allowed;
        emit StrategySet(strategy, allowed);
    }

    /**
     * @dev Sets a new price oracle
     * @param newPriceOracle New price oracle to be set
     */
    function _setPriceOracle(address newPriceOracle) internal {
        _validateStatelessDependency(newPriceOracle);
        priceOracle = newPriceOracle;
        emit PriceOracleSet(newPriceOracle);
    }

    /**
     * @dev Sets a new swap connector
     * @param newSwapConnector New swap connector to be set
     */
    function _setSwapConnector(address newSwapConnector) internal {
        _validateStatelessDependency(newSwapConnector);
        swapConnector = newSwapConnector;
        emit SwapConnectorSet(newSwapConnector);
    }

    /**
     * @dev Sets a new bridge connector
     * @param newBridgeConnector New bridge connector to be set
     */
    function _setBridgeConnector(address newBridgeConnector) internal {
        _validateStatelessDependency(newBridgeConnector);
        bridgeConnector = newBridgeConnector;
        emit BridgeConnectorSet(newBridgeConnector);
    }

    /**
     * @dev Internal method to set the fee collector
     * @param newFeeCollector New fee collector to be set
     */
    function _setFeeCollector(address newFeeCollector) internal {
        require(newFeeCollector != address(0), 'FEE_COLLECTOR_ZERO');
        feeCollector = newFeeCollector;
        emit FeeCollectorSet(newFeeCollector);
    }

    /**
     * @dev Internal method to set a new fee cap configuration
     * @param fee Fee configuration to be updated
     * @param pct Fee percentage to be set
     * @param cap New maximum amount of fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds
     */
    function _setFeeConfiguration(Fee storage fee, uint256 pct, uint256 cap, address token, uint256 period) internal {
        require(pct <= FixedPoint.ONE, 'FEE_PCT_ABOVE_ONE');

        // If there is no fee percentage, there must not be a fee cap
        bool isZeroCap = token == address(0) && cap == 0 && period == 0;
        require(pct != 0 || isZeroCap, 'INVALID_CAP_WITH_FEE_ZERO');

        // If there is a cap, all values must be non-zero
        bool isNonZeroCap = token != address(0) && cap != 0 && period != 0;
        require(isZeroCap || isNonZeroCap, 'INCONSISTENT_CAP_VALUES');

        // Changing the fee percentage does not affect the totalizator at all, it only affects future fee charges
        fee.pct = pct;

        // Changing the fee cap amount does not affect the totalizator, it only applies when changing the for the total
        // charged amount. Note that it can happen that the cap amount is lower than the total charged amount if the
        // cap amount is lowered. However, there shouldn't be any accounting issues with that.
        fee.cap = cap;

        // Changing the cap period only affects the end time of the next period, but not the end date of the current one
        fee.period = period;

        // Therefore, only clean the totalizators if the cap is being removed
        if (isZeroCap) {
            fee.totalCharged = 0;
            fee.nextResetTime = 0;
        } else {
            // If cap values are not zero, set the next reset time if it wasn't set already
            // Otherwise, if the cap token is being changed the total charged amount must be updated accordingly
            if (fee.nextResetTime == 0) {
                fee.nextResetTime = block.timestamp + period;
            } else if (fee.token != token) {
                uint256 newTokenPrice = getPrice(fee.token, token);
                fee.totalCharged = fee.totalCharged.mulDown(newTokenPrice);
            }
        }

        // Finally simply set the new requested token
        fee.token = token;
    }
}

File 2 of 42 : IBridgeConnector.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity >=0.8.0;

import '@mimic-fi/v2-registry/contracts/implementations/IImplementation.sol';

/**
 * @title IBridgeConnector
 * @dev Bridge Connector interface to bridge tokens between different chains. It must follow IImplementation interface.
 */
interface IBridgeConnector is IImplementation {
    /**
     * @dev Enum identifying the sources proposed: Hop only for now.
     */
    enum Source {
        Hop
    }

    /**
     * @dev Bridge assets to a different chain
     * @param source Source to execute the requested bridge op
     * @param chainId ID of the destination chain
     * @param token Address of the token to be bridged
     * @param amountIn Amount of tokens to be bridged
     * @param minAmountOut Minimum amount of tokens willing to receive on the destination chain
     * @param recipient Address that will receive the tokens on the destination chain
     * @param data ABI encoded data that will depend on the requested source
     */
    function bridge(
        uint8 source,
        uint256 chainId,
        address token,
        uint256 amountIn,
        uint256 minAmountOut,
        address recipient,
        bytes memory data
    ) external;
}

File 3 of 42 : Authorizer.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import './IAuthorizer.sol';

/**
 * @title Authorizer
 * @dev Authorization module to be used by contracts that need to implement permissions for their methods.
 * It provides a permissions model to list who is allowed to call what function in a contract. And only accounts
 * authorized to manage those permissions are the ones that are allowed to authorize or unauthorize accounts.
 */
contract Authorizer is IAuthorizer {
    // Constant used to denote that a permission is open to anyone
    address public constant ANY_ADDRESS = address(0xFFfFfFffFFfffFFfFFfFFFFFffFFFffffFfFFFfF);

    // Internal mapping to tell who is allowed to do what indexed by (account, function selector)
    mapping (address => mapping (bytes4 => bool)) private authorized;

    /**
     * @dev Modifier that should be used to tag protected functions
     */
    modifier auth() {
        _authenticate(msg.sender, msg.sig);
        _;
    }

    /**
     * @dev Tells whether someone is allowed to call a function or not. It returns true if it's allowed to anyone.
     * @param who Address asking permission for
     * @param what Function selector asking permission for
     */
    function isAuthorized(address who, bytes4 what) public view override returns (bool) {
        return authorized[ANY_ADDRESS][what] || authorized[who][what];
    }

    /**
     * @dev Authorizes someone to call a function. Sender must be authorize to do so.
     * @param who Address to be authorized
     * @param what Function selector to be granted
     */
    function authorize(address who, bytes4 what) external override auth {
        _authorize(who, what);
    }

    /**
     * @dev Unauthorizes someone to call a function. Sender must be authorize to do so.
     * @param who Address to be unauthorized
     * @param what Function selector to be revoked
     */
    function unauthorize(address who, bytes4 what) external override auth {
        _unauthorize(who, what);
    }

    /**
     * @dev Internal function to authenticate someone over a function.
     * It reverts if the given account is not authorized to call the requested function.
     * @param who Address to be authenticated
     * @param what Function selector to be authenticated
     */
    function _authenticate(address who, bytes4 what) internal view {
        require(isAuthorized(who, what), 'AUTH_SENDER_NOT_ALLOWED');
    }

    /**
     * @dev Internal function to authorize someone to call a function
     * @param who Address to be authorized
     * @param what Function selector to be granted
     */
    function _authorize(address who, bytes4 what) internal {
        authorized[who][what] = true;
        emit Authorized(who, what);
    }

    /**
     * @dev Internal function to unauthorize someone to call a function
     * @param who Address to be unauthorized
     * @param what Function selector to be revoked
     */
    function _unauthorize(address who, bytes4 what) internal {
        authorized[who][what] = false;
        emit Unauthorized(who, what);
    }
}

File 4 of 42 : IAuthorizer.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity >=0.8.0;

/**
 * @title IAuthorizer
 */
interface IAuthorizer {
    /**
     * @dev Emitted when an account is authorized to call a function
     */
    event Authorized(address indexed who, bytes4 what);

    /**
     * @dev Emitted when an account is unauthorized to call a function
     */
    event Unauthorized(address indexed who, bytes4 what);

    /**
     * @dev Authorizes someone to call a function. Sender must be authorize to do so.
     * @param who Address to be authorized
     * @param what Function selector to be granted
     */
    function authorize(address who, bytes4 what) external;

    /**
     * @dev Unauthorizes someone to call a function. Sender must be authorize to do so.
     * @param who Address to be unauthorized
     * @param what Function selector to be revoked
     */
    function unauthorize(address who, bytes4 what) external;

    /**
     * @dev Tells whether someone is allowed to call a function or not. It returns true if it's allowed to anyone.
     * @param who Address asking permission for
     * @param what Function selector asking permission for
     */
    function isAuthorized(address who, bytes4 what) external view returns (bool);
}

File 5 of 42 : FixedPoint.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

/**
 * @title FixedPoint
 * @dev Math library to operate with fixed point values with 18 decimals
 */
library FixedPoint {
    // 1 in fixed point value: 18 decimal places
    uint256 internal constant ONE = 1e18;

    /**
     * @dev Multiplies two fixed point numbers rounding down
     */
    function mulDown(uint256 a, uint256 b) internal pure returns (uint256) {
        unchecked {
            uint256 product = a * b;
            require(a == 0 || product / a == b, 'MUL_OVERFLOW');
            return product / ONE;
        }
    }

    /**
     * @dev Multiplies two fixed point numbers rounding up
     */
    function mulUp(uint256 a, uint256 b) internal pure returns (uint256) {
        unchecked {
            uint256 product = a * b;
            require(a == 0 || product / a == b, 'MUL_OVERFLOW');
            return product == 0 ? 0 : (((product - 1) / ONE) + 1);
        }
    }

    /**
     * @dev Divides two fixed point numbers rounding down
     */
    function divDown(uint256 a, uint256 b) internal pure returns (uint256) {
        unchecked {
            require(b != 0, 'ZERO_DIVISION');
            if (a == 0) return 0;
            uint256 aInflated = a * ONE;
            require(aInflated / a == ONE, 'DIV_INTERNAL');
            return aInflated / b;
        }
    }

    /**
     * @dev Divides two fixed point numbers rounding up
     */
    function divUp(uint256 a, uint256 b) internal pure returns (uint256) {
        unchecked {
            require(b != 0, 'ZERO_DIVISION');
            if (a == 0) return 0;
            uint256 aInflated = a * ONE;
            require(aInflated / a == ONE, 'DIV_INTERNAL');
            return ((aInflated - 1) / b) + 1;
        }
    }
}

File 6 of 42 : UncheckedMath.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

/**
 * @title UncheckedMath
 * @dev Math library to perform unchecked operations
 */
library UncheckedMath {
    /**
     * @dev Unsafely adds two unsigned integers
     */
    function uncheckedAdd(uint256 a, uint256 b) internal pure returns (uint256) {
        unchecked {
            return a + b;
        }
    }

    /**
     * @dev Unsafely subtracts two unsigned integers
     */
    function uncheckedSub(uint256 a, uint256 b) internal pure returns (uint256) {
        unchecked {
            return a - b;
        }
    }

    /**
     * @dev Unsafely multiplies two unsigned integers
     */
    function uncheckedMul(uint256 a, uint256 b) internal pure returns (uint256) {
        unchecked {
            return a * b;
        }
    }

    /**
     * @dev Unsafely multiplies two signed integers
     */
    function uncheckedMul(int256 a, int256 b) internal pure returns (int256) {
        unchecked {
            return a * b;
        }
    }

    /**
     * @dev Unsafely divides two unsigned integers
     */
    function uncheckedDiv(uint256 a, uint256 b) internal pure returns (uint256) {
        unchecked {
            return a / b;
        }
    }
}

File 7 of 42 : Denominations.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

/**
 * @title Denominations
 * @dev Provides a list of ground denominations for those tokens that cannot be represented by an ERC20.
 * For now, the only needed is the native token that could be ETH, MATIC, or other depending on the layer being operated.
 */
library Denominations {
    address internal constant NATIVE_TOKEN = 0xEeeeeEeeeEeEeeEeEeEeeEEEeeeeEeeeeeeeEEeE;

    function isNativeToken(address token) internal pure returns (bool) {
        return token == NATIVE_TOKEN;
    }
}

File 8 of 42 : IWrappedNativeToken.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

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

/**
 * @title IWrappedNativeToken
 */
interface IWrappedNativeToken is IERC20 {
    /**
     * @dev Wraps msg.value into the wrapped-native token
     */
    function deposit() external payable;

    /**
     * @dev Unwraps requested amount to the native token
     */
    function withdraw(uint256 amount) external;
}

File 9 of 42 : IPriceFeedProvider.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity >=0.8.0;

/**
 * @title IPriceFeedProvider
 * @dev Contract providing price feed references for (base, quote) token pairs
 */
interface IPriceFeedProvider {
    /**
     * @dev Emitted every time a price feed is set for (base, quote) pair
     */
    event PriceFeedSet(address indexed base, address indexed quote, address feed);

    /**
     * @dev Tells the price feed address for (base, quote) pair. It returns the zero address if there is no one set.
     * @param base Token to be rated
     * @param quote Token used for the price rate
     */
    function getPriceFeed(address base, address quote) external view returns (address);

    /**
     * @dev Sets a of price feed
     * @param base Token base to be set
     * @param quote Token quote to be set
     * @param feed Price feed to be set
     */
    function setPriceFeed(address base, address quote, address feed) external;

    /**
     * @dev Sets a list of price feeds
     * @param bases List of token bases to be set
     * @param quotes List of token quotes to be set
     * @param feeds List of price feeds to be set
     */
    function setPriceFeeds(address[] memory bases, address[] memory quotes, address[] memory feeds) external;
}

File 10 of 42 : PriceFeedProvider.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import '@mimic-fi/v2-helpers/contracts/math/UncheckedMath.sol';

import './IPriceFeedProvider.sol';

/**
 * @title IPriceFeedProvider
 * @dev Contract providing price feed references for (base, quote) token pairs
 */
contract PriceFeedProvider is IPriceFeedProvider {
    using UncheckedMath for uint256;

    // Mapping of price feeds from "token A" to "token B"
    mapping (address => mapping (address => address)) private _priceFeeds;

    /**
     * @dev Tells the price feed address for (base, quote) pair. It returns the zero address if there is no one set.
     * @param base Token to be rated
     * @param quote Token used for the price rate
     */
    function getPriceFeed(address base, address quote) external view override returns (address) {
        return _priceFeeds[base][quote];
    }

    /**
     * @dev Sets a of price feed
     * @param base Token base to be set
     * @param quote Token quote to be set
     * @param feed Price feed to be set
     */
    function setPriceFeed(address base, address quote, address feed) public virtual override {
        _priceFeeds[base][quote] = feed;
        emit PriceFeedSet(base, quote, feed);
    }

    /**
     * @dev Sets a list of price feeds. Sender must be authorized.
     * @param bases List of token bases to be set
     * @param quotes List of token quotes to be set
     * @param feeds List of price feeds to be set
     */
    function setPriceFeeds(address[] memory bases, address[] memory quotes, address[] memory feeds)
        public
        virtual
        override
    {
        require(bases.length == quotes.length, 'SET_FEEDS_INVALID_QUOTES_LENGTH');
        require(bases.length == feeds.length, 'SET_FEEDS_INVALID_FEEDS_LENGTH');
        for (uint256 i = 0; i < bases.length; i = i.uncheckedAdd(1)) setPriceFeed(bases[i], quotes[i], feeds[i]);
    }
}

File 11 of 42 : IPriceOracle.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity >=0.8.0;

import '@mimic-fi/v2-registry/contracts/implementations/IImplementation.sol';

/**
 * @title IPriceOracle
 * @dev Oracle that interfaces with external feeds to provide quotes for tokens based on any other token.
 * It must support also `IImplementation`.
 */
interface IPriceOracle is IImplementation {
    /**
     * @dev Tells the price of a token (base) in a given quote. The response is expressed using the corresponding
     * number of decimals so that when performing a fixed point product of it by a `base` amount it results in
     * a value expressed in `quote` decimals. For example, if `base` is ETH and `quote` is USDC, then the returned
     * value is expected to be expressed using 6 decimals:
     *
     * FixedPoint.mul(X[ETH], price[USDC/ETH]) = FixedPoint.mul(X[18], price[6]) = X * price [6]
     *
     * @param provider Contract providing the price feeds to use by the oracle
     * @param base Token to rate
     * @param quote Token used for the price rate
     */
    function getPrice(address provider, address base, address quote) external view returns (uint256);
}

File 12 of 42 : BaseImplementation.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import '@openzeppelin/contracts/proxy/utils/Initializable.sol';

import './IImplementation.sol';
import '../registry/IRegistry.sol';

/**
 * @title BaseImplementation
 * @dev This implementation contract comes with an immutable reference to an implementations registry where it should
 * be registered as well (checked during initialization). It allows requesting new instances of other registered
 * implementations to as another safety check to make sure valid instances are referenced in case it's needed.
 */
abstract contract BaseImplementation is IImplementation {
    // Immutable implementations registry reference
    address public immutable override registry;

    /**
     * @dev Creates a new BaseImplementation
     * @param _registry Address of the Mimic Registry where dependencies will be validated against
     */
    constructor(address _registry) {
        registry = _registry;
    }

    /**
     * @dev Internal function to validate a new dependency that must be registered as stateless.
     * It checks the new dependency is registered, not deprecated, and stateless.
     * @param dependency New stateless dependency to be set
     */
    function _validateStatelessDependency(address dependency) internal view {
        require(_validateDependency(dependency), 'DEPENDENCY_NOT_STATELESS');
    }

    /**
     * @dev Internal function to validate a new dependency that cannot be registered as stateless.
     * It checks the new dependency is registered, not deprecated, and not stateful.
     * @param dependency New stateful dependency to be set
     */
    function _validateStatefulDependency(address dependency) internal view {
        require(!_validateDependency(dependency), 'DEPENDENCY_NOT_STATEFUL');
    }

    /**
     * @dev Internal function to validate a new dependency. It checks the dependency is registered and not deprecated.
     * @param dependency New dependency to be set
     * @return Whether the dependency is stateless or not
     */
    function _validateDependency(address dependency) private view returns (bool) {
        (bool stateless, bool deprecated, bytes32 namespace) = IRegistry(registry).implementationData(dependency);
        require(namespace != bytes32(0), 'DEPENDENCY_NOT_REGISTERED');
        require(!deprecated, 'DEPENDENCY_DEPRECATED');
        return stateless;
    }
}

File 13 of 42 : IImplementation.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity >=0.8.0;

// solhint-disable func-name-mixedcase

/**
 * @title IImplementation
 * @dev Implementation interface that must be followed for implementations to be registered in the Mimic Registry
 */
interface IImplementation {
    /**
     * @dev Tells the namespace under which the implementation is registered in the Mimic Registry
     */
    function NAMESPACE() external view returns (bytes32);

    /**
     * @dev Tells the address of the Mimic Registry
     */
    function registry() external view returns (address);
}

File 14 of 42 : InitializableAuthorizedImplementation.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import '@mimic-fi/v2-helpers/contracts/auth/Authorizer.sol';

import './InitializableImplementation.sol';

/**
 * @title InitializableAuthorizedImplementation
 * @dev InitializableImplementation using the Authorizer mixin. Initializable implementations that want to use the
 * Authorizer permissions mechanism should inherit from this contract instead.
 */
abstract contract InitializableAuthorizedImplementation is InitializableImplementation, Authorizer {
    /**
     * @dev Creates a new InitializableAuthorizedImplementation
     * @param registry Address of the Mimic Registry
     */
    constructor(address registry) InitializableImplementation(registry) {
        // solhint-disable-previous-line no-empty-blocks
    }

    /**
     * @dev Initialization function that authorizes an admin account to authorize and unauthorize accounts.
     * Note this function can only be called from a function marked with the `initializer` modifier.
     * @param admin Address to be granted authorize and unauthorize permissions
     */
    function _initialize(address admin) internal onlyInitializing {
        _initialize();
        _authorize(admin, Authorizer.authorize.selector);
        _authorize(admin, Authorizer.unauthorize.selector);
    }
}

File 15 of 42 : InitializableImplementation.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import '@openzeppelin/contracts/proxy/utils/Initializable.sol';

import './BaseImplementation.sol';

/**
 * @title InitializableImplementation
 * @dev Implementation contract to be used through proxies. Inheriting contracts are meant to be initialized through
 * initialization functions instead of constructor functions. It allows re-using the same logic contract while making
 * deployments cheaper.
 */
abstract contract InitializableImplementation is BaseImplementation, Initializable {
    /**
     * @dev Creates a new BaseImplementation. Note that initializers are disabled at creation time.
     */
    constructor(address registry) BaseImplementation(registry) {
        _disableInitializers();
    }

    /**
     * @dev Initialization function.
     * Note this function can only be called from a function marked with the `initializer` modifier.
     */
    function _initialize() internal view onlyInitializing {
        // solhint-disable-previous-line no-empty-blocks
    }
}

File 16 of 42 : IRegistry.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity >=0.8.0;

import '@mimic-fi/v2-helpers/contracts/auth/IAuthorizer.sol';

/**
 * @title IRegistry
 * @dev Registry interface, it must follow the IAuthorizer interface.
 */
interface IRegistry is IAuthorizer {
    /**
     * @dev Emitted every time a new implementation is registered
     */
    event Registered(bytes32 indexed namespace, address indexed implementation, bool stateless);

    /**
     * @dev Emitted every time an implementation is deprecated
     */
    event Deprecated(bytes32 indexed namespace, address indexed implementation);

    /**
     * @dev Tells the data of an implementation:
     * @param implementation Address of the implementation to request it's data
     */
    function implementationData(address implementation)
        external
        view
        returns (bool stateless, bool deprecated, bytes32 namespace);

    /**
     * @dev Tells if a specific implementation is registered under a certain namespace and it's not deprecated
     * @param namespace Namespace asking for
     * @param implementation Address of the implementation to be checked
     */
    function isActive(bytes32 namespace, address implementation) external view returns (bool);

    /**
     * @dev Registers a new implementation for a given namespace
     * @param namespace Namespace to be used for the implementation
     * @param implementation Address of the implementation to be registered
     * @param stateless Whether the implementation is stateless or not
     */
    function register(bytes32 namespace, address implementation, bool stateless) external;

    /**
     * @dev Deprecates a registered implementation
     * @param implementation Address of the implementation to be deprecated
     */
    function deprecate(address implementation) external;
}

File 17 of 42 : IStrategy.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import '@mimic-fi/v2-registry/contracts/implementations/IImplementation.sol';

/**
 * @title IStrategy
 * @dev Strategy interface required by Mimic Smart Vaults. It must follow the IImplementation interface.
 */
interface IStrategy is IImplementation {
    /**
     * @dev Tokens accepted to join the strategy
     */
    function joinTokens() external view returns (address[] memory);

    /**
     * @dev Tokens accepted to exit the strategy
     */
    function exitTokens() external view returns (address[] memory);

    /**
     * @dev Tells how much a value unit means expressed in the asset token.
     * For example, if a strategy has a value of 100 in T0, and then it has a value of 120 in T1,
     * and the value rate is 1.5, it means the strategy has earned 30 strategy tokens between T0 and T1.
     */
    function valueRate() external view returns (uint256);

    /**
     * @dev Tells the last value an account has over time. Note this value can be outdated: there could be rewards to
     * be claimed that will affect the accrued value. For example, if an account has a value of 100 in T0, and then it
     * has a value of 120 in T1, it means it gained a 20% between T0 and T1.
     * @param account Address of the account querying the last value of
     */
    function lastValue(address account) external view returns (uint256);

    /**
     * @dev Claim any existing rewards
     * @param data Arbitrary extra data
     * @return tokens Addresses of the tokens received as rewards
     * @return amounts Amounts of the tokens received as rewards
     */
    function claim(bytes memory data) external returns (address[] memory tokens, uint256[] memory amounts);

    /**
     * @dev Join the interfaced DeFi protocol
     * @param tokensIn List of token addresses to join with
     * @param amountsIn List of token amounts to join with
     * @param slippage Slippage value to join with
     * @param data Arbitrary extra data
     * @return tokensOut List of token addresses received after the join
     * @return amountsOut List of token amounts received after the join
     * @return value Value represented by the joined amount
     */
    function join(address[] memory tokensIn, uint256[] memory amountsIn, uint256 slippage, bytes memory data)
        external
        returns (address[] memory tokensOut, uint256[] memory amountsOut, uint256 value);

    /**
     * @dev Exit the interfaced DeFi protocol
     * @param tokensIn List of token addresses to exit with
     * @param amountsIn List of token amounts to exit with
     * @param slippage Slippage value to exit with
     * @param data Arbitrary extra data
     * @return tokensOut List of token addresses received after the exit
     * @return amountsOut List of token amounts received after the exit
     * @return value Value represented by the exited amount
     */
    function exit(address[] memory tokensIn, uint256[] memory amountsIn, uint256 slippage, bytes memory data)
        external
        returns (address[] memory tokensOut, uint256[] memory amountsOut, uint256 value);
}

File 18 of 42 : ISwapConnector.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity >=0.8.0;

import '@mimic-fi/v2-registry/contracts/implementations/IImplementation.sol';

/**
 * @title ISwapConnector
 * @dev Swap Connector interface to perform token swaps. It must follow the IImplementation interface.
 */
interface ISwapConnector is IImplementation {
    /**
     * @dev Enum identifying the sources proposed: Uniswap V2, Uniswap V3, Balancer V2, Paraswap V5, 1inch V5, and Hop.
     */
    enum Source {
        UniswapV2,
        UniswapV3,
        BalancerV2,
        ParaswapV5,
        OneInchV5,
        Hop
    }

    /**
     * @dev Swaps two tokens
     * @param source Source to execute the requested swap
     * @param tokenIn Token being sent
     * @param tokenOut Token being received
     * @param amountIn Amount of tokenIn being swapped
     * @param minAmountOut Minimum amount of tokenOut willing to receive
     * @param data Encoded data to specify different swap parameters depending on the source picked
     */
    function swap(
        uint8 source,
        address tokenIn,
        address tokenOut,
        uint256 amountIn,
        uint256 minAmountOut,
        bytes memory data
    ) external returns (uint256 amountOut);
}

File 19 of 42 : Clones.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (proxy/Clones.sol)

pragma solidity ^0.8.0;

/**
 * @dev https://eips.ethereum.org/EIPS/eip-1167[EIP 1167] is a standard for
 * deploying minimal proxy contracts, also known as "clones".
 *
 * > To simply and cheaply clone contract functionality in an immutable way, this standard specifies
 * > a minimal bytecode implementation that delegates all calls to a known, fixed address.
 *
 * The library includes functions to deploy a proxy using either `create` (traditional deployment) or `create2`
 * (salted deterministic deployment). It also includes functions to predict the addresses of clones deployed using the
 * deterministic method.
 *
 * _Available since v3.4._
 */
library Clones {
    /**
     * @dev Deploys and returns the address of a clone that mimics the behaviour of `implementation`.
     *
     * This function uses the create opcode, which should never revert.
     */
    function clone(address implementation) internal returns (address instance) {
        /// @solidity memory-safe-assembly
        assembly {
            let ptr := mload(0x40)
            mstore(ptr, 0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000000000000000000000)
            mstore(add(ptr, 0x14), shl(0x60, implementation))
            mstore(add(ptr, 0x28), 0x5af43d82803e903d91602b57fd5bf30000000000000000000000000000000000)
            instance := create(0, ptr, 0x37)
        }
        require(instance != address(0), "ERC1167: create failed");
    }

    /**
     * @dev Deploys and returns the address of a clone that mimics the behaviour of `implementation`.
     *
     * This function uses the create2 opcode and a `salt` to deterministically deploy
     * the clone. Using the same `implementation` and `salt` multiple time will revert, since
     * the clones cannot be deployed twice at the same address.
     */
    function cloneDeterministic(address implementation, bytes32 salt) internal returns (address instance) {
        /// @solidity memory-safe-assembly
        assembly {
            let ptr := mload(0x40)
            mstore(ptr, 0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000000000000000000000)
            mstore(add(ptr, 0x14), shl(0x60, implementation))
            mstore(add(ptr, 0x28), 0x5af43d82803e903d91602b57fd5bf30000000000000000000000000000000000)
            instance := create2(0, ptr, 0x37, salt)
        }
        require(instance != address(0), "ERC1167: create2 failed");
    }

    /**
     * @dev Computes the address of a clone deployed using {Clones-cloneDeterministic}.
     */
    function predictDeterministicAddress(
        address implementation,
        bytes32 salt,
        address deployer
    ) internal pure returns (address predicted) {
        /// @solidity memory-safe-assembly
        assembly {
            let ptr := mload(0x40)
            mstore(ptr, 0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000000000000000000000)
            mstore(add(ptr, 0x14), shl(0x60, implementation))
            mstore(add(ptr, 0x28), 0x5af43d82803e903d91602b57fd5bf3ff00000000000000000000000000000000)
            mstore(add(ptr, 0x38), shl(0x60, deployer))
            mstore(add(ptr, 0x4c), salt)
            mstore(add(ptr, 0x6c), keccak256(ptr, 0x37))
            predicted := keccak256(add(ptr, 0x37), 0x55)
        }
    }

    /**
     * @dev Computes the address of a clone deployed using {Clones-cloneDeterministic}.
     */
    function predictDeterministicAddress(address implementation, bytes32 salt)
        internal
        view
        returns (address predicted)
    {
        return predictDeterministicAddress(implementation, salt, address(this));
    }
}

File 20 of 42 : Initializable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (proxy/utils/Initializable.sol)

pragma solidity ^0.8.2;

import "../../utils/Address.sol";

/**
 * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed
 * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an
 * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer
 * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect.
 *
 * The initialization functions use a version number. Once a version number is used, it is consumed and cannot be
 * reused. This mechanism prevents re-execution of each "step" but allows the creation of new initialization steps in
 * case an upgrade adds a module that needs to be initialized.
 *
 * For example:
 *
 * [.hljs-theme-light.nopadding]
 * ```
 * contract MyToken is ERC20Upgradeable {
 *     function initialize() initializer public {
 *         __ERC20_init("MyToken", "MTK");
 *     }
 * }
 * contract MyTokenV2 is MyToken, ERC20PermitUpgradeable {
 *     function initializeV2() reinitializer(2) public {
 *         __ERC20Permit_init("MyToken");
 *     }
 * }
 * ```
 *
 * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as
 * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}.
 *
 * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure
 * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity.
 *
 * [CAUTION]
 * ====
 * Avoid leaving a contract uninitialized.
 *
 * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation
 * contract, which may impact the proxy. To prevent the implementation contract from being used, you should invoke
 * the {_disableInitializers} function in the constructor to automatically lock it when it is deployed:
 *
 * [.hljs-theme-light.nopadding]
 * ```
 * /// @custom:oz-upgrades-unsafe-allow constructor
 * constructor() {
 *     _disableInitializers();
 * }
 * ```
 * ====
 */
abstract contract Initializable {
    /**
     * @dev Indicates that the contract has been initialized.
     * @custom:oz-retyped-from bool
     */
    uint8 private _initialized;

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

    /**
     * @dev Triggered when the contract has been initialized or reinitialized.
     */
    event Initialized(uint8 version);

    /**
     * @dev A modifier that defines a protected initializer function that can be invoked at most once. In its scope,
     * `onlyInitializing` functions can be used to initialize parent contracts. Equivalent to `reinitializer(1)`.
     */
    modifier initializer() {
        bool isTopLevelCall = !_initializing;
        require(
            (isTopLevelCall && _initialized < 1) || (!Address.isContract(address(this)) && _initialized == 1),
            "Initializable: contract is already initialized"
        );
        _initialized = 1;
        if (isTopLevelCall) {
            _initializing = true;
        }
        _;
        if (isTopLevelCall) {
            _initializing = false;
            emit Initialized(1);
        }
    }

    /**
     * @dev A modifier that defines a protected reinitializer function that can be invoked at most once, and only if the
     * contract hasn't been initialized to a greater version before. In its scope, `onlyInitializing` functions can be
     * used to initialize parent contracts.
     *
     * `initializer` is equivalent to `reinitializer(1)`, so a reinitializer may be used after the original
     * initialization step. This is essential to configure modules that are added through upgrades and that require
     * initialization.
     *
     * Note that versions can jump in increments greater than 1; this implies that if multiple reinitializers coexist in
     * a contract, executing them in the right order is up to the developer or operator.
     */
    modifier reinitializer(uint8 version) {
        require(!_initializing && _initialized < version, "Initializable: contract is already initialized");
        _initialized = version;
        _initializing = true;
        _;
        _initializing = false;
        emit Initialized(version);
    }

    /**
     * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the
     * {initializer} and {reinitializer} modifiers, directly or indirectly.
     */
    modifier onlyInitializing() {
        require(_initializing, "Initializable: contract is not initializing");
        _;
    }

    /**
     * @dev Locks the contract, preventing any future reinitialization. This cannot be part of an initializer call.
     * Calling this in the constructor of a contract will prevent that contract from being initialized or reinitialized
     * to any version. It is recommended to use this to lock implementation contracts that are designed to be called
     * through proxies.
     */
    function _disableInitializers() internal virtual {
        require(!_initializing, "Initializable: contract is initializing");
        if (_initialized < type(uint8).max) {
            _initialized = type(uint8).max;
            emit Initialized(type(uint8).max);
        }
    }
}

File 21 of 42 : ERC20.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (token/ERC20/ERC20.sol)

pragma solidity ^0.8.0;

import "./IERC20.sol";
import "./extensions/IERC20Metadata.sol";
import "../../utils/Context.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 Contracts guidelines: functions revert
 * instead 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, IERC20Metadata {
    mapping(address => uint256) private _balances;

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

    uint256 private _totalSupply;

    string private _name;
    string private _symbol;

    /**
     * @dev Sets the values for {name} and {symbol}.
     *
     * The default value of {decimals} is 18. To select a different value for
     * {decimals} you should overload it.
     *
     * All two of these values are immutable: they can only be set once during
     * construction.
     */
    constructor(string memory name_, string memory symbol_) {
        _name = name_;
        _symbol = symbol_;
    }

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

    /**
     * @dev Returns the symbol of the token, usually a shorter version of the
     * name.
     */
    function symbol() public view virtual override 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 this function is
     * overridden;
     *
     * 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 virtual override returns (uint8) {
        return 18;
    }

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

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

    /**
     * @dev See {IERC20-transfer}.
     *
     * Requirements:
     *
     * - `to` cannot be the zero address.
     * - the caller must have a balance of at least `amount`.
     */
    function transfer(address to, uint256 amount) public virtual override returns (bool) {
        address owner = _msgSender();
        _transfer(owner, to, 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}.
     *
     * NOTE: If `amount` is the maximum `uint256`, the allowance is not updated on
     * `transferFrom`. This is semantically equivalent to an infinite approval.
     *
     * Requirements:
     *
     * - `spender` cannot be the zero address.
     */
    function approve(address spender, uint256 amount) public virtual override returns (bool) {
        address owner = _msgSender();
        _approve(owner, 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}.
     *
     * NOTE: Does not update the allowance if the current allowance
     * is the maximum `uint256`.
     *
     * Requirements:
     *
     * - `from` and `to` cannot be the zero address.
     * - `from` must have a balance of at least `amount`.
     * - the caller must have allowance for ``from``'s tokens of at least
     * `amount`.
     */
    function transferFrom(
        address from,
        address to,
        uint256 amount
    ) public virtual override returns (bool) {
        address spender = _msgSender();
        _spendAllowance(from, spender, amount);
        _transfer(from, to, amount);
        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) {
        address owner = _msgSender();
        _approve(owner, spender, allowance(owner, spender) + 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) {
        address owner = _msgSender();
        uint256 currentAllowance = allowance(owner, spender);
        require(currentAllowance >= subtractedValue, "ERC20: decreased allowance below zero");
        unchecked {
            _approve(owner, spender, currentAllowance - subtractedValue);
        }

        return true;
    }

    /**
     * @dev Moves `amount` of tokens from `from` to `to`.
     *
     * This 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:
     *
     * - `from` cannot be the zero address.
     * - `to` cannot be the zero address.
     * - `from` must have a balance of at least `amount`.
     */
    function _transfer(
        address from,
        address to,
        uint256 amount
    ) internal virtual {
        require(from != address(0), "ERC20: transfer from the zero address");
        require(to != address(0), "ERC20: transfer to the zero address");

        _beforeTokenTransfer(from, to, amount);

        uint256 fromBalance = _balances[from];
        require(fromBalance >= amount, "ERC20: transfer amount exceeds balance");
        unchecked {
            _balances[from] = fromBalance - amount;
        }
        _balances[to] += amount;

        emit Transfer(from, to, amount);

        _afterTokenTransfer(from, to, 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:
     *
     * - `account` 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 += amount;
        _balances[account] += amount;
        emit Transfer(address(0), account, amount);

        _afterTokenTransfer(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);

        uint256 accountBalance = _balances[account];
        require(accountBalance >= amount, "ERC20: burn amount exceeds balance");
        unchecked {
            _balances[account] = accountBalance - amount;
        }
        _totalSupply -= amount;

        emit Transfer(account, address(0), amount);

        _afterTokenTransfer(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 Updates `owner` s allowance for `spender` based on spent `amount`.
     *
     * Does not update the allowance amount in case of infinite allowance.
     * Revert if not enough allowance is available.
     *
     * Might emit an {Approval} event.
     */
    function _spendAllowance(
        address owner,
        address spender,
        uint256 amount
    ) internal virtual {
        uint256 currentAllowance = allowance(owner, spender);
        if (currentAllowance != type(uint256).max) {
            require(currentAllowance >= amount, "ERC20: insufficient allowance");
            unchecked {
                _approve(owner, spender, currentAllowance - amount);
            }
        }
    }

    /**
     * @dev Hook that is called before any transfer of tokens. This includes
     * minting and burning.
     *
     * Calling conditions:
     *
     * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens
     * will be 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 {}

    /**
     * @dev Hook that is called after any transfer of tokens. This includes
     * minting and burning.
     *
     * Calling conditions:
     *
     * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens
     * has been transferred to `to`.
     * - when `from` is zero, `amount` tokens have been minted for `to`.
     * - when `to` is zero, `amount` of ``from``'s tokens have been 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 _afterTokenTransfer(
        address from,
        address to,
        uint256 amount
    ) internal virtual {}
}

File 22 of 42 : draft-IERC20Permit.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/draft-IERC20Permit.sol)

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC20 Permit extension allowing approvals to be made via signatures, as defined in
 * https://eips.ethereum.org/EIPS/eip-2612[EIP-2612].
 *
 * Adds the {permit} method, which can be used to change an account's ERC20 allowance (see {IERC20-allowance}) by
 * presenting a message signed by the account. By not relying on {IERC20-approve}, the token holder account doesn't
 * need to send a transaction, and thus is not required to hold Ether at all.
 */
interface IERC20Permit {
    /**
     * @dev Sets `value` as the allowance of `spender` over ``owner``'s tokens,
     * given ``owner``'s signed approval.
     *
     * IMPORTANT: The same issues {IERC20-approve} has related to transaction
     * ordering also apply here.
     *
     * Emits an {Approval} event.
     *
     * Requirements:
     *
     * - `spender` cannot be the zero address.
     * - `deadline` must be a timestamp in the future.
     * - `v`, `r` and `s` must be a valid `secp256k1` signature from `owner`
     * over the EIP712-formatted function arguments.
     * - the signature must use ``owner``'s current nonce (see {nonces}).
     *
     * For more information on the signature format, see the
     * https://eips.ethereum.org/EIPS/eip-2612#specification[relevant EIP
     * section].
     */
    function permit(
        address owner,
        address spender,
        uint256 value,
        uint256 deadline,
        uint8 v,
        bytes32 r,
        bytes32 s
    ) external;

    /**
     * @dev Returns the current nonce for `owner`. This value must be
     * included whenever a signature is generated for {permit}.
     *
     * Every successful call to {permit} increases ``owner``'s nonce by one. This
     * prevents a signature from being used multiple times.
     */
    function nonces(address owner) external view returns (uint256);

    /**
     * @dev Returns the domain separator used in the encoding of the signature for {permit}, as defined by {EIP712}.
     */
    // solhint-disable-next-line func-name-mixedcase
    function DOMAIN_SEPARATOR() external view returns (bytes32);
}

File 23 of 42 : IERC20Metadata.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/IERC20Metadata.sol)

pragma solidity ^0.8.0;

import "../IERC20.sol";

/**
 * @dev Interface for the optional metadata functions from the ERC20 standard.
 *
 * _Available since v4.1._
 */
interface IERC20Metadata is IERC20 {
    /**
     * @dev Returns the name of the token.
     */
    function name() external view returns (string memory);

    /**
     * @dev Returns the symbol of the token.
     */
    function symbol() external view returns (string memory);

    /**
     * @dev Returns the decimals places of the token.
     */
    function decimals() external view returns (uint8);
}

File 24 of 42 : IERC20.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.6.0) (token/ERC20/IERC20.sol)

pragma solidity ^0.8.0;

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

    /**
     * @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 `to`.
     *
     * Returns a boolean value indicating whether the operation succeeded.
     *
     * Emits a {Transfer} event.
     */
    function transfer(address to, 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 `from` to `to` 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 from,
        address to,
        uint256 amount
    ) external returns (bool);
}

File 25 of 42 : SafeERC20.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (token/ERC20/utils/SafeERC20.sol)

pragma solidity ^0.8.0;

import "../IERC20.sol";
import "../extensions/draft-IERC20Permit.sol";
import "../../../utils/Address.sol";

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

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

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

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

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

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

    function safePermit(
        IERC20Permit token,
        address owner,
        address spender,
        uint256 value,
        uint256 deadline,
        uint8 v,
        bytes32 r,
        bytes32 s
    ) internal {
        uint256 nonceBefore = token.nonces(owner);
        token.permit(owner, spender, value, deadline, v, r, s);
        uint256 nonceAfter = token.nonces(owner);
        require(nonceAfter == nonceBefore + 1, "SafeERC20: permit did not succeed");
    }

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

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

File 26 of 42 : Address.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (utils/Address.sol)

pragma solidity ^0.8.1;

/**
 * @dev Collection of functions related to the address type
 */
library Address {
    /**
     * @dev Returns true if `account` is a contract.
     *
     * [IMPORTANT]
     * ====
     * It is unsafe to assume that an address for which this function returns
     * false is an externally-owned account (EOA) and not a contract.
     *
     * Among others, `isContract` will return false for the following
     * types of addresses:
     *
     *  - an externally-owned account
     *  - a contract in construction
     *  - an address where a contract will be created
     *  - an address where a contract lived, but was destroyed
     * ====
     *
     * [IMPORTANT]
     * ====
     * You shouldn't rely on `isContract` to protect against flash loan attacks!
     *
     * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets
     * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract
     * constructor.
     * ====
     */
    function isContract(address account) internal view returns (bool) {
        // This method relies on extcodesize/address.code.length, which returns 0
        // for contracts in construction, since the code is only stored at the end
        // of the constructor execution.

        return account.code.length > 0;
    }

    /**
     * @dev Replacement for Solidity's `transfer`: sends `amount` wei to
     * `recipient`, forwarding all available gas and reverting on errors.
     *
     * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
     * of certain opcodes, possibly making contracts go over the 2300 gas limit
     * imposed by `transfer`, making them unable to receive funds via
     * `transfer`. {sendValue} removes this limitation.
     *
     * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
     *
     * IMPORTANT: because control is transferred to `recipient`, care must be
     * taken to not create reentrancy vulnerabilities. Consider using
     * {ReentrancyGuard} or the
     * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
     */
    function sendValue(address payable recipient, uint256 amount) internal {
        require(address(this).balance >= amount, "Address: insufficient balance");

        (bool success, ) = recipient.call{value: amount}("");
        require(success, "Address: unable to send value, recipient may have reverted");
    }

    /**
     * @dev Performs a Solidity function call using a low level `call`. A
     * plain `call` is an unsafe replacement for a function call: use this
     * function instead.
     *
     * If `target` reverts with a revert reason, it is bubbled up by this
     * function (like regular Solidity function calls).
     *
     * Returns the raw returned data. To convert to the expected return value,
     * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`].
     *
     * Requirements:
     *
     * - `target` must be a contract.
     * - calling `target` with `data` must not revert.
     *
     * _Available since v3.1._
     */
    function functionCall(address target, bytes memory data) internal returns (bytes memory) {
        return functionCall(target, data, "Address: low-level call failed");
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
     * `errorMessage` as a fallback revert reason when `target` reverts.
     *
     * _Available since v3.1._
     */
    function functionCall(
        address target,
        bytes memory data,
        string memory errorMessage
    ) internal returns (bytes memory) {
        return functionCallWithValue(target, data, 0, errorMessage);
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
     * but also transferring `value` wei to `target`.
     *
     * Requirements:
     *
     * - the calling contract must have an ETH balance of at least `value`.
     * - the called Solidity function must be `payable`.
     *
     * _Available since v3.1._
     */
    function functionCallWithValue(
        address target,
        bytes memory data,
        uint256 value
    ) internal returns (bytes memory) {
        return functionCallWithValue(target, data, value, "Address: low-level call with value failed");
    }

    /**
     * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but
     * with `errorMessage` as a fallback revert reason when `target` reverts.
     *
     * _Available since v3.1._
     */
    function functionCallWithValue(
        address target,
        bytes memory data,
        uint256 value,
        string memory errorMessage
    ) internal returns (bytes memory) {
        require(address(this).balance >= value, "Address: insufficient balance for call");
        require(isContract(target), "Address: call to non-contract");

        (bool success, bytes memory returndata) = target.call{value: value}(data);
        return verifyCallResult(success, returndata, errorMessage);
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
     * but performing a static call.
     *
     * _Available since v3.3._
     */
    function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) {
        return functionStaticCall(target, data, "Address: low-level static call failed");
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
     * but performing a static call.
     *
     * _Available since v3.3._
     */
    function functionStaticCall(
        address target,
        bytes memory data,
        string memory errorMessage
    ) internal view returns (bytes memory) {
        require(isContract(target), "Address: static call to non-contract");

        (bool success, bytes memory returndata) = target.staticcall(data);
        return verifyCallResult(success, returndata, errorMessage);
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
     * but performing a delegate call.
     *
     * _Available since v3.4._
     */
    function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) {
        return functionDelegateCall(target, data, "Address: low-level delegate call failed");
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
     * but performing a delegate call.
     *
     * _Available since v3.4._
     */
    function functionDelegateCall(
        address target,
        bytes memory data,
        string memory errorMessage
    ) internal returns (bytes memory) {
        require(isContract(target), "Address: delegate call to non-contract");

        (bool success, bytes memory returndata) = target.delegatecall(data);
        return verifyCallResult(success, returndata, errorMessage);
    }

    /**
     * @dev Tool to verifies that a low level call was successful, and revert if it wasn't, either by bubbling the
     * revert reason using the provided one.
     *
     * _Available since v4.3._
     */
    function verifyCallResult(
        bool success,
        bytes memory returndata,
        string memory errorMessage
    ) internal pure returns (bytes memory) {
        if (success) {
            return returndata;
        } else {
            // Look for revert reason and bubble it up if present
            if (returndata.length > 0) {
                // The easiest way to bubble the revert reason is using memory via assembly
                /// @solidity memory-safe-assembly
                assembly {
                    let returndata_size := mload(returndata)
                    revert(add(32, returndata), returndata_size)
                }
            } else {
                revert(errorMessage);
            }
        }
    }
}

File 27 of 42 : Context.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/Context.sol)

pragma solidity ^0.8.0;

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

    function _msgData() internal view virtual returns (bytes calldata) {
        return msg.data;
    }
}

File 28 of 42 : Math.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (utils/math/Math.sol)

pragma solidity ^0.8.0;

/**
 * @dev Standard math utilities missing in the Solidity language.
 */
library Math {
    enum Rounding {
        Down, // Toward negative infinity
        Up, // Toward infinity
        Zero // Toward zero
    }

    /**
     * @dev Returns the largest of two numbers.
     */
    function max(uint256 a, uint256 b) internal pure returns (uint256) {
        return a >= b ? a : b;
    }

    /**
     * @dev Returns the smallest of two numbers.
     */
    function min(uint256 a, uint256 b) internal pure returns (uint256) {
        return a < b ? a : b;
    }

    /**
     * @dev Returns the average of two numbers. The result is rounded towards
     * zero.
     */
    function average(uint256 a, uint256 b) internal pure returns (uint256) {
        // (a + b) / 2 can overflow.
        return (a & b) + (a ^ b) / 2;
    }

    /**
     * @dev Returns the ceiling of the division of two numbers.
     *
     * This differs from standard division with `/` in that it rounds up instead
     * of rounding down.
     */
    function ceilDiv(uint256 a, uint256 b) internal pure returns (uint256) {
        // (a + b - 1) / b can overflow on addition, so we distribute.
        return a == 0 ? 0 : (a - 1) / b + 1;
    }

    /**
     * @notice Calculates floor(x * y / denominator) with full precision. Throws if result overflows a uint256 or denominator == 0
     * @dev Original credit to Remco Bloemen under MIT license (https://xn--2-umb.com/21/muldiv)
     * with further edits by Uniswap Labs also under MIT license.
     */
    function mulDiv(
        uint256 x,
        uint256 y,
        uint256 denominator
    ) internal pure returns (uint256 result) {
        unchecked {
            // 512-bit multiply [prod1 prod0] = x * y. Compute the product mod 2^256 and mod 2^256 - 1, then use
            // use the Chinese Remainder Theorem to reconstruct the 512 bit result. The result is stored in two 256
            // variables such that product = prod1 * 2^256 + prod0.
            uint256 prod0; // Least significant 256 bits of the product
            uint256 prod1; // Most significant 256 bits of the product
            assembly {
                let mm := mulmod(x, y, not(0))
                prod0 := mul(x, y)
                prod1 := sub(sub(mm, prod0), lt(mm, prod0))
            }

            // Handle non-overflow cases, 256 by 256 division.
            if (prod1 == 0) {
                return prod0 / denominator;
            }

            // Make sure the result is less than 2^256. Also prevents denominator == 0.
            require(denominator > prod1);

            ///////////////////////////////////////////////
            // 512 by 256 division.
            ///////////////////////////////////////////////

            // Make division exact by subtracting the remainder from [prod1 prod0].
            uint256 remainder;
            assembly {
                // Compute remainder using mulmod.
                remainder := mulmod(x, y, denominator)

                // Subtract 256 bit number from 512 bit number.
                prod1 := sub(prod1, gt(remainder, prod0))
                prod0 := sub(prod0, remainder)
            }

            // Factor powers of two out of denominator and compute largest power of two divisor of denominator. Always >= 1.
            // See https://cs.stackexchange.com/q/138556/92363.

            // Does not overflow because the denominator cannot be zero at this stage in the function.
            uint256 twos = denominator & (~denominator + 1);
            assembly {
                // Divide denominator by twos.
                denominator := div(denominator, twos)

                // Divide [prod1 prod0] by twos.
                prod0 := div(prod0, twos)

                // Flip twos such that it is 2^256 / twos. If twos is zero, then it becomes one.
                twos := add(div(sub(0, twos), twos), 1)
            }

            // Shift in bits from prod1 into prod0.
            prod0 |= prod1 * twos;

            // Invert denominator mod 2^256. Now that denominator is an odd number, it has an inverse modulo 2^256 such
            // that denominator * inv = 1 mod 2^256. Compute the inverse by starting with a seed that is correct for
            // four bits. That is, denominator * inv = 1 mod 2^4.
            uint256 inverse = (3 * denominator) ^ 2;

            // Use the Newton-Raphson iteration to improve the precision. Thanks to Hensel's lifting lemma, this also works
            // in modular arithmetic, doubling the correct bits in each step.
            inverse *= 2 - denominator * inverse; // inverse mod 2^8
            inverse *= 2 - denominator * inverse; // inverse mod 2^16
            inverse *= 2 - denominator * inverse; // inverse mod 2^32
            inverse *= 2 - denominator * inverse; // inverse mod 2^64
            inverse *= 2 - denominator * inverse; // inverse mod 2^128
            inverse *= 2 - denominator * inverse; // inverse mod 2^256

            // Because the division is now exact we can divide by multiplying with the modular inverse of denominator.
            // This will give us the correct result modulo 2^256. Since the preconditions guarantee that the outcome is
            // less than 2^256, this is the final result. We don't need to compute the high bits of the result and prod1
            // is no longer required.
            result = prod0 * inverse;
            return result;
        }
    }

    /**
     * @notice Calculates x * y / denominator with full precision, following the selected rounding direction.
     */
    function mulDiv(
        uint256 x,
        uint256 y,
        uint256 denominator,
        Rounding rounding
    ) internal pure returns (uint256) {
        uint256 result = mulDiv(x, y, denominator);
        if (rounding == Rounding.Up && mulmod(x, y, denominator) > 0) {
            result += 1;
        }
        return result;
    }

    /**
     * @dev Returns the square root of a number. It the number is not a perfect square, the value is rounded down.
     *
     * Inspired by Henry S. Warren, Jr.'s "Hacker's Delight" (Chapter 11).
     */
    function sqrt(uint256 a) internal pure returns (uint256) {
        if (a == 0) {
            return 0;
        }

        // For our first guess, we get the biggest power of 2 which is smaller than the square root of the target.
        // We know that the "msb" (most significant bit) of our target number `a` is a power of 2 such that we have
        // `msb(a) <= a < 2*msb(a)`.
        // We also know that `k`, the position of the most significant bit, is such that `msb(a) = 2**k`.
        // This gives `2**k < a <= 2**(k+1)` → `2**(k/2) <= sqrt(a) < 2 ** (k/2+1)`.
        // Using an algorithm similar to the msb conmputation, we are able to compute `result = 2**(k/2)` which is a
        // good first aproximation of `sqrt(a)` with at least 1 correct bit.
        uint256 result = 1;
        uint256 x = a;
        if (x >> 128 > 0) {
            x >>= 128;
            result <<= 64;
        }
        if (x >> 64 > 0) {
            x >>= 64;
            result <<= 32;
        }
        if (x >> 32 > 0) {
            x >>= 32;
            result <<= 16;
        }
        if (x >> 16 > 0) {
            x >>= 16;
            result <<= 8;
        }
        if (x >> 8 > 0) {
            x >>= 8;
            result <<= 4;
        }
        if (x >> 4 > 0) {
            x >>= 4;
            result <<= 2;
        }
        if (x >> 2 > 0) {
            result <<= 1;
        }

        // At this point `result` is an estimation with one bit of precision. We know the true value is a uint128,
        // since it is the square root of a uint256. Newton's method converges quadratically (precision doubles at
        // every iteration). We thus need at most 7 iteration to turn our partial result with one bit of precision
        // into the expected uint128 result.
        unchecked {
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            return min(result, a / result);
        }
    }

    /**
     * @notice Calculates sqrt(a), following the selected rounding direction.
     */
    function sqrt(uint256 a, Rounding rounding) internal pure returns (uint256) {
        uint256 result = sqrt(a);
        if (rounding == Rounding.Up && result * result < a) {
            result += 1;
        }
        return result;
    }
}

File 29 of 42 : BridgeConnectorLib.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

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

import '@mimic-fi/v2-bridge-connector/contracts/IBridgeConnector.sol';

/**
 * @title BridgeConnectorLib
 * @dev Library used to delegate-call bridge ops and decode return data correctly
 */
library BridgeConnectorLib {
    /**
     * @dev Delegate-calls a bridge to the bridge connector and decodes de expected data
     * IMPORTANT! This helper method does not check any of the given params, these should be checked beforehand.
     */
    function bridge(
        address connector,
        uint8 source,
        uint256 chainId,
        address token,
        uint256 amountIn,
        uint256 minAmountOut,
        address recipient,
        bytes memory data
    ) internal {
        bytes memory bridgeData = abi.encodeWithSelector(
            IBridgeConnector.bridge.selector,
            source,
            chainId,
            token,
            amountIn,
            minAmountOut,
            recipient,
            data
        );

        // solhint-disable-next-line avoid-low-level-calls
        (bool success, bytes memory returndata) = connector.delegatecall(bridgeData);
        Address.verifyCallResult(success, returndata, 'BRIDGE_CALL_REVERTED');
    }
}

File 30 of 42 : StrategyLib.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

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

import '@mimic-fi/v2-strategies/contracts/IStrategy.sol';

/**
 * @title StrategyLib
 * @dev Library used to delegate-call to strategy and decode return data correctly
 */
library StrategyLib {
    /**
     * @dev Delegate-calls a claim to a strategy and decodes de expected data
     * IMPORTANT! This helper method does not check any of the given params, these should be checked beforehand.
     */
    function claim(address strategy, bytes memory data) internal returns (address[] memory, uint256[] memory) {
        bytes memory claimData = abi.encodeWithSelector(IStrategy.claim.selector, data);

        // solhint-disable-next-line avoid-low-level-calls
        (bool success, bytes memory returndata) = strategy.delegatecall(claimData);
        Address.verifyCallResult(success, returndata, 'CLAIM_CALL_REVERTED');
        return abi.decode(returndata, (address[], uint256[]));
    }

    /**
     * @dev Delegate-calls a join to a strategy and decodes de expected data
     * IMPORTANT! This helper method does not check any of the given params, these should be checked beforehand.
     */
    function join(
        address strategy,
        address[] memory tokensIn,
        uint256[] memory amountsIn,
        uint256 slippage,
        bytes memory data
    ) internal returns (address[] memory tokensOut, uint256[] memory amountsOut, uint256 value) {
        bytes memory joinData = abi.encodeWithSelector(IStrategy.join.selector, tokensIn, amountsIn, slippage, data);

        // solhint-disable-next-line avoid-low-level-calls
        (bool success, bytes memory returndata) = strategy.delegatecall(joinData);
        Address.verifyCallResult(success, returndata, 'JOIN_CALL_REVERTED');
        return abi.decode(returndata, (address[], uint256[], uint256));
    }

    /**
     * @dev Delegate-calls a exit to a strategy and decodes de expected data
     * IMPORTANT! This helper method does not check any of the given params, these should be checked beforehand.
     */
    function exit(
        address strategy,
        address[] memory tokensIn,
        uint256[] memory amountsIn,
        uint256 slippage,
        bytes memory data
    ) internal returns (address[] memory tokensOut, uint256[] memory amountsOut, uint256 value) {
        bytes memory exitData = abi.encodeWithSelector(IStrategy.exit.selector, tokensIn, amountsIn, slippage, data);

        // solhint-disable-next-line avoid-low-level-calls
        (bool success, bytes memory returndata) = strategy.delegatecall(exitData);
        Address.verifyCallResult(success, returndata, 'EXIT_CALL_REVERTED');
        return abi.decode(returndata, (address[], uint256[], uint256));
    }
}

File 31 of 42 : SwapConnectorLib.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

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

import '@mimic-fi/v2-swap-connector/contracts/ISwapConnector.sol';

/**
 * @title SwapConnectorLib
 * @dev Library used to delegate-call swaps and decode return data correctly
 */
library SwapConnectorLib {
    /**
     * @dev Delegate-calls a swap to the swap connector and decodes de expected data
     * IMPORTANT! This helper method does not check any of the given params, these should be checked beforehand.
     */
    function swap(
        address connector,
        uint8 source,
        address tokenIn,
        address tokenOut,
        uint256 amountIn,
        uint256 minAmountOut,
        bytes memory data
    ) internal returns (uint256 amountOut) {
        bytes memory swapData = abi.encodeWithSelector(
            ISwapConnector.swap.selector,
            source,
            tokenIn,
            tokenOut,
            amountIn,
            minAmountOut,
            data
        );

        // solhint-disable-next-line avoid-low-level-calls
        (bool success, bytes memory returndata) = connector.delegatecall(swapData);
        Address.verifyCallResult(success, returndata, 'SWAP_CALL_REVERTED');
        return abi.decode(returndata, (uint256));
    }
}

File 32 of 42 : ISmartVault.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import '@mimic-fi/v2-helpers/contracts/auth/IAuthorizer.sol';
import '@mimic-fi/v2-price-oracle/contracts/feeds/IPriceFeedProvider.sol';
import '@mimic-fi/v2-registry/contracts/implementations/IImplementation.sol';

/**
 * @title ISmartVault
 * @dev Mimic Smart Vault interface to manage assets. It must support also `IImplementation` and `IAuthorizer`
 */
interface ISmartVault is IPriceFeedProvider, IImplementation, IAuthorizer {
    enum SwapLimit {
        Slippage,
        MinAmountOut
    }

    enum BridgeLimit {
        Slippage,
        MinAmountOut
    }

    /**
     * @dev Emitted every time a new strategy is set for the Smart Vault
     */
    event StrategySet(address indexed strategy, bool allowed);

    /**
     * @dev Emitted every time a new price oracle is set for the Smart Vault
     */
    event PriceOracleSet(address indexed priceOracle);

    /**
     * @dev Emitted every time a new swap connector is set for the Smart Vault
     */
    event SwapConnectorSet(address indexed swapConnector);

    /**
     * @dev Emitted every time a new bridge connector is set for the Smart Vault
     */
    event BridgeConnectorSet(address indexed bridgeConnector);

    /**
     * @dev Emitted every time a new fee collector is set
     */
    event FeeCollectorSet(address indexed feeCollector);

    /**
     * @dev Emitted every time the withdraw fee percentage is set
     */
    event WithdrawFeeSet(uint256 pct, uint256 cap, address token, uint256 period);

    /**
     * @dev Emitted every time the performance fee percentage is set
     */
    event PerformanceFeeSet(uint256 pct, uint256 cap, address token, uint256 period);

    /**
     * @dev Emitted every time the swap fee percentage is set
     */
    event SwapFeeSet(uint256 pct, uint256 cap, address token, uint256 period);

    /**
     * @dev Emitted every time the bridge fee percentage is set
     */
    event BridgeFeeSet(uint256 pct, uint256 cap, address token, uint256 period);

    /**
     * @dev Emitted every time `call` is called
     */
    event Call(address indexed target, bytes callData, uint256 value, bytes result, bytes data);

    /**
     * @dev Emitted every time `collect` is called
     */
    event Collect(address indexed token, address indexed from, uint256 collected, bytes data);

    /**
     * @dev Emitted every time `withdraw` is called
     */
    event Withdraw(address indexed token, address indexed recipient, uint256 withdrawn, uint256 fee, bytes data);

    /**
     * @dev Emitted every time `wrap` is called
     */
    event Wrap(uint256 amount, uint256 wrapped, bytes data);

    /**
     * @dev Emitted every time `unwrap` is called
     */
    event Unwrap(uint256 amount, uint256 unwrapped, bytes data);

    /**
     * @dev Emitted every time `claim` is called
     */
    event Claim(address indexed strategy, address[] tokens, uint256[] amounts, bytes data);

    /**
     * @dev Emitted every time `join` is called
     */
    event Join(
        address indexed strategy,
        address[] tokensIn,
        uint256[] amountsIn,
        address[] tokensOut,
        uint256[] amountsOut,
        uint256 value,
        uint256 slippage,
        bytes data
    );

    /**
     * @dev Emitted every time `exit` is called
     */
    event Exit(
        address indexed strategy,
        address[] tokensIn,
        uint256[] amountsIn,
        address[] tokensOut,
        uint256[] amountsOut,
        uint256 value,
        uint256[] fees,
        uint256 slippage,
        bytes data
    );

    /**
     * @dev Emitted every time `swap` is called
     */
    event Swap(
        uint8 indexed source,
        address indexed tokenIn,
        address indexed tokenOut,
        uint256 amountIn,
        uint256 amountOut,
        uint256 minAmountOut,
        uint256 fee,
        bytes data
    );

    /**
     * @dev Emitted every time `bridge` is called
     */
    event Bridge(
        uint8 indexed source,
        uint256 indexed chainId,
        address indexed token,
        uint256 amountIn,
        uint256 minAmountOut,
        uint256 fee,
        address recipient,
        bytes data
    );

    /**
     * @dev Tells a strategy is allowed or not
     * @param strategy Address of the strategy being queried
     */
    function isStrategyAllowed(address strategy) external view returns (bool);

    /**
     * @dev Tells the invested value for a strategy
     * @param strategy Address of the strategy querying the invested value of
     */
    function investedValue(address strategy) external view returns (uint256);

    /**
     * @dev Tells the last value accrued for a strategy. Note this value can be outdated.
     * @param strategy Address of the strategy querying the last value of
     */
    function lastValue(address strategy) external view returns (uint256);

    /**
     * @dev Tells the price oracle associated to a Smart Vault
     */
    function priceOracle() external view returns (address);

    /**
     * @dev Tells the swap connector associated to a Smart Vault
     */
    function swapConnector() external view returns (address);

    /**
     * @dev Tells the bridge connector associated to a Smart Vault
     */
    function bridgeConnector() external view returns (address);

    /**
     * @dev Tells the address where fees will be deposited
     */
    function feeCollector() external view returns (address);

    /**
     * @dev Tells the withdraw fee configuration
     */
    function withdrawFee()
        external
        view
        returns (uint256 pct, uint256 cap, address token, uint256 period, uint256 totalCharged, uint256 nextResetTime);

    /**
     * @dev Tells the performance fee configuration
     */
    function performanceFee()
        external
        view
        returns (uint256 pct, uint256 cap, address token, uint256 period, uint256 totalCharged, uint256 nextResetTime);

    /**
     * @dev Tells the swap fee configuration
     */
    function swapFee()
        external
        view
        returns (uint256 pct, uint256 cap, address token, uint256 period, uint256 totalCharged, uint256 nextResetTime);

    /**
     * @dev Tells the bridge fee configuration
     */
    function bridgeFee()
        external
        view
        returns (uint256 pct, uint256 cap, address token, uint256 period, uint256 totalCharged, uint256 nextResetTime);

    /**
     * @dev Tells the address of the wrapped native token
     */
    function wrappedNativeToken() external view returns (address);

    /**
     * @dev Sets a new strategy as allowed or not for a Smart Vault
     * @param strategy Address of the strategy to be set
     * @param allowed Whether the strategy is allowed or not
     */
    function setStrategy(address strategy, bool allowed) external;

    /**
     * @dev Sets a new price oracle to a Smart Vault
     * @param newPriceOracle Address of the new price oracle to be set
     */
    function setPriceOracle(address newPriceOracle) external;

    /**
     * @dev Sets a new swap connector to a Smart Vault
     * @param newSwapConnector Address of the new swap connector to be set
     */
    function setSwapConnector(address newSwapConnector) external;

    /**
     * @dev Sets a new bridge connector to a Smart Vault
     * @param newBridgeConnector Address of the new bridge connector to be set
     */
    function setBridgeConnector(address newBridgeConnector) external;

    /**
     * @dev Sets a new fee collector
     * @param newFeeCollector Address of the new fee collector to be set
     */
    function setFeeCollector(address newFeeCollector) external;

    /**
     * @dev Sets a new withdraw fee configuration
     * @param pct Withdraw fee percentage to be set
     * @param cap New maximum amount of withdraw fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds for the withdraw fee
     */
    function setWithdrawFee(uint256 pct, uint256 cap, address token, uint256 period) external;

    /**
     * @dev Sets a new performance fee configuration
     * @param pct Performance fee percentage to be set
     * @param cap New maximum amount of performance fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds for the performance fee
     */
    function setPerformanceFee(uint256 pct, uint256 cap, address token, uint256 period) external;

    /**
     * @dev Sets a new swap fee configuration
     * @param pct Swap fee percentage to be set
     * @param cap New maximum amount of swap fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds for the swap fee
     */
    function setSwapFee(uint256 pct, uint256 cap, address token, uint256 period) external;

    /**
     * @dev Sets a new bridge fee configuration
     * @param pct Bridge fee percentage to be set
     * @param cap New maximum amount of bridge fees to be charged per period
     * @param token Address of the token cap to be set
     * @param period New cap period length in seconds for the bridge fee
     */
    function setBridgeFee(uint256 pct, uint256 cap, address token, uint256 period) external;

    /**
     * @dev Tells the price of a token (base) in a given quote
     * @param base Token to rate
     * @param quote Token used for the price rate
     */
    function getPrice(address base, address quote) external view returns (uint256);

    /**
     * @dev Execute an arbitrary call from a Smart Vault
     * @param target Address where the call will be sent
     * @param callData Calldata to be used for the call
     * @param value Value in wei that will be attached to the call
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return result Call response if it was successful, otherwise it reverts
     */
    function call(address target, bytes memory callData, uint256 value, bytes memory data)
        external
        returns (bytes memory result);

    /**
     * @dev Collect tokens from a sender to a Smart Vault
     * @param token Address of the token to be collected
     * @param from Address where the tokens will be transfer from
     * @param amount Amount of tokens to be transferred
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return collected Amount of tokens assigned to the Smart Vault
     */
    function collect(address token, address from, uint256 amount, bytes memory data)
        external
        returns (uint256 collected);

    /**
     * @dev Withdraw tokens to an external account
     * @param token Address of the token to be withdrawn
     * @param amount Amount of tokens to withdraw
     * @param recipient Address where the tokens will be transferred to
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return withdrawn Amount of tokens transferred to the recipient address
     */
    function withdraw(address token, uint256 amount, address recipient, bytes memory data)
        external
        returns (uint256 withdrawn);

    /**
     * @dev Wrap an amount of native tokens to the wrapped ERC20 version of it
     * @param amount Amount of native tokens to be wrapped
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return wrapped Amount of tokens wrapped
     */
    function wrap(uint256 amount, bytes memory data) external returns (uint256 wrapped);

    /**
     * @dev Unwrap an amount of wrapped native tokens
     * @param amount Amount of wrapped native tokens to unwrapped
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return unwrapped Amount of tokens unwrapped
     */
    function unwrap(uint256 amount, bytes memory data) external returns (uint256 unwrapped);

    /**
     * @dev Claim strategy rewards
     * @param strategy Address of the strategy to claim rewards
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return tokens Addresses of the tokens received as rewards
     * @return amounts Amounts of the tokens received as rewards
     */
    function claim(address strategy, bytes memory data)
        external
        returns (address[] memory tokens, uint256[] memory amounts);

    /**
     * @dev Join a strategy with an amount of tokens
     * @param strategy Address of the strategy to join
     * @param tokensIn List of token addresses to join with
     * @param amountsIn List of token amounts to join with
     * @param slippage Slippage that will be used to compute the join
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return tokensOut List of token addresses received after the join
     * @return amountsOut List of token amounts received after the join
     */
    function join(
        address strategy,
        address[] memory tokensIn,
        uint256[] memory amountsIn,
        uint256 slippage,
        bytes memory data
    ) external returns (address[] memory tokensOut, uint256[] memory amountsOut);

    /**
     * @dev Exit a strategy
     * @param strategy Address of the strategy to exit
     * @param tokensIn List of token addresses to exit with
     * @param amountsIn List of token amounts to exit with
     * @param slippage Slippage that will be used to compute the exit
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return tokensOut List of token addresses received after the exit
     * @return amountsOut List of token amounts received after the exit
     */
    function exit(
        address strategy,
        address[] memory tokensIn,
        uint256[] memory amountsIn,
        uint256 slippage,
        bytes memory data
    ) external returns (address[] memory tokensOut, uint256[] memory amountsOut);

    /**
     * @dev Swaps two tokens
     * @param source Source to request the swap. It depends on the Swap Connector attached to a Smart Vault.
     * @param tokenIn Token being sent
     * @param tokenOut Token being received
     * @param amountIn Amount of tokenIn being swapped
     * @param limitType Swap limit to be applied: slippage or min amount out
     * @param limitAmount Amount of the swap limit to be applied depending on limitType
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return amountOut Received amount of tokens out
     */
    function swap(
        uint8 source,
        address tokenIn,
        address tokenOut,
        uint256 amountIn,
        SwapLimit limitType,
        uint256 limitAmount,
        bytes memory data
    ) external returns (uint256 amountOut);

    /**
     * @dev Bridge assets to another chain
     * @param source Source to request the bridge. It depends on the Bridge Connector attached to a Smart Vault.
     * @param chainId ID of the destination chain
     * @param token Address of the token to be bridged
     * @param amount Amount of tokens to be bridged
     * @param limitType Swap limit to be applied: slippage or min amount out
     * @param limitAmount Amount of the swap limit to be applied depending on limitType
     * @param recipient Address that will receive the tokens on the destination chain
     * @param data Extra data that may enable or not different behaviors depending on the implementation
     * @return bridged Amount requested to be bridged after fees
     */
    function bridge(
        uint8 source,
        uint256 chainId,
        address token,
        uint256 amount,
        BridgeLimit limitType,
        uint256 limitAmount,
        address recipient,
        bytes memory data
    ) external returns (uint256 bridged);
}

File 33 of 42 : ISmartVaultsFactory.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity >=0.8.0;

import '@mimic-fi/v2-registry/contracts/implementations/IImplementation.sol';

/**
 * @title ISmartVaultsFactory
 * @dev Smart Vaults Factory interface, it must follow the IImplementation interface.
 */
interface ISmartVaultsFactory is IImplementation {
    /**
     * @dev Emitted every time a new Smart Vault instance is created
     */
    event Created(address indexed implementation, address indexed instance, bytes initializeResult);

    /**
     * @dev Tells the implementation associated to a contract instance
     * @param instance Address of the instance to request it's implementation
     */
    function implementationOf(address instance) external view returns (address);

    /**
     * @dev Creates a new Smart Vault pointing to a registered implementation
     * @param salt Salt bytes to derivate the address of the new instance
     * @param implementation Address of the implementation to be instanced
     * @param initializeData Arbitrary data to be sent after deployment
     * @return instance Address of the new instance created
     */
    function create(bytes32 salt, address implementation, bytes memory initializeData) external returns (address);
}

File 34 of 42 : SmartVaultsFactory.sol
// SPDX-License-Identifier: GPL-3.0-or-later
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.

// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.

// You should have received a copy of the GNU General Public License
// along with this program.  If not, see <http://www.gnu.org/licenses/>.

pragma solidity ^0.8.0;

import '@openzeppelin/contracts/proxy/Clones.sol';
import '@openzeppelin/contracts/utils/Address.sol';

import '@mimic-fi/v2-helpers/contracts/auth/Authorizer.sol';
import '@mimic-fi/v2-registry/contracts/registry/IRegistry.sol';
import '@mimic-fi/v2-registry/contracts/implementations/BaseImplementation.sol';

import './ISmartVaultsFactory.sol';

/**
 * @title SmartVaultsFactory
 * @dev
 */
contract SmartVaultsFactory is ISmartVaultsFactory, BaseImplementation {
    using Address for address;

    // Smart Vaults Factory namespace
    bytes32 public constant override NAMESPACE = keccak256('SMART_VAULTS_FACTORY');

    // Namespace to use by this deployer to fetch ISmartVault implementations from the Mimic Registry
    bytes32 private constant SMART_VAULT_NAMESPACE = keccak256('SMART_VAULT');

    // List of instances' implementations indexed by instance address
    mapping (address => address) public override implementationOf;

    /**
     * @dev Creates a new Smart Vaults Factory implementation
     * @param registry Address of the Mimic Registry to be referenced
     */
    constructor(address registry) BaseImplementation(registry) {
        // solhint-disable-previous-line no-empty-blocks
    }

    /**
     * @dev Creates a new Smart Vault pointing to a registered implementation using CREATE2
     * @param salt Salt bytes to derivate the address of the new instance
     * @param implementation Address of the implementation to be instanced. It must be registered and not deprecated.
     * @param initializeData Arbitrary data to be sent after deployment. It can be used to initialize the new instance.
     * @return instance Address of the new instance created
     */
    function create(bytes32 salt, address implementation, bytes memory initializeData)
        external
        override
        returns (address instance)
    {
        require(implementation != address(0), 'IMPLEMENTATION_ADDRESS_ZERO');
        require(IImplementation(implementation).NAMESPACE() == SMART_VAULT_NAMESPACE, 'BAD_IMPLEMENTATION_NAMESPACE');
        require(IRegistry(registry).isActive(SMART_VAULT_NAMESPACE, implementation), 'BAD_SMART_VAULT_IMPLEMENTATION');

        bytes32 senderSalt = keccak256(abi.encodePacked(msg.sender, salt));
        instance = Clones.cloneDeterministic(address(implementation), senderSalt);

        implementationOf[instance] = implementation;
        bytes memory result = initializeData.length == 0
            ? new bytes(0)
            : instance.functionCall(initializeData, 'SMART_VAULT_INIT_FAILED');

        emit Created(implementation, instance, result);
    }
}

File 35 of 42 : BridgeConnectorMock.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

import '@mimic-fi/v2-bridge-connector/contracts/IBridgeConnector.sol';
import '@mimic-fi/v2-registry/contracts/implementations/BaseImplementation.sol';

import '../samples/BridgeMock.sol';

contract BridgeConnectorMock is IBridgeConnector, BaseImplementation {
    bytes32 public constant override NAMESPACE = keccak256('BRIDGE_CONNECTOR');

    BridgeMock public immutable bridgeMock;

    constructor(address registry) BaseImplementation(registry) {
        bridgeMock = new BridgeMock();
    }

    function bridge(
        uint8, /* source */
        uint256, /* chainId */
        address token,
        uint256 amountIn,
        uint256 minAmountOut,
        address recipient,
        bytes memory data
    ) external override {
        IERC20(token).approve(address(bridgeMock), amountIn);
        return bridgeMock.bridge(token, amountIn, minAmountOut, recipient, data);
    }
}

File 36 of 42 : PriceOracleMock.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import '@mimic-fi/v2-helpers/contracts/math/FixedPoint.sol';
import '@mimic-fi/v2-price-oracle/contracts/oracle/IPriceOracle.sol';
import '@mimic-fi/v2-registry/contracts/implementations/BaseImplementation.sol';

contract PriceOracleMock is IPriceOracle, BaseImplementation {
    bytes32 public constant override NAMESPACE = keccak256('PRICE_ORACLE');

    struct Feed {
        bool set;
        uint256 rate;
    }

    mapping (address => mapping (address => Feed)) public mockedFeeds;

    constructor(address registry) BaseImplementation(registry) {
        // solhint-disable-previous-line no-empty-blocks
    }

    function mockRate(address base, address quote, uint256 newMockedRate) external {
        Feed storage feed = mockedFeeds[base][quote];
        feed.set = true;
        feed.rate = newMockedRate;
    }

    function getPrice(address, address base, address quote) external view override returns (uint256) {
        if (base == quote) return FixedPoint.ONE;
        Feed storage feed = mockedFeeds[base][quote];
        require(feed.set, 'PRICE_ORACLE_FEED_NOT_SET');
        return feed.rate;
    }
}

File 37 of 42 : StrategyMock.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

import '@mimic-fi/v2-helpers/contracts/math/FixedPoint.sol';
import '@mimic-fi/v2-strategies/contracts/IStrategy.sol';
import '@mimic-fi/v2-registry/contracts/implementations/BaseImplementation.sol';

import '../samples/TokenMock.sol';

contract StrategyMock is IStrategy, BaseImplementation {
    using FixedPoint for uint256;

    bytes32 public constant override NAMESPACE = keccak256('STRATEGY');

    address public immutable lpt;
    address public immutable token;
    address public immutable rewardToken;

    event Claimed(bytes data);
    event Joined(address[] tokensIn, uint256[] amountsIn, uint256 slippage, bytes data);
    event Exited(address[] tokensIn, uint256[] amountsIn, uint256 slippage, bytes data);

    constructor(address registry) BaseImplementation(registry) {
        lpt = address(new TokenMock('LPT'));
        token = address(new TokenMock('TKN'));
        rewardToken = address(new TokenMock('REW'));
    }

    function mockGains(address account, uint256 multiplier) external {
        uint256 balance = IERC20(lpt).balanceOf(account);
        TokenMock(lpt).mint(account, balance * (multiplier - 1));
    }

    function mockLosses(address account, uint256 divisor) external {
        uint256 balance = IERC20(lpt).balanceOf(account);
        TokenMock(lpt).burn(account, balance / divisor);
    }

    function joinTokens() public view override returns (address[] memory tokens) {
        tokens = new address[](1);
        tokens[0] = token;
    }

    function exitTokens() public view override returns (address[] memory tokens) {
        tokens = new address[](1);
        tokens[0] = lpt;
    }

    function valueRate() public pure override returns (uint256) {
        return FixedPoint.ONE;
    }

    function lastValue(address account) public view override returns (uint256) {
        return IERC20(lpt).balanceOf(account);
    }

    function claim(bytes memory data) external override returns (address[] memory tokens, uint256[] memory amounts) {
        uint256 amount = abi.decode(data, (uint256));
        TokenMock(rewardToken).mint(address(this), amount);
        tokens = new address[](1);
        tokens[0] = rewardToken;
        amounts = new uint256[](1);
        amounts[0] = amount;
        emit Claimed(data);
    }

    function join(address[] memory tokensIn, uint256[] memory amountsIn, uint256 slippage, bytes memory data)
        external
        override
        returns (address[] memory tokensOut, uint256[] memory amountsOut, uint256 value)
    {
        require(tokensIn.length == 1, 'STRATEGY_INVALID_TOKENS_IN_LEN');
        require(amountsIn.length == 1, 'STRATEGY_INVALID_AMOUNTS_IN_LEN');
        require(tokensIn[0] == token, 'STRATEGY_INVALID_JOIN_TOKEN');

        tokensOut = exitTokens();
        amountsOut = new uint256[](1);
        amountsOut[0] = amountsIn[0];

        TokenMock(token).burn(address(this), amountsIn[0]);
        TokenMock(lpt).mint(address(this), amountsOut[0]);
        value = amountsOut[0].mulDown(valueRate());
        emit Joined(tokensIn, amountsIn, slippage, data);
    }

    function exit(address[] memory tokensIn, uint256[] memory amountsIn, uint256 slippage, bytes memory data)
        external
        override
        returns (address[] memory tokensOut, uint256[] memory amountsOut, uint256 value)
    {
        require(tokensIn.length == 1, 'STRATEGY_INVALID_TOKENS_IN_LEN');
        require(amountsIn.length == 1, 'STRATEGY_INVALID_AMOUNTS_IN_LEN');
        require(tokensIn[0] == lpt, 'STRATEGY_INVALID_EXIT_TOKEN');

        tokensOut = joinTokens();
        amountsOut = new uint256[](1);
        amountsOut[0] = amountsIn[0];

        TokenMock(lpt).burn(address(this), amountsIn[0]);
        TokenMock(token).mint(address(this), amountsOut[0]);
        value = amountsIn[0].divUp(valueRate());
        emit Exited(tokensIn, amountsIn, slippage, data);
    }
}

File 38 of 42 : SwapConnectorMock.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

import '@mimic-fi/v2-swap-connector/contracts/ISwapConnector.sol';
import '@mimic-fi/v2-registry/contracts/implementations/BaseImplementation.sol';

import '../samples/DexMock.sol';

contract SwapConnectorMock is ISwapConnector, BaseImplementation {
    bytes32 public constant override NAMESPACE = keccak256('SWAP_CONNECTOR');

    DexMock public immutable dex;

    constructor(address registry) BaseImplementation(registry) {
        dex = new DexMock();
    }

    function mockRate(uint256 newRate) external {
        dex.mockRate(newRate);
    }

    function swap(
        uint8, /* source */
        address tokenIn,
        address tokenOut,
        uint256 amountIn,
        uint256 minAmountOut,
        bytes memory data
    ) external override returns (uint256 amountOut) {
        IERC20(tokenIn).approve(address(dex), amountIn);
        return dex.swap(tokenIn, tokenOut, amountIn, minAmountOut, data);
    }
}

File 39 of 42 : BridgeMock.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

contract BridgeMock {
    function bridge(address token, uint256 amount, uint256, address, bytes memory) external {
        IERC20(token).transferFrom(msg.sender, address(this), amount);
    }
}

File 40 of 42 : DexMock.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

import '@mimic-fi/v2-helpers/contracts/math/FixedPoint.sol';

contract DexMock {
    using FixedPoint for uint256;

    uint256 public mockedRate;

    constructor() {
        mockedRate = FixedPoint.ONE;
    }

    function mockRate(uint256 newRate) external {
        mockedRate = newRate;
    }

    function swap(address tokenIn, address tokenOut, uint256 amountIn, uint256, bytes memory)
        external
        returns (uint256 amountOut)
    {
        IERC20(tokenIn).transferFrom(msg.sender, address(this), amountIn);
        amountOut = amountIn.mulDown(mockedRate);
        IERC20(tokenOut).transfer(msg.sender, amountOut);
    }
}

File 41 of 42 : TokenMock.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import '@openzeppelin/contracts/token/ERC20/ERC20.sol';

contract TokenMock is ERC20 {
    constructor(string memory symbol) ERC20(symbol, symbol) {
        // solhint-disable-previous-line no-empty-blocks
    }

    function mint(address account, uint256 amount) external {
        _mint(account, amount);
    }

    function burn(address account, uint256 amount) external {
        _burn(account, amount);
    }
}

File 42 of 42 : WrappedNativeTokenMock.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import '@mimic-fi/v2-helpers/contracts/utils/IWrappedNativeToken.sol';

contract WrappedNativeTokenMock is IWrappedNativeToken {
    uint8 public decimals = 18;
    string public name = 'Wrapped Native Token';
    string public symbol = 'WNT';

    event Deposit(address indexed to, uint256 amount);
    event Withdrawal(address indexed from, uint256 amount);

    mapping (address => uint256) public override balanceOf;
    mapping (address => mapping (address => uint256)) public override allowance;

    receive() external payable {
        deposit();
    }

    function deposit() public payable override {
        balanceOf[msg.sender] += msg.value;
        emit Deposit(msg.sender, msg.value);
    }

    function withdraw(uint256 amount) public override {
        require(balanceOf[msg.sender] >= amount, 'WNT_NOT_ENOUGH_BALANCE');
        balanceOf[msg.sender] -= amount;
        payable(msg.sender).transfer(amount);
        emit Withdrawal(msg.sender, amount);
    }

    function totalSupply() public view override returns (uint256) {
        return address(this).balance;
    }

    function approve(address spender, uint256 amount) public override returns (bool) {
        allowance[msg.sender][spender] = amount;
        emit Approval(msg.sender, spender, amount);
        return true;
    }

    function transfer(address to, uint256 amount) public override returns (bool) {
        return transferFrom(msg.sender, to, amount);
    }

    function transferFrom(address from, address to, uint256 amount) public override returns (bool) {
        require(balanceOf[from] >= amount, 'NOT_ENOUGH_BALANCE');

        if (from != msg.sender && allowance[from][msg.sender] != type(uint256).max) {
            require(allowance[from][msg.sender] >= amount, 'NOT_ENOUGH_ALLOWANCE');
            allowance[from][msg.sender] -= amount;
        }

        balanceOf[from] -= amount;
        balanceOf[to] += amount;
        emit Transfer(from, to, amount);
        return true;
    }
}

Settings
{
  "optimizer": {
    "enabled": true,
    "runs": 10000
  },
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "devdoc",
        "userdoc",
        "metadata",
        "abi"
      ]
    }
  },
  "libraries": {}
}

Contract ABI

[{"inputs":[{"internalType":"address","name":"_wrappedNativeToken","type":"address"},{"internalType":"address","name":"_registry","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"who","type":"address"},{"indexed":false,"internalType":"bytes4","name":"what","type":"bytes4"}],"name":"Authorized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint8","name":"source","type":"uint8"},{"indexed":true,"internalType":"uint256","name":"chainId","type":"uint256"},{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"amountIn","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"minAmountOut","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"fee","type":"uint256"},{"indexed":false,"internalType":"address","name":"recipient","type":"address"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Bridge","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"bridgeConnector","type":"address"}],"name":"BridgeConnectorSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"pct","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"cap","type":"uint256"},{"indexed":false,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"period","type":"uint256"}],"name":"BridgeFeeSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"target","type":"address"},{"indexed":false,"internalType":"bytes","name":"callData","type":"bytes"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"result","type":"bytes"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Call","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"strategy","type":"address"},{"indexed":false,"internalType":"address[]","name":"tokens","type":"address[]"},{"indexed":false,"internalType":"uint256[]","name":"amounts","type":"uint256[]"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Claim","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":false,"internalType":"uint256","name":"collected","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Collect","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"strategy","type":"address"},{"indexed":false,"internalType":"address[]","name":"tokensIn","type":"address[]"},{"indexed":false,"internalType":"uint256[]","name":"amountsIn","type":"uint256[]"},{"indexed":false,"internalType":"address[]","name":"tokensOut","type":"address[]"},{"indexed":false,"internalType":"uint256[]","name":"amountsOut","type":"uint256[]"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"},{"indexed":false,"internalType":"uint256[]","name":"fees","type":"uint256[]"},{"indexed":false,"internalType":"uint256","name":"slippage","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Exit","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"feeCollector","type":"address"}],"name":"FeeCollectorSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint8","name":"version","type":"uint8"}],"name":"Initialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"strategy","type":"address"},{"indexed":false,"internalType":"address[]","name":"tokensIn","type":"address[]"},{"indexed":false,"internalType":"uint256[]","name":"amountsIn","type":"uint256[]"},{"indexed":false,"internalType":"address[]","name":"tokensOut","type":"address[]"},{"indexed":false,"internalType":"uint256[]","name":"amountsOut","type":"uint256[]"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"slippage","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Join","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"pct","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"cap","type":"uint256"},{"indexed":false,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"period","type":"uint256"}],"name":"PerformanceFeeSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"base","type":"address"},{"indexed":true,"internalType":"address","name":"quote","type":"address"},{"indexed":false,"internalType":"address","name":"feed","type":"address"}],"name":"PriceFeedSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"priceOracle","type":"address"}],"name":"PriceOracleSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"strategy","type":"address"},{"indexed":false,"internalType":"bool","name":"allowed","type":"bool"}],"name":"StrategySet","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint8","name":"source","type":"uint8"},{"indexed":true,"internalType":"address","name":"tokenIn","type":"address"},{"indexed":true,"internalType":"address","name":"tokenOut","type":"address"},{"indexed":false,"internalType":"uint256","name":"amountIn","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amountOut","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"minAmountOut","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"fee","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Swap","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"swapConnector","type":"address"}],"name":"SwapConnectorSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"pct","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"cap","type":"uint256"},{"indexed":false,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"period","type":"uint256"}],"name":"SwapFeeSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"who","type":"address"},{"indexed":false,"internalType":"bytes4","name":"what","type":"bytes4"}],"name":"Unauthorized","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"unwrapped","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Unwrap","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":true,"internalType":"address","name":"recipient","type":"address"},{"indexed":false,"internalType":"uint256","name":"withdrawn","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"fee","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Withdraw","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"pct","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"cap","type":"uint256"},{"indexed":false,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"period","type":"uint256"}],"name":"WithdrawFeeSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"wrapped","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"Wrap","type":"event"},{"inputs":[],"name":"ANY_ADDRESS","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"NAMESPACE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"who","type":"address"},{"internalType":"bytes4","name":"what","type":"bytes4"}],"name":"authorize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint8","name":"source","type":"uint8"},{"internalType":"uint256","name":"chainId","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"enum ISmartVault.BridgeLimit","name":"limitType","type":"uint8"},{"internalType":"uint256","name":"limitAmount","type":"uint256"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"bridge","outputs":[{"internalType":"uint256","name":"bridged","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"bridgeConnector","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"bridgeFee","outputs":[{"internalType":"uint256","name":"pct","type":"uint256"},{"internalType":"uint256","name":"cap","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"period","type":"uint256"},{"internalType":"uint256","name":"totalCharged","type":"uint256"},{"internalType":"uint256","name":"nextResetTime","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"target","type":"address"},{"internalType":"bytes","name":"callData","type":"bytes"},{"internalType":"uint256","name":"value","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"call","outputs":[{"internalType":"bytes","name":"result","type":"bytes"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"strategy","type":"address"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"claim","outputs":[{"internalType":"address[]","name":"tokens","type":"address[]"},{"internalType":"uint256[]","name":"amounts","type":"uint256[]"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"address","name":"from","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"collect","outputs":[{"internalType":"uint256","name":"collected","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"strategy","type":"address"},{"internalType":"address[]","name":"tokensIn","type":"address[]"},{"internalType":"uint256[]","name":"amountsIn","type":"uint256[]"},{"internalType":"uint256","name":"slippage","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"exit","outputs":[{"internalType":"address[]","name":"tokensOut","type":"address[]"},{"internalType":"uint256[]","name":"amountsOut","type":"uint256[]"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"feeCollector","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"base","type":"address"},{"internalType":"address","name":"quote","type":"address"}],"name":"getPrice","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"base","type":"address"},{"internalType":"address","name":"quote","type":"address"}],"name":"getPriceFeed","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"admin","type":"address"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"investedValue","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"who","type":"address"},{"internalType":"bytes4","name":"what","type":"bytes4"}],"name":"isAuthorized","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"isStrategyAllowed","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"strategy","type":"address"},{"internalType":"address[]","name":"tokensIn","type":"address[]"},{"internalType":"uint256[]","name":"amountsIn","type":"uint256[]"},{"internalType":"uint256","name":"slippage","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"join","outputs":[{"internalType":"address[]","name":"tokensOut","type":"address[]"},{"internalType":"uint256[]","name":"amountsOut","type":"uint256[]"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"strategy","type":"address"}],"name":"lastValue","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"performanceFee","outputs":[{"internalType":"uint256","name":"pct","type":"uint256"},{"internalType":"uint256","name":"cap","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"period","type":"uint256"},{"internalType":"uint256","name":"totalCharged","type":"uint256"},{"internalType":"uint256","name":"nextResetTime","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"priceOracle","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"registry","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"newBridgeConnector","type":"address"}],"name":"setBridgeConnector","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"pct","type":"uint256"},{"internalType":"uint256","name":"cap","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"period","type":"uint256"}],"name":"setBridgeFee","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newFeeCollector","type":"address"}],"name":"setFeeCollector","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"pct","type":"uint256"},{"internalType":"uint256","name":"cap","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"period","type":"uint256"}],"name":"setPerformanceFee","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"base","type":"address"},{"internalType":"address","name":"quote","type":"address"},{"internalType":"address","name":"feed","type":"address"}],"name":"setPriceFeed","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"bases","type":"address[]"},{"internalType":"address[]","name":"quotes","type":"address[]"},{"internalType":"address[]","name":"feeds","type":"address[]"}],"name":"setPriceFeeds","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newPriceOracle","type":"address"}],"name":"setPriceOracle","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"strategy","type":"address"},{"internalType":"bool","name":"allowed","type":"bool"}],"name":"setStrategy","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newSwapConnector","type":"address"}],"name":"setSwapConnector","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"pct","type":"uint256"},{"internalType":"uint256","name":"cap","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"period","type":"uint256"}],"name":"setSwapFee","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"pct","type":"uint256"},{"internalType":"uint256","name":"cap","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"period","type":"uint256"}],"name":"setWithdrawFee","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint8","name":"source","type":"uint8"},{"internalType":"address","name":"tokenIn","type":"address"},{"internalType":"address","name":"tokenOut","type":"address"},{"internalType":"uint256","name":"amountIn","type":"uint256"},{"internalType":"enum ISmartVault.SwapLimit","name":"limitType","type":"uint8"},{"internalType":"uint256","name":"limitAmount","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"swap","outputs":[{"internalType":"uint256","name":"amountOut","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"swapConnector","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"swapFee","outputs":[{"internalType":"uint256","name":"pct","type":"uint256"},{"internalType":"uint256","name":"cap","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"period","type":"uint256"},{"internalType":"uint256","name":"totalCharged","type":"uint256"},{"internalType":"uint256","name":"nextResetTime","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"who","type":"address"},{"internalType":"bytes4","name":"what","type":"bytes4"}],"name":"unauthorize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"unwrap","outputs":[{"internalType":"uint256","name":"unwrapped","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"withdraw","outputs":[{"internalType":"uint256","name":"withdrawn","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"withdrawFee","outputs":[{"internalType":"uint256","name":"pct","type":"uint256"},{"internalType":"uint256","name":"cap","type":"uint256"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"period","type":"uint256"},{"internalType":"uint256","name":"totalCharged","type":"uint256"},{"internalType":"uint256","name":"nextResetTime","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"wrap","outputs":[{"internalType":"uint256","name":"wrapped","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"wrappedNativeToken","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"stateMutability":"payable","type":"receive"}]

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
Chain Token Portfolio % Price Amount Value
BSC51.16%$0.000214102,623,376,411.22$21,936,772.94
BSC<0.01%$0.0003244,591,784.1734$1,489.71
BSC<0.01%<$0.000001580,468,289,722.743$1,438.19
BSC<0.01%$0.03329638,642.4012$1,286.64
BSC<0.01%$0.3152423,206.4417$1,010.81
BSC<0.01%$0.04838415,033.5402$727.38
BSC<0.01%$0.00552293,636.6461$517.02
BSC<0.01%$0.00998851,395.2521$513.35
BSC<0.01%<$0.0000016,410,035,054.304$490.12
BSC<0.01%$0.444069597.9528$265.53
BSC<0.01%$0.0000276,434,715.2641$171.55
BSC<0.01%$0.0514772,688.0301$138.37
BSC<0.01%$0.00000527,737,017.5918$136.94
BSC<0.01%$0.012839,053.9989$116.16
BSC<0.01%$20.825.5675$115.89
BSC<0.01%$0.00193153,937.2155$104.13
BSC<0.01%$0.0398632,531.2106$100.9
BSC<0.01%$0.910941103.8957$94.64
BSC<0.01%<$0.000001576,142,696.3485$76.86
BSC<0.01%$0.00521113,170.1683$68.64
BSC<0.01%$0.289323201.1351$58.19
BSC<0.01%$0.0038714,025.1281$54.27
BSC<0.01%$3.2216.3026$52.42
BSC<0.01%$0.0245042,109.1135$51.68
BSC<0.01%$0.171934276.4654$47.53
BSC<0.01%<$0.0000013,619,456,359.9239$39.81
BSC<0.01%<$0.000001874,145,561.6795$32.05
BSC<0.01%$0.038581822.864$31.75
BSC<0.01%<$0.000001734,693,319.1457$30.63
BSC<0.01%$0.042247690.6717$29.18
BSC<0.01%<$0.0000011,291,549,282.3995$29.08
BSC<0.01%$0.0000039,977,392.4757$29.03
BSC<0.01%$0.0028739,932.5159$28.54
BSC<0.01%$0.00000130,909,553.748$27.76
BSC<0.01%<$0.00000133,464,218,913.1225$21.49
BSC<0.01%$1.2516.962$21.2
BSC<0.01%$1,377.930.0117$16.17
BSC<0.01%$0.00122113,012.8212$15.88
BSC<0.01%<$0.00000170,833,174,837.1916$15.65
BSC<0.01%$0.29199550.0728$14.62
BSC<0.01%$131.560.108$14.21
BSC<0.01%$0.00017679,382.6857$13.96
BSC<0.01%<$0.0000014,320,849,008,270.11$13.73
BSC<0.01%$1.419.6028$13.54
BSC<0.01%<$0.00000111,182,552,660.3004$13.42
BSC<0.01%<$0.000001250,814,498,362.252$12.81
BSC<0.01%$0.00089414,286.8779$12.77
BSC<0.01%$0.077315160.5325$12.41
BSC<0.01%$0.00007175,531.6879$12.34
BSC<0.01%$0.0119851,023.2538$12.26
BSC<0.01%$0.0035583,366.4308$11.98
BSC<0.01%$0.00113510,489.9397$11.9
BSC<0.01%$0.0023455,044.8577$11.83
BSC<0.01%<$0.0000017,005,051,043.4729$11.58
BSC<0.01%$0.0056212,059.2069$11.57
BSC<0.01%$0.000017662,793.6041$11.33
BSC<0.01%$0.0103481,082.1495$11.2
BSC<0.01%$0.0006517,014.289$11.06
BSC<0.01%$66,622.220.00016441$10.95
BSC<0.01%<$0.00000113,338,725,226.7673$10.77
BSC<0.01%$0.095887107.6681$10.32
BSC<0.01%$92.980.1106$10.28
BSC<0.01%$0.0023294,170.2049$9.71
BSC<0.01%$0.01549609.0812$9.43
BSC<0.01%$0.75985812.0532$9.16
BSC<0.01%$0.00064114,168.2081$9.08
BSC<0.01%$0.9992369.0574$9.05
BSC<0.01%$0.00081910,995.7798$9.01
BSC<0.01%$0.0042772,097.7257$8.97
BSC<0.01%$0.0000018,703,883.2645$8.7
BSC<0.01%$0.9109739.4824$8.64
BSC<0.01%<$0.00000135,809,790.1248$8.63
BSC<0.01%<$0.0000014,626,173,229.6629$8.55
BSC<0.01%$0.001894,420.9213$8.36
BSC<0.01%$0.0011766,780.9519$7.97
BSC<0.01%<$0.00000187,516,215.8868$7.97
BSC<0.01%<$0.0000014,302,693,576.752$7.7
BSC<0.01%$0.000036216,025.3713$7.7
BSC<0.01%$0.0004616,568.8891$7.63
BSC<0.01%<$0.00000117,554,144.6488$7.53
BSC<0.01%$0.000033221,745.2822$7.31
BSC<0.01%$0.14407249.8779$7.19
BSC<0.01%$0.034139208.4639$7.12
BSC<0.01%<$0.0000015,737,707,223.3406$7.06
BSC<0.01%$0.0016974,139.7996$7.03
BSC<0.01%$0.63708111.0076$7.01
BSC<0.01%$0.0035781,883.7176$6.74
BSC<0.01%$0.0026962,483.9304$6.7
BSC<0.01%$0.00036917,460.065$6.45
BSC<0.01%<$0.00000113,277,663,812,216.9$6.42
BSC<0.01%$0.000019323,110.0914$6.25
BSC<0.01%$13.320.4595$6.12
BSC<0.01%$36.330.1667$6.06
BSC<0.01%$129.010.0467$6.03
BSC<0.01%$0.027176210.7852$5.73
BSC<0.01%$0.00051510,955.8268$5.64
BSC<0.01%$0.06444387.3081$5.63
BSC<0.01%$0.0024362,297.0458$5.6
BSC<0.01%<$0.000001172,039,780.2545$5.47
BSC<0.01%$0.05118103.267$5.29
BSC<0.01%$0.012096421.8228$5.1
BSC<0.01%$0.00047110,812.6301$5.1
BSC<0.01%<$0.00000140,371,889,191,942.4$5.1
BSC<0.01%$0.00028317,853.3495$5.06
BSC<0.01%<$0.0000012,951,279,280.2879$5.06
BSC<0.01%$0.001184,282.5072$5.05
BSC<0.01%$0.0007456,618.7993$4.93
BSC<0.01%$0.26860618.0375$4.84
BSC<0.01%$0.016696288.6559$4.82
BSC<0.01%$0.005571850.5038$4.74
BSC<0.01%$0.004919961.4436$4.73
BSC<0.01%$0.7254596.4319$4.67
BSC<0.01%$0.13228434.4056$4.55
BSC<0.01%$0.0023121,963.9418$4.54
BSC<0.01%$0.00611738.9178$4.52
BSC<0.01%$0.0021492,091.1148$4.49
BSC<0.01%$0.40141410.977$4.41
BSC<0.01%$0.06894263.4993$4.38
BSC<0.01%$0.0016282,688.4091$4.38
BSC<0.01%$0.022789190.5425$4.34
BSC<0.01%$0.0012753,404.2851$4.34
BSC<0.01%$0.00615705.5194$4.34
BSC<0.01%$0.0017732,432.1983$4.31
BSC<0.01%$0.00007556,782.7017$4.25
BSC<0.01%$2,417.540.00175001$4.23
BSC<0.01%$0.00015826,769.0691$4.23
BSC<0.01%$0.00035911,722.2297$4.21
BSC<0.01%<$0.0000011,332,792,460.4339$4.18
BSC<0.01%<$0.0000012,141,942,885.1822$4.13
BSC<0.01%$0.11023136.9544$4.07
BSC<0.01%$0.0013612,967.1417$4.04
BSC<0.01%$0.000005787,591.355$4.01
BSC<0.01%$1.832.1749$3.98
BSC<0.01%$0.0004997,853.0725$3.92
BSC<0.01%<$0.00000139,033,200,708.8128$3.9
BSC<0.01%$0.00023516,549.1443$3.9
BSC<0.01%$0.0000022,222,276.93$3.84
BSC<0.01%$0.0033281,152.0594$3.83
BSC<0.01%$0.000784,833.6086$3.77
BSC<0.01%$0.0023471,600.5856$3.76
BSC<0.01%$0.00037210,023.5861$3.73
BSC<0.01%$0.017344213.9389$3.71
BSC<0.01%$0.0034791,045.4867$3.64
BSC<0.01%$0.019717183.4568$3.62
BSC<0.01%$0.019509185.2024$3.61
BSC<0.01%$0.003191,109.4274$3.54
BSC<0.01%$0.0009913,570.2783$3.54
BSC<0.01%$0.0000013,596,527.5029$3.52
BSC<0.01%$0.010869323.7381$3.52
BSC<0.01%<$0.00000116,177,653,300.2307$3.49
BSC<0.01%$0.4163088.3714$3.49
BSC<0.01%$0.0003669,492.2963$3.47
BSC<0.01%$0.0031351,105.5907$3.47
BSC<0.01%$0.008703397.1524$3.46
BSC<0.01%$0.00006354,040.67$3.4
BSC<0.01%$0.005363633.5062$3.4
BSC<0.01%<$0.000001643,973,115.2395$3.39
BSC<0.01%$0.010767311.7044$3.36
BSC<0.01%$0.002871,166.7601$3.35
BSC<0.01%$0.001033,219.0536$3.31
BSC<0.01%$0.000310,871.0205$3.26
BSC<0.01%$0.0006435,047.6805$3.25
BSC<0.01%$579.820.00559202$3.24
BSC<0.01%$0.0009153,432.2006$3.14
BSC<0.01%$0.5058266.1578$3.11
BSC<0.01%<$0.000001990,033,436.2104$3.07
BSC<0.01%$0.006433472.0878$3.04
BSC<0.01%$1.462.0657$3.01
BSC<0.01%$0.0015111,987.1662$3
BSC<0.01%<$0.0000013,641,887,277.7959$2.95
BSC<0.01%$0.022541130.6363$2.94
BSC<0.01%$2.161.347$2.91
BSC<0.01%$0.004824599.8872$2.89
BSC<0.01%$0.0024331,175.9603$2.86
BSC<0.01%$0.07160239.0511$2.8
BSC<0.01%$0.05658549.3142$2.79
BSC<0.01%<$0.0000011,104,534,811,086.61$2.77
BSC<0.01%$0.07317937.5741$2.75
BSC<0.01%$0.06810639.3058$2.68
BSC<0.01%<$0.000001329,813,612.678$2.66
BSC<0.01%$0.000008335,497.9571$2.65
BSC<0.01%$0.006638399.6084$2.65
BSC<0.01%$0.003152835.3557$2.63
BSC<0.01%$0.00004360,432.1267$2.62
BSC<0.01%$0.0005195,048.5669$2.62
BSC<0.01%<$0.000001738,834,543.7342$2.62
BSC<0.01%$0.0008463,067.5554$2.59
BSC<0.01%$0.0020481,263.0168$2.59
BSC<0.01%$6.960.3708$2.58
BSC<0.01%$0.006719381.1224$2.56
BSC<0.01%$0.00004852,792.6827$2.55
BSC<0.01%<$0.00000117,296,831.4856$2.54
BSC<0.01%$0.4663015.3458$2.49
BSC<0.01%$0.006627370.0254$2.45
BSC<0.01%$0.9839882.4715$2.43
BSC<0.01%$0.12452419.1994$2.39
BSC<0.01%$0.006227380.1971$2.37
BSC<0.01%<$0.0000013,934,025,345.3753$2.36
BSC<0.01%<$0.000001786,378,486,492,870,000$2.36
BSC<0.01%<$0.0000017,175,616,054.8718$2.31
BSC<0.01%$0.4010365.6608$2.27
BSC<0.01%$0.02465891.9443$2.27
BSC<0.01%$0.02261499.2337$2.24
BSC<0.01%<$0.0000014,838,136,911.4654$2.24
BSC<0.01%<$0.00000110,506,688,937.0109$2.24
BSC<0.01%$0.2544068.5803$2.18
BSC<0.01%$1.381.5766$2.18
BSC<0.01%$0.0003845,631.2598$2.16
BSC<0.01%$0.004375486.9887$2.13
BSC<0.01%<$0.000001221,516,952,540.34$2.12
BSC<0.01%$0.000003826,271.4154$2.11
BSC<0.01%<$0.00000197,294,217.2068$2.1
BSC<0.01%$0.000004492,840.8091$2.1
BSC<0.01%<$0.0000014,533,191,678,627.08$2.1
BSC<0.01%$0.0008472,474.3159$2.1
BSC<0.01%$1.991.0495$2.09
BSC<0.01%<$0.0000012,238,825,057.0395$2.08
BSC<0.01%$0.3240116.4029$2.07
BSC<0.01%<$0.0000016,678,424.72$2.07
BSC<0.01%$0.3594085.7297$2.06
BSC<0.01%$0.00013315,416.7852$2.06
BSC<0.01%$0.0009022,277.3961$2.06
BSC<0.01%$0.0403250.6634$2.04
BSC<0.01%$0.003922518.4286$2.03
BSC<0.01%$0.011507175.8546$2.02
BSC<0.01%$0.00008523,852.8599$2.02
BSC<0.01%$0.18978610.4028$1.97
BSC<0.01%$0.017253113.2827$1.95
BSC<0.01%$0.003236603.484$1.95
BSC<0.01%$0.2215198.6295$1.91
BSC<0.01%<$0.0000011,646,718,880,697.54$1.9
BSC<0.01%<$0.0000011,058,987,930.0415$1.89
BSC<0.01%$0.0000012,120,918.9041$1.88
BSC<0.01%$0.9772881.9191$1.88
BSC<0.01%<$0.000001344,981,598,498,487$1.86
BSC<0.01%$0.00002768,131.8103$1.85
BSC<0.01%$0.007399247.6571$1.83
BSC<0.01%$0.0004064,507.2749$1.83
BSC<0.01%$0.5304753.4203$1.81
BSC<0.01%$0.02194682.2895$1.81
BSC<0.01%$0.0010471,720.0926$1.8
BSC<0.01%$0.06927725.9965$1.8
BSC<0.01%$1.351.3243$1.79
BSC<0.01%$0.002299777.3102$1.79
BSC<0.01%$0.00016810,636.9095$1.78
BSC<0.01%$0.12532114.1548$1.77
BSC<0.01%$0.0011981,460.1605$1.75
BSC<0.01%<$0.0000011,329,210,659.3153$1.73
BSC<0.01%$0.00324533.2079$1.73
BSC<0.01%$0.0001948,858.1704$1.72
BSC<0.01%$0.03925443.7278$1.72
BSC<0.01%$2.640.6471$1.71
BSC<0.01%$0.000851,974.199$1.68
BSC<0.01%$1.980.8434$1.67
BSC<0.01%$0.00002274,816.2777$1.66
BSC<0.01%<$0.00000121,214,094,122.3722$1.63
BSC<0.01%$0.00173936.4846$1.62
BSC<0.01%$0.0008551,882.9389$1.61
BSC<0.01%$0.00011414,059.154$1.6
BSC<0.01%$0.012931121.994$1.58
BSC<0.01%$0.008023191.5533$1.54
BSC<0.01%$0.0003344,591.8171$1.53
BSC<0.01%$0.06514623.528$1.53
BSC<0.01%<$0.0000015,504,873,491.6852$1.51
BSC<0.01%$0.12943811.6471$1.51
BSC<0.01%$0.00004235,478.4751$1.5
BSC<0.01%$0.1303111.4645$1.49
BSC<0.01%$0.0003094,831.6041$1.49
BSC<0.01%$0.0002087,151.5158$1.49
BSC<0.01%<$0.0000014,392,811,890.6513$1.49
BSC<0.01%$0.00081,853.1708$1.48
BSC<0.01%$0.005153287.4848$1.48
BSC<0.01%$0.002232663.353$1.48
BSC<0.01%$0.00005626,445.7448$1.47
BSC<0.01%$0.2338866.2678$1.47
BSC<0.01%<$0.000001417,206,608.2667$1.46
BSC<0.01%$0.0007072,044.8278$1.45
BSC<0.01%$0.1476579.6378$1.42
BSC<0.01%$0.000002590,357.9903$1.4
BSC<0.01%$0.09271414.9968$1.39
BSC<0.01%$0.0894715.5227$1.39
BSC<0.01%$0.0008521,594.7361$1.36
BSC<0.01%$0.007582178.9268$1.36
BSC<0.01%$0.0000011,426,209.3526$1.34
BSC<0.01%$0.12924610.3831$1.34
BSC<0.01%<$0.000001522,580,276,524.855$1.33
BSC<0.01%$0.0007421,777.6681$1.32
BSC<0.01%$0.003034434.4997$1.32
BSC<0.01%$0.001499873.5733$1.31
BSC<0.01%$0.0003164,089.7003$1.29
BSC<0.01%$0.0007481,718.6235$1.28
BSC<0.01%$0.000003493,067.549$1.28
BSC<0.01%$0.000187,089.9333$1.28
BSC<0.01%$0.08258615.4058$1.27
BSC<0.01%<$0.000001431,702,058.6998$1.26
BSC<0.01%$0.3771393.3314$1.26
BSC<0.01%<$0.0000016,599,535.9892$1.25
BSC<0.01%$0.002942422.2885$1.24
BSC<0.01%$0.0011341,089.0657$1.23
BSC<0.01%$0.000158,067.5355$1.21
BSC<0.01%$1.121.0789$1.21
BSC<0.01%$0.004608259.9905$1.2
BSC<0.01%$0.00003831,195.7562$1.2
BSC<0.01%<$0.000001915,137,808.6393$1.19
BSC<0.01%$0.010491112.825$1.18
BSC<0.01%$0.002098561.51$1.18
BSC<0.01%$0.03421734.0594$1.17
BSC<0.01%<$0.0000011,207,369,145.0633$1.15
BSC<0.01%$0.03538931.6721$1.12
BSC<0.01%<$0.0000014,171,645.9811$1.11
BSC<0.01%$3.360.3301$1.11
BSC<0.01%$0.0000715,451.2214$1.09
BSC<0.01%$4.740.2284$1.08
BSC<0.01%$0.3752072.8567$1.07
BSC<0.01%<$0.000001235,039,718.2387$1.06
BSC<0.01%$2,839.180.00037129$1.05
BSC<0.01%$0.001128908.7673$1.02
BSC<0.01%$300.0332$0.9972
BSC<0.01%$0.000671,483.7713$0.9937
BSC<0.01%$0.008183116.2331$0.9511
BSC<0.01%$0.0889210.6114$0.9435
BSC<0.01%$0.1458446.398$0.9331
BSC<0.01%$0.03913123.7708$0.9301
BSC<0.01%<$0.0000016,525,146.0201$0.9252
BSC<0.01%<$0.000001568,754,578.9321$0.9172
BSC<0.01%$0.004731193.2854$0.9144
BSC<0.01%<$0.0000018,597,574,350.9893$0.9099
BSC<0.01%$0.005879153.8729$0.9046
BSC<0.01%$0.001138789.0084$0.8982
BSC<0.01%$0.0004691,913.2289$0.898
BSC<0.01%$0.02379337.6822$0.8965
BSC<0.01%$0.02536934.7842$0.8824
BSC<0.01%$0.00375234.0791$0.8779
BSC<0.01%$84,3760.00001032$0.8707
BSC<0.01%<$0.000001648,730,365.0795$0.8433
BSC<0.01%$0.0003322,512.2776$0.834
BSC<0.01%$0.000004206,790.3155$0.8266
BSC<0.01%<$0.00000125,720,881,284.8844$0.8247
BSC<0.01%$0.0000859,559.5291$0.8164
BSC<0.01%$0.0001037,903.6291$0.8135
BSC<0.01%$0.000814998.047$0.8128
BSC<0.01%$0.4336131.8452$0.8001
BSC<0.01%$0.0804829.8057$0.7891
BSC<0.01%$0.01454354$0.7852
BSC<0.01%$0.0912178.5023$0.7755
BSC<0.01%$0.00000981,960.0975$0.7745
BSC<0.01%$0.05965712.8627$0.7673
BSC<0.01%$0.0004241,804.828$0.7657
BSC<0.01%$0.001682451.8094$0.76
BSC<0.01%$0.001332558.09$0.7431
BSC<0.01%$0.0004491,618.2814$0.7264
BSC<0.01%$0.5586251.2948$0.7232
BSC<0.01%$0.0001823,886.0059$0.7084
BSC<0.01%$0.0004441,549.3058$0.6879
BSC<0.01%$0.01309552.2368$0.684
BSC<0.01%$0.0006761,009.5211$0.6822
BSC<0.01%$0.2319132.905$0.6737
BSC<0.01%$0.00006510,411.2261$0.672
BSC<0.01%$0.01140658.8265$0.6709
BSC<0.01%$0.000002314,459.8852$0.6666
BSC<0.01%<$0.00000126,502,063,997,342,400$0.6625
BSC<0.01%$0.000001791,660.3859$0.6594
BSC<0.01%$0.04288414.8113$0.6351
BSC<0.01%$0.004493141.3284$0.6349
BSC<0.01%$0.001659380.8933$0.632
BSC<0.01%$0.0004291,474.0549$0.632
BSC<0.01%<$0.0000013,943,307.4855$0.6297
BSC<0.01%$0.004939127.4436$0.6295
BSC<0.01%<$0.000001368,400,791.1389$0.6076
BSC<0.01%$0.0000946,340.8303$0.5988
BSC<0.01%<$0.0000015,658,525,552,797.65$0.5968
BSC<0.01%$0.0854676.907$0.5903
BSC<0.01%$0.05595910.3483$0.579
BSC<0.01%$0.005495105.207$0.5781
BSC<0.01%<$0.0000011,010,352,793.2823$0.5772
BSC<0.01%$0.00001832,415.9207$0.5714
BSC<0.01%$0.000001615,638.1865$0.5673
BSC<0.01%$0.00659985.9225$0.567
BSC<0.01%<$0.0000014,814,241,793.5979$0.5602
BSC<0.01%<$0.0000013,266,868,464.7015$0.5465
BSC<0.01%$0.00001437,650.5988$0.5368
BSC<0.01%$0.00000694,157.9407$0.5367
BSC<0.01%<$0.0000011,332,822,073.2649$0.5331
BSC<0.01%<$0.0000011,887,783.6622$0.5299
BSC<0.01%$0.01139245.1979$0.5148
BSC<0.01%$0.0002542,014.8834$0.5114
BSC<0.01%$0.00000864,915.4162$0.5095
BSC<0.01%$0.02000725.3967$0.5081
BSC<0.01%$0.003342151.3289$0.5056
BSC<0.01%$0.000002240,471.7687$0.4999
BSC<0.01%<$0.0000011,217,310,548,325.14$0.4944
BSC<0.01%$0.5523160.8944$0.4939
BSC<0.01%$0.1628773.004$0.4892
BSC<0.01%$0.002209221.0428$0.4883
BSC<0.01%$0.1238763.9417$0.4882
BSC<0.01%$0.000783623.191$0.4882
BSC<0.01%$1.040.4657$0.4855
BSC<0.01%$0.001719279.7606$0.4808
BSC<0.01%$0.002787172.0199$0.4794
BSC<0.01%<$0.000001195,486,340.4698$0.4789
BSC<0.01%$0.001399334.4766$0.4679
BSC<0.01%$0.02802216.6832$0.4674
BSC<0.01%$0.1390663.2561$0.4528
BSC<0.01%$0.0000696,341.6997$0.439
BSC<0.01%$0.00706861.9777$0.438
BSC<0.01%<$0.000001361,735,135,655.529$0.4348
BSC<0.01%<$0.000001775,029,567,495.37$0.4332
BSC<0.01%$2.150.1981$0.4259
BSC<0.01%$0.0002681,574.5065$0.4221
BSC<0.01%$0.000076,047.2897$0.4202
BSC<0.01%$0.0580357.205$0.4181
BSC<0.01%$0.0427929.4866$0.4059
BSC<0.01%$0.0001183,439.7617$0.4054
BSC<0.01%<$0.0000013,448,749,538.8143$0.4018
BSC<0.01%$0.0003041,297.7203$0.3944
BSC<0.01%$0.0002251,747.4356$0.3927
BSC<0.01%$0.03411511.4705$0.3913
BSC<0.01%$0.00001526,119.9237$0.3908
BSC<0.01%$0.01814621.2693$0.3859
BSC<0.01%<$0.0000012,622,249,591.0407$0.38
BSC<0.01%$1.10.3462$0.3794
BSC<0.01%$0.000889426.3433$0.3791
BSC<0.01%<$0.000001444,339,851.5236$0.3715
BSC<0.01%$6.860.0534$0.3664
BSC<0.01%$0.001442253.643$0.3658
BSC<0.01%$0.2106421.7213$0.3625
BSC<0.01%$0.0002891,239.7414$0.3577
BSC<0.01%$0.000397880.6119$0.3494
BSC<0.01%$0.000359972.7623$0.3488
BSC<0.01%$0.00001819,318.3941$0.3461
BSC<0.01%$0.4163080.8279$0.3446
BSC<0.01%<$0.0000012,154,830,613.5599$0.3436
BSC<0.01%<$0.0000012,684,808,984.1589$0.338
BSC<0.01%$0.0001152,926.0934$0.3372
BSC<0.01%$0.0959743.3823$0.3246
BSC<0.01%$39.590.00805315$0.3188
BSC<0.01%$0.02421512.7538$0.3088
BSC<0.01%$0.0001621,906.139$0.3084
BSC<0.01%$0.0560785.4546$0.3058
BSC<0.01%$0.01540519.7816$0.3047
BSC<0.01%$0.0692694.3227$0.2994
BSC<0.01%$0.000921325.2534$0.2994
BSC<0.01%$0.00434968.4409$0.2976
BSC<0.01%<$0.00000111,892,407$0.2906
BSC<0.01%$0.00566350.4387$0.2856
BSC<0.01%$0.3691020.7733$0.2854
BSC<0.01%$0.0001921,409.733$0.2713
BSC<0.01%$0.6503420.4147$0.2696
BSC<0.01%$0.00362173.9421$0.2677
BSC<0.01%$0.00036743.1169$0.2673
BSC<0.01%$0.000283942.4443$0.2667
BSC<0.01%$0.0582664.5198$0.2633
BSC<0.01%$0.00380368.7685$0.2615
BSC<0.01%$0.0694773.6176$0.2513
BSC<0.01%<$0.0000011,879,532,611,199.58$0.2478
BSC<0.01%<$0.0000011,228,543,006.0079$0.2457
BSC<0.01%$0.000263927.795$0.2442
BSC<0.01%<$0.0000012,128,369,961.9718$0.2437
BSC<0.01%$0.0000633,821.677$0.242
BSC<0.01%$0.0389776.1948$0.2414
BSC<0.01%<$0.0000016,775,416,501,704.47$0.2393
BSC<0.01%$0.000439532.6528$0.234
BSC<0.01%<$0.000001994,499,535.1237$0.233
BSC<0.01%$1.210.1931$0.2327
BSC<0.01%$0.002144107.4149$0.2302
BSC<0.01%<$0.00000179,054,754.7$0.2213
BSC<0.01%$0.00893624.634$0.2201
BSC<0.01%$0.00128171.4325$0.2194
BSC<0.01%$0.1685091.2851$0.2165
BSC<0.01%<$0.000001396,009,962.1895$0.2146
BSC<0.01%$0.01930410.9823$0.212
BSC<0.01%$0.001774119.0669$0.2112
BSC<0.01%$0.01192217.7195$0.2112
BSC<0.01%$0.0001761,195.1588$0.2099
BSC<0.01%$0.00501241.3774$0.2073
BSC<0.01%$0.0002011,022.9497$0.2054
BSC<0.01%$0.00614333.1781$0.2038
BSC<0.01%$7.220.0278$0.2004
BSC<0.01%$1.760.1131$0.199
BSC<0.01%$0.0001591,243.04$0.198
BSC<0.01%$0.00963719.517$0.188
BSC<0.01%$0.00363451.697$0.1878
BSC<0.01%$0.0000981,916.3242$0.1873
BSC<0.01%$0.01018218.0021$0.1833
BSC<0.01%$0.00000727,706.6304$0.182
BSC<0.01%$0.0555953.1882$0.1772
BSC<0.01%$0.000275639.2414$0.1754
BSC<0.01%$0.0001141,520.4017$0.1731
BSC<0.01%$0.001049162.6241$0.1706
BSC<0.01%<$0.00000119,554,536.0564$0.1701
BSC<0.01%$0.00456836.4308$0.1664
BSC<0.01%$0.00000361,196.5718$0.1644
BSC<0.01%<$0.000001522,283.0549$0.1601
BSC<0.01%$0.9940320.16$0.159
BSC<0.01%$0.00743121.3391$0.1585
BSC<0.01%$0.000001142,999.4593$0.1572
BSC<0.01%$0.00572727.166$0.1555
BSC<0.01%$0.899690.172$0.1547
BSC<0.01%$3.350.0448$0.1499
BSC<0.01%<$0.00000116,289,308.71$0.1493
BSC<0.01%$0.0183478.1089$0.1487
BSC<0.01%$1.540.0963$0.1482
BSC<0.01%$0.000669220.3662$0.1473
BSC<0.01%$0.000254559.5939$0.1419
BSC<0.01%$0.00270852.0863$0.141
BSC<0.01%$0.0143739.8078$0.1409
BSC<0.01%$0.00207267.9274$0.1407
BSC<0.01%$0.00168182.3089$0.1383
BSC<0.01%$0.0025354.5868$0.1381
BSC<0.01%$0.01167511.8307$0.1381
BSC<0.01%<$0.00000114,206,636,621.1226$0.137
BSC<0.01%$0.0000452,988.501$0.1351
BSC<0.01%$0.00692119.4211$0.1344
BSC<0.01%$0.0000314,321.5939$0.1342
BSC<0.01%<$0.000001223,039,635.8006$0.1338
BSC<0.01%$0.00324341.0983$0.1332
BSC<0.01%$0.0883141.507$0.133
BSC<0.01%$5.350.0248$0.1326
BSC<0.01%$0.0000235,689.5082$0.1298
BSC<0.01%$1.340.0966$0.1294
BSC<0.01%$0.0136619.4149$0.1286
BSC<0.01%$0.0690621.8596$0.1284
BSC<0.01%$0.00459427.4286$0.1259
BSC<0.01%<$0.00000128,391,959,727.9281$0.1258
BSC<0.01%$0.3973950.311$0.1235
BSC<0.01%$0.000001151,094.2717$0.1231
BSC<0.01%<$0.0000011,438,604,422.8631$0.1215
BSC<0.01%$0.0000412,941.1935$0.1202
BSC<0.01%$0.00383631.1176$0.1193
BSC<0.01%$0.0309963.8411$0.119
BSC<0.01%<$0.000001943,708.3073$0.1167
BSC<0.01%$0.000984118.6595$0.1167
BSC<0.01%$0.00136483.282$0.1135
BSC<0.01%$0.0001061,073.9474$0.1133
BSC<0.01%<$0.000001243,098.6545$0.1117
BSC<0.01%<$0.000001553,900,604.9456$0.1107
BSC<0.01%$0.0150047.2947$0.1094
BSC<0.01%<$0.000001217,276.6653$0.1081
BSC<0.01%<$0.0000011,080,585,864.2667$0.108
BSC<0.01%<$0.0000011,070,809,028.5246$0.107
BSC<0.01%$0.0000214,979.7552$0.1055
BSC<0.01%$0.1847960.5694$0.1052
BSC<0.01%$0.00029362.7441$0.1052
BSC<0.01%<$0.000001133,508,790.2134$0.1045
BSC<0.01%<$0.00000114,918,089,659.0312$0.1029
BSC<0.01%$550.930.00000539$0.002971
FTM48.78%$0.0063483,295,278,248.6043$20,917,964.98
FTM<0.01%<$0.0000014,236,481,348.6246$323.67
FTM<0.01%$0.00345520,059.0947$69.31
FTM<0.01%$66,9840.00013601$9.11
FTM<0.01%$2,421.370.0025067$6.07
FTM<0.01%$0.00006274,572.2702$4.66
FTM<0.01%$0.005418825.6485$4.47
FTM<0.01%$23.020.1619$3.73
FTM<0.01%$1.272.8973$3.68
FTM<0.01%$0.030343114.8122$3.48
FTM<0.01%$0.9998712.9422$2.94
FTM<0.01%$0.00017415,436.5335$2.69
FTM<0.01%$0.9809552.2849$2.24
FTM<0.01%$0.2989467.2063$2.15
FTM<0.01%$0.4490654.644$2.09
FTM<0.01%$0.0001849,073.8658$1.67
FTM<0.01%$0.012105135.5075$1.64
FTM<0.01%$0.12093713.4783$1.63
FTM<0.01%$0.2299915.3753$1.24
FTM<0.01%$9.630.1279$1.23
FTM<0.01%$0.00421248.6555$1.05
FTM<0.01%$0.001957454.7529$0.8898
FTM<0.01%<$0.0000011,682,183,680.0848$0.6728
FTM<0.01%$0.1944713.447$0.6703
FTM<0.01%$0.0001125,562.8906$0.6229
FTM<0.01%$1.10.5618$0.618
FTM<0.01%$0.02250427.2984$0.6143
FTM<0.01%$0.69590.8426$0.5863
FTM<0.01%$0.6300690.8355$0.5263
FTM<0.01%$0.0003051,492.8806$0.4559
FTM<0.01%$0.00543583.7295$0.4551
FTM<0.01%$0.2928641.347$0.3944
FTM<0.01%$0.66060.4944$0.3266
FTM<0.01%<$0.000001636,164.2415$0.2295
FTM<0.01%$1.640.1343$0.2203
FTM<0.01%$0.01814511.2$0.2032
FTM<0.01%$0.9967360.1819$0.1813
FTM<0.01%$0.0146777.047$0.1034
ETH<0.01%$0.6834661,058.3147$723.32
ETH<0.01%$0.0713197,655.0328$545.95
ETH<0.01%$0.02629114,728.5393$387.23
ETH<0.01%$0.00852923,713.7868$202.25
ETH<0.01%<$0.0000011,012,358,373.2539$158.27
ETH<0.01%$0.000412368,581.2788$151.76
ETH<0.01%$0.000384354,013.9943$135.81
ETH<0.01%<$0.000001241,877,590,171.713$133.22
ETH<0.01%$0.0242255,283.2563$127.99
ETH<0.01%$0.182498662.7338$120.95
ETH<0.01%$128.770.8542$110
ETH<0.01%<$0.000001254,667,958.0731$109.88
ETH<0.01%<$0.0000016,789,080,140.102$106.04
ETH<0.01%$0.0000841,217,246.7963$101.9
ETH<0.01%<$0.0000011,119,053,250.6975$99.48
ETH<0.01%$0.573507169.8654$97.42
ETH<0.01%$194.1867$94.28
ETH<0.01%$0.0000185,261,208.0828$94.18
ETH<0.01%$0.474696193.0598$91.64
ETH<0.01%<$0.00000118,072,817,527,867.1$91.59
ETH<0.01%$0.99908991.2808$91.2
ETH<0.01%$0.0121017,201.0513$87.14
ETH<0.01%$0.00233336,310.8145$84.7
ETH<0.01%$1.5751.0997$80.23
ETH<0.01%$0.0201993,838.5475$77.54
ETH<0.01%<$0.0000016,179,851,624.5086$71.97
ETH<0.01%$1.2255.0251$67.13
ETH<0.01%$0.0117615,591.644$65.76
ETH<0.01%$3.7217.1342$63.75
ETH<0.01%$4,476.620.0141$62.98
ETH<0.01%$0.602906103.4763$62.39
ETH<0.01%$0.163555374.5433$61.26
ETH<0.01%$278.50.2152$59.92
ETH<0.01%$2.7421.6665$59.37
ETH<0.01%$547.930.1063$58.24
ETH<0.01%$0.95458360.8887$58.12
ETH<0.01%$0.80011571.8262$57.47
ETH<0.01%$0.0387971,450.5582$56.28
ETH<0.01%$330.360.1663$54.95
ETH<0.01%$0.75956569.5286$52.81
ETH<0.01%$48.581.0735$52.15
ETH<0.01%$0.221134234.3329$51.82
ETH<0.01%$0.0173342,948.5706$51.11
ETH<0.01%$0.265698189.5888$50.37
ETH<0.01%$0.051662968.8003$50.05
ETH<0.01%$55.850.8829$49.31
ETH<0.01%$7.96.2326$49.23
ETH<0.01%$0.055019890.9015$49.02
ETH<0.01%$2,397.80.0197$47.2
ETH<0.01%$0.068029691.9583$47.07
ETH<0.01%$0.00057581,819.8147$47.04
ETH<0.01%$0.00000412,243,887.1519$46.89
ETH<0.01%$0.153026304.8698$46.65
ETH<0.01%$0.0147433,156.514$46.54
ETH<0.01%$0.00165427,930.9949$46.2
ETH<0.01%<$0.000001355,000,957.7367$45.49
ETH<0.01%$6.197.3246$45.34
ETH<0.01%$0.78960157.1095$45.09
ETH<0.01%$0.66632267.216$44.79
ETH<0.01%$0.0000113,892,298.7307$44.18
ETH<0.01%$0.1174375.604$44.1
ETH<0.01%$0.094184466.627$43.95
ETH<0.01%$48.720.8999$43.84
ETH<0.01%$0.328729132.8312$43.67
ETH<0.01%$0.0306891,421.0589$43.61
ETH<0.01%$0.161432262.6973$42.41
ETH<0.01%$0.0287171,466.2999$42.11
ETH<0.01%<$0.000001101,453,350.2577$42.09
ETH<0.01%$0.023761,763.8207$41.91
ETH<0.01%$0.063649655.0062$41.69
ETH<0.01%$0.246114168.0554$41.36
ETH<0.01%$0.99681140.8927$40.76
ETH<0.01%$0.000338119,467.0291$40.42
ETH<0.01%$0.071652553.8002$39.68
ETH<0.01%$0.053978719.4983$38.84
ETH<0.01%$0.0295331,309.1009$38.66
ETH<0.01%$0.0134722,860.3643$38.54
ETH<0.01%$0.0000094,055,710.3925$38.33
ETH<0.01%$0.291488131.2611$38.26
ETH<0.01%$0.0037989,964.536$37.85
ETH<0.01%$0.122786305.0679$37.46
ETH<0.01%$0.060766609.3446$37.03
ETH<0.01%$0.0081324,549.3079$37
ETH<0.01%$0.000057646,419.439$36.86
ETH<0.01%$0.91097340.1811$36.6
ETH<0.01%$1.0435.2511$36.52
ETH<0.01%$0.0056686,406.0925$36.31
ETH<0.01%$0.1489241.6797$35.99
ETH<0.01%$0.000145246,222.1877$35.61
ETH<0.01%$0.113181313.7624$35.51
ETH<0.01%$0.0341391,031.8682$35.23
ETH<0.01%$0.00069350,674.6869$35.12
ETH<0.01%$0.40103687.5102$35.09
ETH<0.01%$29.521.1822$34.9
ETH<0.01%<$0.000001605,786,195.0625$34.65
ETH<0.01%$0.048326716.3488$34.62
ETH<0.01%<$0.000001117,981,383.58$34.42
ETH<0.01%$0.99940633.3131$33.29
ETH<0.01%$0.144101230.5487$33.22
ETH<0.01%$0.0203211,633.8402$33.2
ETH<0.01%$0.163859201.968$33.09
ETH<0.01%$0.00043775,146.1862$32.84
ETH<0.01%$2.0515.9895$32.78
ETH<0.01%$0.013682,393.3361$32.74
ETH<0.01%$0.193406169.0619$32.7
ETH<0.01%$0.0250191,306.4431$32.69
ETH<0.01%$2.2614.4018$32.55
ETH<0.01%$0.000158205,289.2447$32.47
ETH<0.01%$0.058035558.6431$32.42
ETH<0.01%<$0.0000015,826,303,631,695.33$32.18
ETH<0.01%$0.85008737.8191$32.15
ETH<0.01%$0.0122082,615.3504$31.93
ETH<0.01%$0.51575461.6117$31.78
ETH<0.01%$0.0041157,683.641$31.62
ETH<0.01%$0.0283371,111.1122$31.49
ETH<0.01%<$0.0000012,602,728,815.1149$31.46
ETH<0.01%$67,0630.00046739$31.34
ETH<0.01%$0.46596166.3019$30.89
ETH<0.01%$0.003299,225.0236$30.35
ETH<0.01%$0.46587765.121$30.34
ETH<0.01%$0.110231275.1186$30.33
ETH<0.01%$0.10198297.154$30.3
ETH<0.01%$6.254.7784$29.87
ETH<0.01%<$0.0000017,536,283,455.0011$29.84
ETH<0.01%$0.00077238,441.1776$29.66
ETH<0.01%$0.0104212,832.5179$29.52
ETH<0.01%<$0.00000174,119,364.1755$29.44
ETH<0.01%$0.056608517.2468$29.28
ETH<0.01%$263.80.1099$29
ETH<0.01%$0.00093930,415.3317$28.57
ETH<0.01%$0.00031391,243.2882$28.57
ETH<0.01%$0.069862408.8006$28.56
ETH<0.01%$0.0032118,776.9253$28.18
ETH<0.01%$0.0094142,988.2591$28.13
ETH<0.01%$2.999.4004$28.11
ETH<0.01%$0.105434266.2773$28.07
ETH<0.01%$0.000740,098.6539$28.05
ETH<0.01%$0.0227891,228.3085$27.99
ETH<0.01%$0.263087106.3114$27.97
ETH<0.01%$0.0177641,571.8571$27.92
ETH<0.01%$0.0073093,730.3481$27.26
ETH<0.01%$0.056623478.4312$27.09
ETH<0.01%$0.040347671.1346$27.08
ETH<0.01%$104.620.2584$27.03
ETH<0.01%$0.254736103.8783$26.46
ETH<0.01%$0.48848353.8626$26.31
ETH<0.01%$0.90785828.9279$26.26
ETH<0.01%$2,424.110.0108$26.26
ETH<0.01%$7.343.5607$26.14
ETH<0.01%$1.0524.5284$25.88
ETH<0.01%$2,867.560.00900383$25.82
ETH<0.01%$0.3734368.9904$25.76
ETH<0.01%<$0.00000195,204,227,139.7396$25.6
ETH<0.01%$0.034217747.5393$25.58
ETH<0.01%$0.0000046,119,269.1824$25.46
ETH<0.01%$0.000178142,966.2733$25.44
ETH<0.01%$0.0147921,706.2146$25.24
ETH<0.01%$0.00071335,411.8894$25.23
ETH<0.01%$0.0094052,643.6084$24.86
ETH<0.01%<$0.000001227,881,755.8267$24.84
ETH<0.01%$2.539.6816$24.47
ETH<0.01%$0.05681426.1$24.21
ETH<0.01%$0.0048894,925.3324$24.08
ETH<0.01%$0.000178133,293.7515$23.76
ETH<0.01%$0.64970536.4605$23.69
ETH<0.01%$0.0173441,362.6938$23.63
ETH<0.01%$0.163295141.8732$23.17
ETH<0.01%$0.0064543,588.1214$23.16
ETH<0.01%$0.051254450.0652$23.07
ETH<0.01%$0.110921207.439$23.01
ETH<0.01%$0.00038260,253.5859$23
ETH<0.01%$0.35834264.024$22.94
ETH<0.01%$0.6869633.3669$22.92
ETH<0.01%$0.29698377.0634$22.89
ETH<0.01%$0.00041154,346.6843$22.33
ETH<0.01%$2.718.2405$22.3
ETH<0.01%$0.0135711,627.4504$22.09
ETH<0.01%$0.034132646.8026$22.08
ETH<0.01%$0.99377122.2133$22.07
ETH<0.01%$0.0046784,707.8392$22.02
ETH<0.01%$0.0069363,151.0578$21.85
ETH<0.01%$0.000024897,608.6842$21.78
ETH<0.01%$0.000022970,290.883$21.71
ETH<0.01%$0.28741874.1569$21.31
ETH<0.01%$0.0081732,599.2847$21.24
ETH<0.01%$0.125424167.7733$21.04
ETH<0.01%$0.055842368.1134$20.56
ETH<0.01%$0.43105247.6478$20.54
ETH<0.01%$0.0030076,782.1535$20.4
ETH<0.01%$0.00042547,887.743$20.37
ETH<0.01%$0.191957104.829$20.12
ETH<0.01%<$0.00000146,514,398.2326$19.96
ETH<0.01%$0.0027117,286.9497$19.75
ETH<0.01%$16.611.1837$19.66
ETH<0.01%$0.0000029,511,462.4055$19.21
ETH<0.01%$2.228.6446$19.16
ETH<0.01%$0.095887198.5357$19.04
ETH<0.01%$0.26479971.7835$19.01
ETH<0.01%$0.035317535.906$18.93
ETH<0.01%$2,484.860.00761079$18.91
ETH<0.01%$0.03886486.0707$18.89
ETH<0.01%$0.0035535,312.5255$18.87
ETH<0.01%$0.178916105.0638$18.8
ETH<0.01%$0.0030346,162.4591$18.7
ETH<0.01%$2.18.7979$18.48
ETH<0.01%<$0.000001363,129,299.9193$18.46
ETH<0.01%$0.108273169.4857$18.35
ETH<0.01%$0.0114451,589.5632$18.19
ETH<0.01%<$0.0000011,834,141,964.3392$18.15
ETH<0.01%$0.55214432.7914$18.11
ETH<0.01%$0.00069625,931.7103$18.05
ETH<0.01%$0.0026536,777.6694$17.98
ETH<0.01%$57,671.170.00031037$17.9
ETH<0.01%$0.00002886,609.6144$17.74
ETH<0.01%$2.168.1633$17.63
ETH<0.01%$0.000443,976.4732$17.61
ETH<0.01%<$0.000001131,779,783.9421$17.56
ETH<0.01%$0.0094921,846.9881$17.53
ETH<0.01%$0.92346518.843$17.4
ETH<0.01%$1.0716.0406$17.21
ETH<0.01%$0.0021128,093.8334$17.1
ETH<0.01%$59.990.2813$16.88
ETH<0.01%$0.00147911,367.4658$16.81
ETH<0.01%$0.00063826,255.4204$16.75
ETH<0.01%$0.034272488.4039$16.74
ETH<0.01%$0.58226628.709$16.72
ETH<0.01%$0.00126613,140.78$16.64
ETH<0.01%<$0.0000016,649,603,295.3879$16.61
ETH<0.01%$0.156784105.7837$16.59
ETH<0.01%$0.3496947.4096$16.58
ETH<0.01%$0.55620629.7207$16.53
ETH<0.01%$0.062995260.5685$16.41
ETH<0.01%<$0.00000133,478,970.9985$16.34
ETH<0.01%$0.0010615,406.7959$16.34
ETH<0.01%$0.18949885.826$16.26
ETH<0.01%<$0.0000016,670,459,250.3983$16.19
ETH<0.01%$0.00114813,978.3925$16.04
ETH<0.01%$0.0028865,546.4891$16.01
ETH<0.01%$0.039448404.9077$15.97
ETH<0.01%$0.0131361,209.5485$15.89
ETH<0.01%$0.117067135.0862$15.81
ETH<0.01%$1.729.0991$15.65
ETH<0.01%$0.023574656.5208$15.48
ETH<0.01%$0.000016948,012.631$15.43
ETH<0.01%$11.131.3797$15.36
ETH<0.01%$0.0031924,806.1413$15.34
ETH<0.01%$0.038524397.6315$15.32
ETH<0.01%$0.030449497.4136$15.15
ETH<0.01%$0.054362277.0023$15.06
ETH<0.01%$0.99879615.0192$15
ETH<0.01%$0.2456361.009$14.99
ETH<0.01%$0.1663889.8951$14.96
ETH<0.01%$0.061795241.3462$14.91
ETH<0.01%$0.147487100.9838$14.89
ETH<0.01%$1.97.7652$14.75
ETH<0.01%$0.045497322.0254$14.65
ETH<0.01%$0.0099081,464.7322$14.51
ETH<0.01%$0.020192713.1242$14.4
ETH<0.01%$1.0913.2$14.36
ETH<0.01%$121.1971$14.36
ETH<0.01%$0.016345874.1885$14.29
ETH<0.01%$0.014274997.452$14.24
ETH<0.01%$0.139784101.6393$14.21
ETH<0.01%$36.060.3893$14.04
ETH<0.01%$0.44219931.6998$14.02
ETH<0.01%$0.0020466,837.0264$13.99
ETH<0.01%$0.036709375.1949$13.77
ETH<0.01%$0.0033144,144.7274$13.73
ETH<0.01%$0.0225610.0719$13.73
ETH<0.01%$0.14858492.3734$13.73
ETH<0.01%$0.115833118.3979$13.71
ETH<0.01%$2.645.1883$13.7
ETH<0.01%$0.016527825.8807$13.65
ETH<0.01%$0.88927315.346$13.65
ETH<0.01%$0.0042323,222.2276$13.64
ETH<0.01%$0.021372637.5034$13.62
ETH<0.01%$0.124818108.7576$13.57
ETH<0.01%$0.0022016,121.6188$13.47
ETH<0.01%$0.000021631,616.4777$13.42
ETH<0.01%$0.0120841,107.6062$13.38
ETH<0.01%<$0.00000162,458,729,456.7955$13.2
ETH<0.01%$0.0075341,730.0793$13.03
ETH<0.01%$0.039188332.1855$13.02
ETH<0.01%$0.022725562.3449$12.78
ETH<0.01%$0.024433522.0194$12.75
ETH<0.01%$0.30427541.8228$12.73
ETH<0.01%$2,300.870.0054882$12.63
ETH<0.01%$0.0049392,549.4691$12.59
ETH<0.01%$0.00000123,618,655.351$12.59
ETH<0.01%$0.00111311,273.7366$12.55
ETH<0.01%$0.00000113,902,358.7399$12.53
ETH<0.01%$0.0013129,537.3057$12.52
ETH<0.01%<$0.00000131,632,042.0325$12.5
ETH<0.01%$0.00104111,835.3182$12.33
ETH<0.01%$1.1910.3288$12.29
ETH<0.01%$0.19161563.7429$12.21
ETH<0.01%$1.647.3483$12.05
ETH<0.01%$0.0055992,152.1707$12.05
ETH<0.01%$0.00105711,364.8638$12.01
ETH<0.01%$0.48633924.6796$12
ETH<0.01%$0.000033361,970.829$11.97
ETH<0.01%$0.000014859,821.3717$11.92
ETH<0.01%$0.012324962.1865$11.86
ETH<0.01%$0.00117110,059.5647$11.78
ETH<0.01%$100.460.117$11.75
ETH<0.01%$1.0511.1057$11.71
ETH<0.01%$0.99403211.7405$11.67
ETH<0.01%<$0.0000011,336,753,842.2684$11.59
ETH<0.01%$0.000045258,958.2195$11.54
ETH<0.01%$0.083758136.3537$11.42
ETH<0.01%$0.22151951.1963$11.34
ETH<0.01%$0.0029333,844.8165$11.28
ETH<0.01%$0.014347779.67$11.19
ETH<0.01%$0.00076414,618.3003$11.17
ETH<0.01%$0.012358899.8472$11.12
ETH<0.01%$0.00015571,011$11.03
ETH<0.01%$0.0045422,412.3309$10.96
ETH<0.01%$0.00037229,405.1891$10.94
ETH<0.01%$0.060274181.0554$10.91
ETH<0.01%$0.0013867,857.813$10.89
ETH<0.01%$0.12676785.3802$10.82
ETH<0.01%$0.05998180.2128$10.81
ETH<0.01%$0.0033933,185.1512$10.81
ETH<0.01%$0.041365260.9126$10.79
ETH<0.01%$0.041365260.9126$10.79
ETH<0.01%$0.37889228.3236$10.73
ETH<0.01%$0.32323233.0812$10.69
ETH<0.01%$150.7103$10.66
ETH<0.01%$0.058775180.9042$10.63
ETH<0.01%$0.0052882,007.2587$10.62
ETH<0.01%$0.063198166.9185$10.55
ETH<0.01%$0.037209279.0125$10.38
ETH<0.01%$0.0020924,961.6815$10.38
ETH<0.01%$0.034013299.5988$10.19
ETH<0.01%$0.11011492.2794$10.16
ETH<0.01%$0.05913169.2059$10.01
ETH<0.01%$1.755.7138$9.99
ETH<0.01%$0.34860728.6418$9.98
ETH<0.01%$0.012022829.0853$9.97
ETH<0.01%$0.002463,981.2602$9.8
ETH<0.01%$0.35266927.6983$9.77
ETH<0.01%$0.00055217,700.9754$9.77
ETH<0.01%<$0.000001122,029,747.7241$9.7
ETH<0.01%$0.090815106.3968$9.66
ETH<0.01%$0.0062271,533.9952$9.55
ETH<0.01%$0.00372,576.8057$9.53
ETH<0.01%$0.09656498.7227$9.53
ETH<0.01%$19.5154$9.52
ETH<0.01%<$0.000001109,605,817,965.291$9.33
ETH<0.01%$0.00058115,985.3826$9.29
ETH<0.01%$0.052706174.6738$9.21
ETH<0.01%$6.051.5032$9.09
ETH<0.01%$0.023676382.0486$9.05
ETH<0.01%$0.012871701.8135$9.03
ETH<0.01%$0.0021284,233.1138$9.01
ETH<0.01%$0.22836339.405$9
ETH<0.01%$0.000016549,831.4157$8.81
ETH<0.01%$0.048263182.1968$8.79
ETH<0.01%$0.009843872.8196$8.59
ETH<0.01%$2.054.1429$8.49
ETH<0.01%$0.0073761,149.0591$8.48
ETH<0.01%$0.00035723,621.0938$8.43
ETH<0.01%$0.023842352.673$8.41
ETH<0.01%$0.0024873,358$8.35
ETH<0.01%$8.90.9367$8.34
ETH<0.01%$0.0011227,283.6548$8.18
ETH<0.01%$0.31621825.7025$8.13
ETH<0.01%$0.013568598.7515$8.12
ETH<0.01%$0.35207623.0616$8.12
ETH<0.01%$5.561.4454$8.04
ETH<0.01%$0.0021383,721.5705$7.96
ETH<0.01%$11.480.6892$7.91
ETH<0.01%$0.067014117.5803$7.88
ETH<0.01%$0.04414177.6143$7.84
ETH<0.01%$3.362.3166$7.78
ETH<0.01%$0.52905814.6198$7.73
ETH<0.01%$0.00042318,185.5$7.7
ETH<0.01%$250.740.0307$7.7
ETH<0.01%$0.038768198.1044$7.68
ETH<0.01%$0.0000032,354,216.2664$7.65
ETH<0.01%$0.00000112,071,724.986$7.64
ETH<0.01%$0.0065921,158.9272$7.64
ETH<0.01%$0.0059541,276.3425$7.6
ETH<0.01%$0.013567557.5858$7.56
ETH<0.01%$1.156.3419$7.29
ETH<0.01%$0.42677616.8556$7.19
ETH<0.01%$0.7126019.9954$7.12
ETH<0.01%$0.0000015,415,101.5164$6.99
ETH<0.01%$0.054206128.2585$6.95
ETH<0.01%$0.025942267.637$6.94
ETH<0.01%$0.0000032,432,565.5784$6.94
ETH<0.01%$0.051733131.8716$6.82
ETH<0.01%$0.004881,397.9727$6.82
ETH<0.01%$0.00063310,752.6099$6.81
ETH<0.01%$0.013374505.4572$6.76
ETH<0.01%$0.40393916.6671$6.73
ETH<0.01%$0.056439118.9514$6.71
ETH<0.01%$0.017253388.3221$6.7
ETH<0.01%$0.0025212,645.2751$6.67
ETH<0.01%$0.0049481,347.5917$6.67
ETH<0.01%$0.00032919,864.9225$6.54
ETH<0.01%$8.460.7635$6.46
ETH<0.01%$0.0053591,194.0841$6.4
ETH<0.01%$0.006364994.3115$6.33
ETH<0.01%$0.0047541,296.5021$6.16
ETH<0.01%$0.010414586.8138$6.11
ETH<0.01%$0.032057189.7576$6.08
ETH<0.01%$0.06584692.0598$6.06
ETH<0.01%$95.020.0618$5.87
ETH<0.01%$0.0018253,209.2724$5.86
ETH<0.01%$0.0011694,971.8871$5.81
ETH<0.01%$0.0023472,474.8185$5.81
ETH<0.01%$2.062.8023$5.77
ETH<0.01%$15.6601$5.68
ETH<0.01%$0.0026452,140$5.66
ETH<0.01%$0.12660544.3444$5.61
ETH<0.01%$0.00034816,098.0876$5.6
ETH<0.01%$0.23191324.1351$5.6
ETH<0.01%$0.0036551,530.6953$5.6
ETH<0.01%$0.15815435.1432$5.56
ETH<0.01%$1.254.4159$5.52
ETH<0.01%<$0.000001644,772,423.3893$5.49
ETH<0.01%$0.010847500.5003$5.43
ETH<0.01%$0.0000867,400.6947$5.41
ETH<0.01%<$0.0000017,664,213,179,739.92$5.4
ETH<0.01%$0.08060367.0477$5.4
ETH<0.01%$0.17974229.8378$5.36
ETH<0.01%$0.010909488.8656$5.33
ETH<0.01%$0.0019112,784.6892$5.32
ETH<0.01%$0.00022323,705.7258$5.29
ETH<0.01%$0.28191718.5676$5.23
ETH<0.01%$1.323.9603$5.23
ETH<0.01%$0.009993517.9824$5.18
ETH<0.01%$0.0599886.1451$5.17
ETH<0.01%$0.31335316.4745$5.16
ETH<0.01%$0.0043821,175.9628$5.15
ETH<0.01%$0.00010449,650.8023$5.14
ETH<0.01%$0.26022419.7299$5.13
ETH<0.01%$0.0011354,517.81$5.13
ETH<0.01%$2.192.3249$5.09
ETH<0.01%$0.001932,604.1194$5.03
ETH<0.01%$0.0027651,803.291$4.99
ETH<0.01%$0.035526140.2339$4.98
ETH<0.01%$1,155.580.0042592$4.92
ETH<0.01%$0.000032152,399.9642$4.92
ETH<0.01%$0.0047641,027.1608$4.89
ETH<0.01%$0.9977994.8734$4.86
ETH<0.01%$0.010958438.2382$4.8
ETH<0.01%$0.006472740.1186$4.79
ETH<0.01%<$0.000001713,378,376.8977$4.78
ETH<0.01%$0.0037011,278.9995$4.73
ETH<0.01%$0.00017427,068.6062$4.72
ETH<0.01%<$0.000001124,935,311.9433$4.7
ETH<0.01%$0.0040461,156.5905$4.68
ETH<0.01%$2,548.470.00182375$4.65
ETH<0.01%$0.00688675.3957$4.65
ETH<0.01%$0.0005538,390.6838$4.64
ETH<0.01%$0.0020482,253.6493$4.62
ETH<0.01%$0.29310815.7072$4.6
ETH<0.01%$0.004754961.4289$4.57
ETH<0.01%$0.0012923,534.6679$4.57
ETH<0.01%$1.064.3053$4.56
ETH<0.01%$0.5558557.896$4.39
ETH<0.01%$12.320.3537$4.36
ETH<0.01%$0.000008547,914.8365$4.35
ETH<0.01%$0.013015331.042$4.31
ETH<0.01%$0.0041891,026.9921$4.3
ETH<0.01%<$0.0000013,936,059,689.1904$4.27
ETH<0.01%$0.004785892.0367$4.27
ETH<0.01%$1.13.8765$4.26
ETH<0.01%$0.15813926.906$4.25
ETH<0.01%$0.0012243,462.4907$4.24
ETH<0.01%$4.141$4.14
ETH<0.01%$0.00002203,973.3617$4.13
ETH<0.01%$0.0036451,127.6813$4.11
ETH<0.01%$0.0010333,916.8046$4.04
ETH<0.01%$0.006009661.691$3.98
ETH<0.01%$0.5571437.1063$3.96
ETH<0.01%$0.001143,458.3077$3.94
ETH<0.01%$0.32768612.027$3.94
ETH<0.01%$0.03174123.5025$3.92
ETH<0.01%$0.09233242.364$3.91
ETH<0.01%$0.0034991,107$3.87
ETH<0.01%<$0.00000157,247,047.4534$3.87
ETH<0.01%$0.7897784.8489$3.83
ETH<0.01%$0.00020318,796$3.82
ETH<0.01%$0.23841716.0244$3.82
ETH<0.01%$0.0000021,948,078.2642$3.81
ETH<0.01%$307.380.0124$3.8
ETH<0.01%$0.0018062,099.2401$3.79
ETH<0.01%$0.22632316.7051$3.78
ETH<0.01%$0.00031312,068.767$3.77
ETH<0.01%$0.01686221.2978$3.73
ETH<0.01%$0.018146203.683$3.7
ETH<0.01%$0.019877185.8439$3.69
ETH<0.01%$3.411$3.41
ETH<0.01%$0.27590512.2671$3.38
ETH<0.01%<$0.000001796,126,914.8531$3.34
ETH<0.01%$0.15053421.9486$3.3
ETH<0.01%$0.00008439,325.2376$3.3
ETH<0.01%$0.0006015,456.1261$3.28
ETH<0.01%$0.004736677.2708$3.21
ETH<0.01%$0.0010443,038.9492$3.17
ETH<0.01%$0.006638474.3074$3.15
ETH<0.01%$0.0004197,505.691$3.15
ETH<0.01%$22.090.1419$3.13
ETH<0.01%$0.003401912.64$3.1
ETH<0.01%$0.9952723.1157$3.1
ETH<0.01%$0.11525726.4869$3.05
ETH<0.01%$0.0002114,495.0159$3.05
ETH<0.01%$0.12387624.5911$3.05
ETH<0.01%$0.014238213.536$3.04
ETH<0.01%$0.04548666.3171$3.02
ETH<0.01%$1.092.741$2.99
ETH<0.01%$0.019957148.4688$2.96
ETH<0.01%$0.0006034,906.3456$2.96
ETH<0.01%$0.28191710.4823$2.96
ETH<0.01%$0.008361353.2398$2.95
ETH<0.01%$0.11124326.5332$2.95
ETH<0.01%$0.0027931,047.7012$2.93
ETH<0.01%$0.03432185.2611$2.93
ETH<0.01%$0.08950132.6868$2.93
ETH<0.01%$0.3154729.2153$2.91
ETH<0.01%<$0.000001700,033,124.4583$2.86
ETH<0.01%$0.020756137.7077$2.86
ETH<0.01%$0.01261224.067$2.83
ETH<0.01%$0.24750811.3771$2.82
ETH<0.01%$0.012328227.5982$2.81
ETH<0.01%$22.830.1207$2.76
ETH<0.01%$0.011118246.3781$2.74
ETH<0.01%$0.022614120.3506$2.72
ETH<0.01%$0.0006923,927.3104$2.72
ETH<0.01%$3.540.7545$2.67
ETH<0.01%$15.050.177$2.66
ETH<0.01%$0.15792516.803$2.65
ETH<0.01%$0.22869911.5967$2.65
ETH<0.01%$2,404.770.00110105$2.65
ETH<0.01%$1.641.6107$2.64
ETH<0.01%$0.0012752,064.7493$2.63
ETH<0.01%$0.006134423.3728$2.6
ETH<0.01%$65,979.940.0000389$2.57
ETH<0.01%$0.005478467.2833$2.56
ETH<0.01%$0.01454174.2797$2.53
ETH<0.01%$0.05347147.1264$2.52
ETH<0.01%$17.410.1447$2.52
ETH<0.01%$0.0682336.6272$2.5
ETH<0.01%$0.000017144,794.8903$2.5
ETH<0.01%$0.078431.8061$2.49
ETH<0.01%$54.50.0457$2.49
ETH<0.01%$4,203.170.00059008$2.48
ETH<0.01%$0.02819787.7671$2.47
ETH<0.01%$0.000007343,904.5702$2.45
ETH<0.01%<$0.00000131,319,607.6978$2.44
ETH<0.01%$15.90.1518$2.41
ETH<0.01%$0.005947402.9429$2.4
ETH<0.01%$0.005544431.4546$2.39
ETH<0.01%$0.000425,695.1999$2.39
ETH<0.01%$0.07317932.2861$2.36
ETH<0.01%$0.0003396,953.4708$2.35
ETH<0.01%$0.03075376.0822$2.34
ETH<0.01%<$0.0000017,451,991,585.7836$2.34
ETH<0.01%$0.0011891,955.3898$2.33
ETH<0.01%$0.0014691,582.4391$2.32
ETH<0.01%$0.00015514,755.3314$2.28
ETH<0.01%$0.0018321,237.5312$2.27
ETH<0.01%<$0.000001176,973,029.3878$2.26
ETH<0.01%$0.008833253.1828$2.24
ETH<0.01%$0.000004561,308.6958$2.21
ETH<0.01%<$0.0000012,005,186,034.278$2.2
ETH<0.01%$7.990.2695$2.15
ETH<0.01%$0.04757144.9286$2.14
ETH<0.01%$0.0003326,275.999$2.09
ETH<0.01%$0.003749554.3723$2.08
ETH<0.01%$0.011582175.2665$2.03
ETH<0.01%$0.006123330.0339$2.02
ETH<0.01%$0.0016241,209.9715$1.96
ETH<0.01%$230.70.00850802$1.96
ETH<0.01%$0.2928636.6786$1.96
ETH<0.01%$0.0406248.0927$1.95
ETH<0.01%$0.00008822,106.4451$1.95
ETH<0.01%$0.0004724,118.9304$1.94
ETH<0.01%$0.000007277,486.2649$1.94
ETH<0.01%$0.066628.6111$1.91
ETH<0.01%$12.720.1495$1.9
ETH<0.01%$0.7501282.5306$1.9
ETH<0.01%$0.004349431.3689$1.88
ETH<0.01%$0.17522810.6857$1.87
ETH<0.01%$0.0009441,982.6495$1.87
ETH<0.01%$0.0001314,313.0241$1.87
ETH<0.01%$0.005212354.1876$1.85
ETH<0.01%$0.07088326.0111$1.84
ETH<0.01%$0.0005533,335.0822$1.84
ETH<0.01%$0.185399.907$1.84
ETH<0.01%$2,547.360.00071157$1.81
ETH<0.01%$0.00053,624.5644$1.81
ETH<0.01%$0.02710866.0777$1.79
ETH<0.01%$0.02857162.4518$1.78
ETH<0.01%$0.000008225,488.9703$1.77
ETH<0.01%$0.2336037.5667$1.77
ETH<0.01%$0.1929739.1202$1.76
ETH<0.01%$0.004972348.9801$1.74
ETH<0.01%<$0.000001679,396,197,089.621$1.74
ETH<0.01%$0.11230915.4329$1.73
ETH<0.01%<$0.0000016,322,861.4263$1.69
ETH<0.01%$0.006921237.2769$1.64
ETH<0.01%$0.002299710.2133$1.63
ETH<0.01%$0.482293.3841$1.63
ETH<0.01%$0.0009851,650.0542$1.63
ETH<0.01%<$0.0000016,896,275,985.8208$1.61
ETH<0.01%<$0.00000157,328,764,352,240,100$1.61
ETH<0.01%$0.11742213.5596$1.59
ETH<0.01%$0.010979144.0655$1.58
ETH<0.01%$0.00015410,204.2217$1.58
ETH<0.01%$0.10012715.6924$1.57
ETH<0.01%<$0.0000019,015,224.7137$1.55
ETH<0.01%<$0.000001230,705,144.8653$1.54
ETH<0.01%$0.003139490.1207$1.54
ETH<0.01%$0.000004342,152.4267$1.52
ETH<0.01%$0.0006482,338.2704$1.52
ETH<0.01%$0.2364086.3753$1.51
ETH<0.01%$0.3234814.6075$1.49
ETH<0.01%$0.0001649,093.8239$1.49
ETH<0.01%$0.03081747.9703$1.48
ETH<0.01%$0.149599.8473$1.47
ETH<0.01%<$0.00000121,702,904.0014$1.47
ETH<0.01%$0.00001690,697.1798$1.46
ETH<0.01%$0.0010851,349.825$1.46
ETH<0.01%$0.004967294.3181$1.46
ETH<0.01%$0.003475419.6061$1.46
ETH<0.01%$2.990.4882$1.46
ETH<0.01%$0.007825181.1054$1.42
ETH<0.01%$0.0002445,800.3048$1.42
ETH<0.01%$0.00010713,168.5973$1.4
ETH<0.01%$0.09052815.4402$1.4
ETH<0.01%$0.0010291,336.5911$1.38
ETH<0.01%$0.05965723.0328$1.37
ETH<0.01%$2.690.5096$1.37
ETH<0.01%$0.000003415,386.904$1.37
ETH<0.01%$0.012344110.3027$1.36
ETH<0.01%<$0.00000139,772,685.6568$1.36
ETH<0.01%$16.020.0846$1.36
ETH<0.01%$0.00091,500.7273$1.35
ETH<0.01%$27.930.0482$1.35
ETH<0.01%$0.3662073.6679$1.34
ETH<0.01%$0.0161782.8741$1.34
ETH<0.01%$0.0009671,380.3878$1.33
ETH<0.01%$0.1427569.2992$1.33
ETH<0.01%$0.004333301.0391$1.3
ETH<0.01%<$0.0000011,787,825,848.4903$1.28
ETH<0.01%$0.004561276.6988$1.26
ETH<0.01%$0.09421413.3955$1.26
ETH<0.01%$0.03598234.7381$1.25
ETH<0.01%$105.30.0119$1.25
ETH<0.01%$0.01619875.7502$1.23
ETH<0.01%$0.000003356,962.9089$1.21
ETH<0.01%$0.02604446.3498$1.21
ETH<0.01%$0.001151,047.6854$1.21
ETH<0.01%$26.540.0449$1.19
ETH<0.01%$0.02108156.3616$1.19
ETH<0.01%$0.0009411,254.0874$1.18
ETH<0.01%$0.006527179.8003$1.17
ETH<0.01%$0.04008129.2425$1.17
ETH<0.01%$0.01298190.2189$1.17
ETH<0.01%$0.005012233.3044$1.17
ETH<0.01%$0.0158673.4587$1.17
ETH<0.01%$0.1877956.1405$1.15
ETH<0.01%$17.180.0669$1.15
ETH<0.01%<$0.00000110,155,603.0322$1.15
ETH<0.01%$0.0000257,062.0862$1.13
ETH<0.01%$0.0001616,919.3818$1.11
ETH<0.01%$6.190.1781$1.1
ETH<0.01%$0.06307717.3629$1.1
ETH<0.01%$0.3568033.0469$1.09
ETH<0.01%$0.000002432,562.5618$1.08
ETH<0.01%$0.00005121,065.9856$1.07
ETH<0.01%$0.07369214.518$1.07
ETH<0.01%$0.04824822.1017$1.07
ETH<0.01%$0.00001285,686.2938$1.06
ETH<0.01%$0.00003827,354.2391$1.05
ETH<0.01%$0.001041990.5609$1.03
ETH<0.01%$0.0005052,033.2043$1.03
ETH<0.01%$0.3602812.8233$1.02
ETH<0.01%<$0.0000012,821,757$1.02
ETH<0.01%$0.001585638.2721$1.01
ETH<0.01%$0.0135274.3761$1.01
ETH<0.01%$0.0005421,851.1342$1
ETH<0.01%$0.230024.3301$0.996
ETH<0.01%$0.02417641.0582$0.9926
ETH<0.01%$1.010.9798$0.9875
ETH<0.01%$0.007754125.848$0.9757
ETH<0.01%$2,468.480.00038529$0.951
ETH<0.01%$0.08673410.9146$0.9466
ETH<0.01%$0.0004382,133.0412$0.9339
ETH<0.01%<$0.0000011,879,277,810,155.58$0.9323
ETH<0.01%$0.00003924,038.4918$0.9266
ETH<0.01%$0.08831410.4381$0.9218
ETH<0.01%$0.4969021.8276$0.9081
ETH<0.01%$0.01327868.2109$0.9056
ETH<0.01%$0.001091805.6725$0.8787
ETH<0.01%$0.04274520.5407$0.878
ETH<0.01%$553.070.00158684$0.8776
ETH<0.01%<$0.000001318,037,696.2098$0.8739
ETH<0.01%$0.0006531,320.716$0.8618
ETH<0.01%$0.03757422.2566$0.8362
ETH<0.01%$0.004477186.0042$0.8327
ETH<0.01%$0.0001316,365.0314$0.8306
ETH<0.01%<$0.000001362,418,597.7422$0.7926
ETH<0.01%$0.0109972.0621$0.7919
ETH<0.01%$4.770.1629$0.7769
ETH<0.01%$0.01174265.4495$0.7684
ETH<0.01%$0.005008152.2775$0.7625
ETH<0.01%$0.0002453,101.0237$0.7588
ETH<0.01%$1.080.6989$0.7576
ETH<0.01%$1.090.6919$0.7519
ETH<0.01%$0.01725941.8349$0.722
ETH<0.01%$0.04137817.2323$0.713
ETH<0.01%$0.0966847.3287$0.7085
ETH<0.01%$0.005052139.0412$0.7023
ETH<0.01%$0.02232331.4472$0.7019
ETH<0.01%$0.1610924.3414$0.6993
ETH<0.01%$0.0856458.1361$0.6968
ETH<0.01%$9.940.069$0.6861
ETH<0.01%$0.04128216.5695$0.684
ETH<0.01%$155.240.0043601$0.6768
ETH<0.01%$0.005004135.0168$0.6756
ETH<0.01%$0.000002398,544.5653$0.6735
ETH<0.01%$2,422.410.00027545$0.6672
ETH<0.01%$0.003626180.2128$0.6533
ETH<0.01%$0.004383148.2669$0.6497
ETH<0.01%$0.003878164.1962$0.6368
ETH<0.01%$0.001526413.2967$0.6307
ETH<0.01%<$0.000001176,886,833.5706$0.6263
ETH<0.01%$0.000818763.4569$0.6242
ETH<0.01%$0.03087120.0049$0.6175
ETH<0.01%$0.0001374,507.4502$0.6174
ETH<0.01%$0.7817520.7883$0.6162
ETH<0.01%$0.000677909.9774$0.616
ETH<0.01%$1.780.3439$0.6131
ETH<0.01%$2.690.2253$0.6061
ETH<0.01%<$0.0000011,255,815,362.2743$0.5995
ETH<0.01%$0.000001728,872.1771$0.5911
ETH<0.01%$0.001332431.5546$0.5748
ETH<0.01%$0.0001075,243.7477$0.5622
ETH<0.01%$0.003081179.9923$0.5545
ETH<0.01%$0.03427915.8991$0.5449
ETH<0.01%$0.1991282.7304$0.5436
ETH<0.01%$0.04856711.1874$0.5433
ETH<0.01%$0.00954356.862$0.5426
ETH<0.01%$0.2621372.0648$0.5412
ETH<0.01%$0.01019352.7329$0.5375
ETH<0.01%$0.000568937.2117$0.5326
ETH<0.01%$0.01782629.486$0.5256
ETH<0.01%$0.03227816.1752$0.5221
ETH<0.01%$0.01544133.6108$0.5189
ETH<0.01%<$0.000001150,094,726,912.478$0.5151
ETH<0.01%$0.02571920.0094$0.5146
ETH<0.01%$0.000703731.301$0.5137
ETH<0.01%$0.003114164.2147$0.5114
ETH<0.01%<$0.00000135,423,218.8023$0.5057
ETH<0.01%$0.0001682,997.6515$0.5049
ETH<0.01%$0.1735782.8942$0.5023
ETH<0.01%$0.001754282.6617$0.4958
ETH<0.01%<$0.00000151,196,146.7754$0.4932
ETH<0.01%$0.0003361,462.2376$0.492
ETH<0.01%<$0.000001308,557,697.4594$0.4918
ETH<0.01%<$0.000001360,195,408.1182$0.4895
ETH<0.01%<$0.00000166,010,389,605$0.4872
ETH<0.01%$0.00000956,673.4042$0.4867
ETH<0.01%$0.4155731.1608$0.4823
ETH<0.01%$4,409.140.00010733$0.4732
ETH<0.01%<$0.00000159,333,544,084.7825$0.4689
ETH<0.01%$0.01091741.071$0.4483
ETH<0.01%$0.000471946.5608$0.4456
ETH<0.01%<$0.000001923,378.1298$0.4422
ETH<0.01%$0.00476292.6971$0.4414
ETH<0.01%$0.1092414.0308$0.4403
ETH<0.01%$0.03713511.8556$0.4402
ETH<0.01%<$0.000001136,538,510.332$0.4399
ETH<0.01%$0.0001792,441.0016$0.437
ETH<0.01%$0.0002271,913.1192$0.4342
ETH<0.01%$0.00550878.4201$0.4319
ETH<0.01%$0.0003991,052.1606$0.4198
ETH<0.01%$0.0002551,634.6814$0.4162
ETH<0.01%$0.01581825.252$0.3994
ETH<0.01%$0.00002316,944.3916$0.3942
ETH<0.01%$0.00641461.3354$0.3934
ETH<0.01%$0.001715229.4513$0.3934
ETH<0.01%$0.2222121.7333$0.3851
ETH<0.01%$0.002216172.5032$0.3822
ETH<0.01%$0.001023365.6922$0.3741
ETH<0.01%$0.00983437.6371$0.3701
ETH<0.01%$250,775.10.00000147$0.3675
ETH<0.01%$0.00003510,311.9202$0.3645
ETH<0.01%$0.00706651.2931$0.3624
ETH<0.01%$0.0002931,217.1424$0.3564
ETH<0.01%$0.0152522.5148$0.3433
ETH<0.01%$0.00000659,802.14$0.3301
ETH<0.01%$0.001806178.0387$0.3215
ETH<0.01%<$0.00000141,241,548.7315$0.314
ETH<0.01%$0.001293241.8491$0.3126
ETH<0.01%<$0.000001618,927,654.5155$0.3114
ETH<0.01%<$0.0000013,956,432.6387$0.3025
ETH<0.01%$0.0983143.0571$0.3005
ETH<0.01%$0.1532931.9453$0.2982
ETH<0.01%$0.001681177.3405$0.2981
ETH<0.01%$0.000001205,139.7894$0.2954
ETH<0.01%$0.001996146.587$0.2925
ETH<0.01%$0.000221,325.9848$0.2923
ETH<0.01%$0.001072267.6776$0.2868
ETH<0.01%$0.0396077.1084$0.2815
ETH<0.01%$0.0028896.8211$0.2788
ETH<0.01%$0.00426464.0295$0.273
ETH<0.01%$0.000521509.1793$0.2654
ETH<0.01%<$0.000001561,305,192,759.141$0.2646
ETH<0.01%$0.000365725.0918$0.2646
ETH<0.01%$0.0000455,672.2748$0.2578
ETH<0.01%$0.0368166.9884$0.2572
ETH<0.01%$2.660.0967$0.2572
ETH<0.01%$0.0001681,507.399$0.2534
ETH<0.01%$0.00974925.6774$0.2503
ETH<0.01%$0.001533162.4806$0.2491
ETH<0.01%$0.0000357,031.0488$0.2427
ETH<0.01%$2,598.150.00009296$0.2415
ETH<0.01%$0.01191219.9448$0.2375
ETH<0.01%$3.340.0688$0.23
ETH<0.01%$0.4556290.5035$0.2294
ETH<0.01%<$0.0000011,149,413,815.4681$0.229
ETH<0.01%<$0.0000017,131,022.628$0.2278
ETH<0.01%$0.0001461,554.0575$0.2275
ETH<0.01%$0.0863892.6318$0.2273
ETH<0.01%$0.000417544.5952$0.2271
ETH<0.01%$0.00684232.6616$0.2234
ETH<0.01%$1.20.1856$0.2232
ETH<0.01%$1.060.2068$0.2185
ETH<0.01%$0.00586636.8909$0.2164
ETH<0.01%$0.00762428.198$0.2149
ETH<0.01%$0.000322662.4627$0.2132
ETH<0.01%$0.001115190.9022$0.2129
ETH<0.01%$0.00867924.1233$0.2093
ETH<0.01%$0.000366572.0548$0.2091
ETH<0.01%$0.00575436.3068$0.2089
ETH<0.01%$0.048534.2548$0.2064
ETH<0.01%$0.00000826,635$0.2053
ETH<0.01%$0.01345315.2418$0.205
ETH<0.01%$0.0581873.4842$0.2027
ETH<0.01%$0.0411644.8742$0.2006
ETH<0.01%$0.0610923.2246$0.1969
ETH<0.01%$0.000352555.2505$0.1951
ETH<0.01%$0.01635611.7866$0.1927
ETH<0.01%<$0.0000015,919,595,485,320.97$0.1886
ETH<0.01%$0.000528353.4618$0.1867
ETH<0.01%$0.00365650.4323$0.1843
ETH<0.01%$0.00000540,142.6139$0.1822
ETH<0.01%$0.0000513,546.9786$0.1798
ETH<0.01%$0.00183397.5415$0.1787
ETH<0.01%$0.2023480.8732$0.1766
ETH<0.01%<$0.000001433,105,798.0477$0.1747
ETH<0.01%$0.000846203.6616$0.1723
ETH<0.01%$0.0715782.4056$0.1721
ETH<0.01%$0.1934420.8826$0.1707
ETH<0.01%$0.00235272.5157$0.1705
ETH<0.01%$0.0001141,485.198$0.1693
ETH<0.01%$0.01628510.1101$0.1646
ETH<0.01%$0.00376241.4341$0.1558
ETH<0.01%$0.0185988.3788$0.1558
ETH<0.01%$0.00619424.99$0.1547
ETH<0.01%$0.00210372.1903$0.1518
ETH<0.01%$0.0712482.1255$0.1514
ETH<0.01%$0.00579325.7902$0.1494
ETH<0.01%$0.000001174,183.7767$0.1477
ETH<0.01%$0.000636230.9376$0.1468
ETH<0.01%$2.390.0603$0.1441
ETH<0.01%<$0.0000017,222,288.1516$0.1416
ETH<0.01%$0.1188211.1774$0.1398
ETH<0.01%$0.00001310,960.1745$0.1394
ETH<0.01%$0.0200436.8931$0.1381
ETH<0.01%$0.000471290.1991$0.1367
ETH<0.01%$0.000419318.8784$0.1337
ETH<0.01%<$0.000001710,363,258.7799$0.1326
ETH<0.01%$0.0197696.6657$0.1317
ETH<0.01%$0.0000592,227.8539$0.1314
ETH<0.01%<$0.0000011,901,754.7839$0.1304
ETH<0.01%$0.000521249.7458$0.1301
ETH<0.01%$0.00032398.5913$0.1276
ETH<0.01%$0.5077120.2513$0.1276
ETH<0.01%$0.0000552,303.6781$0.1263
ETH<0.01%$0.00000716,730.1571$0.1248
ETH<0.01%$2.30.0535$0.1231
ETH<0.01%$0.000171711.1123$0.1218
ETH<0.01%$0.0000139,263.8339$0.1161
ETH<0.01%<$0.000001119,092,084.3655$0.1151
ETH<0.01%$0.00139481.3597$0.1134
ETH<0.01%$0.0182155.9626$0.1086
ETH<0.01%$0.0930551.1572$0.1076
ETH<0.01%$0.9285260.113$0.1048
ETH<0.01%$0.006715.5141$0.1039
ETH<0.01%$0.00236343.2502$0.1021
ETH<0.01%$0.000001144,216.6256$0.1014
ETH<0.01%$0.000165612.6759$0.1011
POL<0.01%$0.01924114,537.2554$279.7
POL<0.01%$264.150.6272$165.68
POL<0.01%$0.00000425,474,786.5636$104.7
POL<0.01%$0.00100469,998.3309$70.31
POL<0.01%$0.0035617,100.6078$60.88
POL<0.01%<$0.0000012,548,630,246.171$33.13
POL<0.01%<$0.0000011,556,076,740.7121$14.32
POL<0.01%$1.2910.7992$13.93
POL<0.01%<$0.0000011,219,567,213.7366$13.05
POL<0.01%$0.9997759.1029$9.1
POL<0.01%$0.14592553.3122$7.78
POL<0.01%$0.21712935.1876$7.64
POL<0.01%$0.55543713.7541$7.64
POL<0.01%$0.996867.21$7.19
POL<0.01%$0.036638159.5212$5.84
POL<0.01%$0.0003715,336.5219$5.68
POL<0.01%$0.7571196.0944$4.61
POL<0.01%$0.008381543.2158$4.55
POL<0.01%$0.0039041,141.9183$4.46
POL<0.01%<$0.000001429,429,517.051$4.25
POL<0.01%$0.005483757.9307$4.16
POL<0.01%$0.032042122.6158$3.93
POL<0.01%<$0.000001393,342,804.2872$3.74
POL<0.01%$0.33288410.4934$3.49
POL<0.01%$0.004397772.7571$3.4
POL<0.01%$0.0016781,901.9196$3.19
POL<0.01%$0.4015927.7655$3.12
POL<0.01%$1.211.9178$2.31
POL<0.01%$0.000016135,970.6251$2.2
POL<0.01%$0.00327627.3244$2.05
POL<0.01%$0.003485585.1498$2.04
POL<0.01%$0.00005735,920.0381$2.03
POL<0.01%$0.014023140.9413$1.98
POL<0.01%$0.011827165.5536$1.96
POL<0.01%$0.000961,828.8486$1.76
POL<0.01%$0.0012031,396.2036$1.68
POL<0.01%$0.01549100.964$1.56
POL<0.01%$0.000007209,260.8709$1.37
POL<0.01%$0.3326893.1334$1.04
POL<0.01%$0.005515182.3653$1.01
POL<0.01%$0.004349210.4839$0.9153
POL<0.01%$0.00006114,112.5815$0.8659
POL<0.01%$0.002252375.1926$0.845
POL<0.01%$0.0003762,245.2253$0.8443
POL<0.01%$0.0005291,581.8357$0.8365
POL<0.01%$0.005287149.4746$0.7902
POL<0.01%$22.510.0348$0.7824
POL<0.01%$0.004325165.0689$0.7139
POL<0.01%$0.00000797,354.6556$0.6746
POL<0.01%$0.1298844.4734$0.581
POL<0.01%$0.9996190.5715$0.5712
POL<0.01%$0.03422515.9271$0.5451
POL<0.01%$0.001949269.9718$0.5262
POL<0.01%$7.090.0696$0.4933
POL<0.01%$0.02016123.0966$0.4656
POL<0.01%$0.0625257.4032$0.4628
POL<0.01%$0.2130672.1598$0.4601
POL<0.01%$0.000978461.5479$0.4512
POL<0.01%$0.00543877.1664$0.4195
POL<0.01%$17.440.0231$0.4026
POL<0.01%$0.113273.5515$0.4022
POL<0.01%$0.1174223.1088$0.365
POL<0.01%$0.000772460.1548$0.3554
POL<0.01%$0.03537110$0.3537
POL<0.01%$0.001189292.361$0.3475
POL<0.01%$0.1613742.1315$0.3439
POL<0.01%$0.0927823.5666$0.3309
POL<0.01%$0.1390522.2121$0.3075
POL<0.01%$0.0000993,100$0.3071
POL<0.01%$1.060.2796$0.2954
POL<0.01%$0.0867332.8448$0.2467
POL<0.01%$0.001429155.14$0.2216
POL<0.01%$0.0385475.6996$0.2197
POL<0.01%$0.00000635,043.9049$0.2123
POL<0.01%$0.2660460.7587$0.2018
POL<0.01%$0.000423429.7642$0.1816
POL<0.01%$0.000845207.4754$0.1753
POL<0.01%$0.996750.1637$0.1631
POL<0.01%$41.170.00388701$0.16
POL<0.01%$1.50.104$0.1557
POL<0.01%$0.00445134.1523$0.1519
POL<0.01%$0.0201187.4852$0.1505
POL<0.01%$0.0000255,869.5349$0.1446
POL<0.01%$0.00762318.7062$0.1425
POL<0.01%$0.000747185.1166$0.1382
POL<0.01%$0.077221.7679$0.1365
POL<0.01%$0.0000383,504.1474$0.1338
POL<0.01%$0.00651619.8417$0.1292
POL<0.01%$0.0131869.6292$0.1269
POL<0.01%$0.4270570.2817$0.1203
POL<0.01%$0.0146317.9531$0.1163
ARB<0.01%$0.00000558,839,028.8417$280.07
ARB<0.01%$264.030.6381$168.48
ARB<0.01%$0.1372766.6419$9.15
ARB<0.01%$15.8369$5.84
ARB<0.01%<$0.00000115,846,400,926.6528$4.75
ARB<0.01%$0.025889164.0348$4.25
ARB<0.01%$0.006503484.4411$3.15
ARB<0.01%$0.022721123.4047$2.8
ARB<0.01%$0.9486962.1931$2.08
ARB<0.01%$2,862.680.00070585$2.02
ARB<0.01%$0.09719820.6099$2
ARB<0.01%$0.02524964.6577$1.63
ARB<0.01%$0.04066739.072$1.59
ARB<0.01%$0.2283446.4505$1.47
ARB<0.01%$0.2482434.8346$1.2
ARB<0.01%$0.0004852,131.8513$1.03
ARB<0.01%$0.002229407.0071$0.9072
ARB<0.01%$0.00981987.0112$0.8543
ARB<0.01%$0.00001843,928.37$0.7937
ARB<0.01%$0.0568078.7722$0.4983
ARB<0.01%$0.000404834.0675$0.3368
ARB<0.01%$206.70.00129113$0.2668
ARB<0.01%<$0.0000013,862,668.0332$0.2611
ARB<0.01%$2,710.30.00009583$0.2597
ARB<0.01%$0.9967360.2263$0.2255
ARB<0.01%$0.079552.1339$0.1697
ARB<0.01%$0.11031.5272$0.1684
ARB<0.01%$0.01476811.2745$0.1664
ARB<0.01%$0.00662924.63$0.1632
ARB<0.01%$0.0499083.1545$0.1574
AVAX<0.01%$263.721.1016$290.52
AVAX<0.01%<$0.0000011,024,226,968.1646$18.95
AVAX<0.01%<$0.00000169,156,186.6748$9.94
AVAX<0.01%$0.000017528,983.1278$8.91
AVAX<0.01%$0.9944877.9003$7.86
AVAX<0.01%<$0.000001113,238,295.4753$7.56
AVAX<0.01%$6.810.7594$5.17
AVAX<0.01%$0.44844910.5931$4.75
AVAX<0.01%$14.1813$4.18
AVAX<0.01%$0.022533185.5255$4.18
AVAX<0.01%$0.0004838,251.2655$3.99
AVAX<0.01%$0.022723169.5419$3.85
AVAX<0.01%$0.0030031,186.0635$3.56
AVAX<0.01%$0.9999483.2133$3.21
AVAX<0.01%$1.641.9019$3.11
AVAX<0.01%$4.280.7163$3.06
AVAX<0.01%$0.24804911.193$2.78
AVAX<0.01%$0.09529229.0327$2.77
AVAX<0.01%$0.007485347.6851$2.6
AVAX<0.01%$0.003026853.6534$2.58
AVAX<0.01%$0.000013198,047.2875$2.5
AVAX<0.01%$0.1018124.4414$2.49
AVAX<0.01%$0.06254731.4133$1.96
AVAX<0.01%$0.3314815.0138$1.66
AVAX<0.01%$0.0004852,772.165$1.34
AVAX<0.01%$0.00002356,159.5143$1.31
AVAX<0.01%$0.00297431.9421$1.28
AVAX<0.01%$0.003556330.7591$1.18
AVAX<0.01%$0.1468037.9704$1.17
AVAX<0.01%$0.1322328.5319$1.13
AVAX<0.01%$0.0973619.8701$0.9609
AVAX<0.01%$0.02020945.0644$0.9107
AVAX<0.01%$0.0600558.7596$0.526
AVAX<0.01%$0.00058884.709$0.513
AVAX<0.01%$10.4867$0.4867
AVAX<0.01%$1.090.3392$0.3695
AVAX<0.01%$0.2294371.4716$0.3376
AVAX<0.01%$0.002674123.3146$0.3297
AVAX<0.01%$0.000373702.8489$0.2623
AVAX<0.01%$0.01045318.03$0.1884
AVAX<0.01%<$0.00000114,805,087.3919$0.1687
AVAX<0.01%$0.00001312,962.8524$0.1669
AVAX<0.01%$0.1490521.0295$0.1534
AVAX<0.01%$0.000201677.4343$0.1363
AVAX<0.01%$0.0131748.0679$0.1062
GNO<0.01%$0.1033662,666.0706$275.58
GNO<0.01%$129.4125$29.41
GNO<0.01%$0.00031514,021.852$4.41
GNO<0.01%$3.161.3725$4.34
BASE<0.01%$0.0037059,964.536$36.92
BASE<0.01%$0.00271,330$3.59
OP<0.01%$67,7590.00006897$4.67
OP<0.01%$0.000025105,652.179$2.69
OP<0.01%$24.250.0639$1.55
OP<0.01%$1.270.8417$1.07
OP<0.01%$0.0764189.4459$0.7218
OP<0.01%$0.071927.5514$0.543
OP<0.01%$0.0557058.4481$0.4706
OP<0.01%$10.320.0409$0.4218
OP<0.01%$0.071922.8589$0.2056
OP<0.01%$1.720.0686$0.1179
MANTLE<0.01%$0.5547390.00001$0.000006
Loading...
Loading
[ Download: CSV Export  ]
[ 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.