ETH Price: $1,789.28 (+1.73%)

Contract

0xC56d49335Bd34CeA351d689495f79bea44B398F4

Overview

ETH Balance

0 ETH

ETH Value

$0.00

Multichain Info

No addresses found
Transaction Hash
Method
Block
From
To

There are no matching entries

1 Internal Transaction found.

Latest 1 internal transaction

Parent Transaction Hash Block From To
39960262025-03-13 1:44:0822 days ago1741830248  Contract Creation0 ETH
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
L2ExchangeRateProvider

Compiler Version
v0.8.25+commit.b61c2a91

ZkSolc Version
v1.5.7

Optimization Enabled:
No with Mode z

Other Settings:
paris EvmVersion
File 1 of 9 : L2ExchangeRateProvider.sol
// SPDX-License-Identifier: MIT
pragma solidity 0.8.25;

import {L2ExchangeRateProviderUpgradeable} from "./vendor/layerzero/syncpools/L2/L2ExchangeRateProviderUpgradeable.sol";
import {Constants} from "./vendor/layerzero/syncpools/libraries/Constants.sol";
import {IAggregatorV3} from "./interfaces/IAggregatorV3.sol";
import {Errors} from "./libraries/Errors.sol";

/**
 * @title L2ExchangeRateProvider
 * @notice L2 contract for exchange rate (assetsPerShare) and fee calculation
 */
contract L2ExchangeRateProvider is L2ExchangeRateProviderUpgradeable {
    /// @custom:oz-upgrades-unsafe-allow constructor
    constructor() {
        _disableInitializers();
    }

    function initialize(address owner) external initializer {
        __Ownable_init(owner);
    }

    /**
     * @notice Get the amount of tokenOut received after conversion
     * @param tokenIn token address used in the deposit
     * @param amountIn amount of tokenIn used in the deposit
     */
    function getPostFeeAmount(
        address tokenIn,
        uint256 amountIn
    ) public view returns (uint256) {
        L2ExchangeRateProviderStorage
            storage $ = _getL2ExchangeRateProviderStorage();
        RateParameters storage rateParameters = $.rateParameters[tokenIn];

        uint256 feeAmount = (amountIn * rateParameters.depositFee) /
            Constants.PRECISION;

        return amountIn - feeAmount;
    }

    /**
     * @notice Get the assets per share of apxETH vault on L1
     */
    function getAssetsPerShare() public view returns (uint256 assetsPerShare) {
        L2ExchangeRateProviderStorage
            storage $ = _getL2ExchangeRateProviderStorage();
        RateParameters storage rateParameters = $.rateParameters[
            Constants.ETH_ADDRESS
        ];

        address rateOracle = rateParameters.rateOracle;

        if (rateOracle == address(0))
            revert L2ExchangeRateProvider__NoRateOracle();

        (uint256 ratio, uint256 lastUpdated) = _getRateAndLastUpdated(
            rateOracle,
            address(0)
        );

        if (lastUpdated + rateParameters.freshPeriod < block.timestamp)
            revert L2ExchangeRateProvider__OutdatedRate();

        return ratio;
    }

    /**
     * @dev Internal function to get rate and last updated time from a rate oracle
     * @param rateOracle Rate oracle contract
     * @return rate The exchange rate in 1e18 precision
     * @return lastUpdated Last updated time
     */
    function _getRateAndLastUpdated(
        address rateOracle,
        address
    ) internal view override returns (uint256 rate, uint256 lastUpdated) {
        (, int256 answer, , uint256 updatedAt, ) = IAggregatorV3(rateOracle)
            .latestRoundData();

        if (answer <= 0) revert Errors.InvalidRate();

        return (uint256(answer), updatedAt);
    }
}

File 2 of 9 : Errors.sol
// SPDX-License-Identifier: MIT
pragma solidity 0.8.25;

library Errors {
    /**
     * @dev Zero address specified
     */
    error ZeroAddress();

    /**
     * @dev Zero amount specified
     */
    error ZeroAmount();

    /**
     * @dev Invalid fee specified
     */
    error InvalidFee();

    /**
     * @dev not same as deposit size
     */
    error InvalidAmount();

    /**
     * @dev Invalid nonce
     */
    error InvalidNonce();

    /**
     * @dev not allowed
     */
    error NotAllowed();

    /**
     * @dev Only ETH allowed
     */
    error OnlyETH();

    /**
     * @dev Invalid rate
     */
    error InvalidRate();

    /**
     * @dev Withdraw limit exceeded
     */
    error WithdrawLimitExceeded();

    /**
     * @dev Unauthorized caller on SyncPool
     */
    error UnauthorizedCaller();

    /**
     * @dev Native transfer failed on SyncPool
     */
    error NativeTransferFailed();

    /**
     * @dev Insufficient amount out
     */
    error InsufficientAmountOut();
    
    /**
     * @dev Insufficient amount to sync
     */
    error InsufficientAmountToSync();
    
    /**
     * @dev Unauthorized token
     */
    error UnauthorizedToken();

    /**
     * @dev Invalid amount in
     */
    error InvalidAmountIn();

    /**
     * @dev Max sync amount exceeded, to prevent going over the bridge limit
     */
    error MaxSyncAmountExceeded();

    /**
     * @dev Unsupported destination chain
     */
    error UnsupportedEid();

    /**
     * @dev Multichain eposits can't be wrapped
     */
    error MultichainDepositsCannotBeWrapped();
}

File 3 of 9 : Constants.sol
// SPDX-License-Identifier: LZBL-1.2
pragma solidity ^0.8.20;

library Constants {
    address internal constant ETH_ADDRESS = 0xEeeeeEeeeEeEeeEeEeEeeEEEeeeeEeeeeeeeEEeE;

    uint256 internal constant PRECISION = 1e18;
    uint256 internal constant PRECISION_SUB_ONE = PRECISION - 1;
}

File 4 of 9 : IAggregatorV3.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.20;

interface IAggregatorV3 {
    function decimals() external view returns (uint8);

    function description() external view returns (string memory);

    function version() external view returns (uint256);

    function getRoundData(
        uint80 _roundId
    )
        external
        view
        returns (
            uint80 roundId,
            int256 answer,
            uint256 startedAt,
            uint256 updatedAt,
            uint80 answeredInRound
        );

    function latestRoundData()
        external
        view
        returns (
            uint80 roundId,
            int256 answer,
            uint256 startedAt,
            uint256 updatedAt,
            uint80 answeredInRound
        );
}

File 5 of 9 : L2ExchangeRateProviderUpgradeable.sol
// SPDX-License-Identifier: LZBL-1.2
pragma solidity ^0.8.20;

import {OwnableUpgradeable} from "@openzeppelin/contracts-upgradeable/access/OwnableUpgradeable.sol";

import {IL2ExchangeRateProvider} from "../interfaces/IL2ExchangeRateProvider.sol";
import {Constants} from "../libraries/Constants.sol";

/**
 * @title Exchange Rate Provider
 * @dev Provides exchange rate for different tokens against a common quote token
 * The rates oracles are expected to all use the same quote token.
 * For example, if quote is ETH and token is worth 2 ETH, the rate should be 2e18.
 */
abstract contract L2ExchangeRateProviderUpgradeable is OwnableUpgradeable, IL2ExchangeRateProvider {
    struct L2ExchangeRateProviderStorage {
        /**
         * @dev Mapping of token address to rate parameters
         * All rate oracles are expected to return rates with the `18 + decimalsIn - decimalsOut` decimals
         */
        mapping(address => RateParameters) rateParameters;
    }

    /**
     * @dev Rate parameters for a token
     * @param rateOracle Rate oracle contract, providing the exchange rate
     * @param depositFee Deposit fee, in 1e18 precision (e.g. 1e16 for 1% fee)
     * @param freshPeriod Fresh period, in seconds
     */
    struct RateParameters {
        address rateOracle;
        uint64 depositFee;
        uint32 freshPeriod;
    }

    // keccak256(abi.encode(uint256(keccak256(syncpools.storage.l2exchangerateprovider)) - 1)) & ~bytes32(uint256(0xff))
    bytes32 private constant L2ExchangeRateProviderStorageLocation =
        0xe04a73ceb6eb109286b5315cfafd156065d9e3fbfa5269d3606a1b3095f3ad00;

    function _getL2ExchangeRateProviderStorage() internal pure returns (L2ExchangeRateProviderStorage storage $) {
        assembly {
            $.slot := L2ExchangeRateProviderStorageLocation
        }
    }

    error L2ExchangeRateProvider__DepositFeeExceedsMax();
    error L2ExchangeRateProvider__OutdatedRate();
    error L2ExchangeRateProvider__NoRateOracle();

    event RateParametersSet(address token, address rateOracle, uint64 depositFee, uint32 freshPeriod);

    function __L2ExchangeRateProvider_init() internal onlyInitializing {}

    function __L2ExchangeRateProvider_init_unchained() internal onlyInitializing {}

    /**
     * @dev Get rate parameters for a token
     * @param token Token address
     * @return parameters Rate parameters
     */
    function getRateParameters(address token) public view virtual returns (RateParameters memory parameters) {
        L2ExchangeRateProviderStorage storage $ = _getL2ExchangeRateProviderStorage();
        return $.rateParameters[token];
    }

    /**
     * @dev Get conversion amount for a token, given an amount in of token it should return the amount out.
     * It also applies the deposit fee.
     * Will revert if:
     * - No rate oracle is set for the token
     * - The rate is outdated (fresh period has passed)
     * @param token Token address
     * @param amountIn Amount in
     * @return amountOut Amount out
     */
    function getConversionAmount(address token, uint256 amountIn)
        public
        view
        virtual
        override
        returns (uint256 amountOut)
    {
        L2ExchangeRateProviderStorage storage $ = _getL2ExchangeRateProviderStorage();
        RateParameters storage rateParameters = $.rateParameters[token];

        address rateOracle = rateParameters.rateOracle;

        if (rateOracle == address(0)) revert L2ExchangeRateProvider__NoRateOracle();

        (uint256 rate, uint256 lastUpdated) = _getRateAndLastUpdated(rateOracle, token);

        if (lastUpdated + rateParameters.freshPeriod < block.timestamp) revert L2ExchangeRateProvider__OutdatedRate();

        uint256 feeAmount = (amountIn * rateParameters.depositFee + Constants.PRECISION_SUB_ONE) / Constants.PRECISION;
        uint256 amountInAfterFee = amountIn - feeAmount;

        amountOut = amountInAfterFee * Constants.PRECISION / rate;

        return amountOut;
    }

    /**
     * @dev Set rate parameters for a token
     * @param token Token address
     * @param rateOracle Rate oracle contract, providing the exchange rate
     * @param depositFee Deposit fee, in 1e18 precision (e.g. 1e16 for 1% fee)
     * @param freshPeriod Fresh period, in seconds
     */
    function setRateParameters(address token, address rateOracle, uint64 depositFee, uint32 freshPeriod)
        public
        virtual
        onlyOwner
    {
        _setRateParameters(token, rateOracle, depositFee, freshPeriod);
    }

    /**
     * @dev Internal function to set rate parameters for a token
     * Will revert if:
     * - Deposit fee exceeds 100% (1e18)
     * @param token Token address
     * @param rateOracle Rate oracle contract, providing the exchange rate
     * @param depositFee Deposit fee, in 1e18 precision (e.g. 1e16 for 1% fee)
     * @param freshPeriod Fresh period, in seconds
     */
    function _setRateParameters(address token, address rateOracle, uint64 depositFee, uint32 freshPeriod)
        internal
        virtual
    {
        if (depositFee > Constants.PRECISION) revert L2ExchangeRateProvider__DepositFeeExceedsMax();

        L2ExchangeRateProviderStorage storage $ = _getL2ExchangeRateProviderStorage();
        $.rateParameters[token] = RateParameters(rateOracle, depositFee, freshPeriod);

        emit RateParametersSet(token, rateOracle, depositFee, freshPeriod);
    }

    /**
     * @dev Internal function to get rate and last updated time from a rate oracle
     * @param rateOracle Rate oracle contract
     * @param token The token address which the rate is for
     * @return rate The exchange rate in 1e18 precision
     * @return lastUpdated Last updated time
     */
    function _getRateAndLastUpdated(address rateOracle, address token)
        internal
        view
        virtual
        returns (uint256 rate, uint256 lastUpdated);
}

File 6 of 9 : IL2ExchangeRateProvider.sol
// SPDX-License-Identifier: LZBL-1.2
pragma solidity ^0.8.20;

interface IL2ExchangeRateProvider {
    function getConversionAmount(address tokenIn, uint256 amountIn) external returns (uint256 amountOut);
    function getPostFeeAmount(address tokenIn, uint256 amountIn) external view returns (uint256);
}

File 7 of 9 : OwnableUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (access/Ownable.sol)

pragma solidity ^0.8.20;

import {ContextUpgradeable} from "../utils/ContextUpgradeable.sol";
import {Initializable} from "../proxy/utils/Initializable.sol";

/**
 * @dev Contract module which provides a basic access control mechanism, where
 * there is an account (an owner) that can be granted exclusive access to
 * specific functions.
 *
 * The initial owner is set to the address provided by the deployer. This can
 * later be changed with {transferOwnership}.
 *
 * This module is used through inheritance. It will make available the modifier
 * `onlyOwner`, which can be applied to your functions to restrict their use to
 * the owner.
 */
abstract contract OwnableUpgradeable is Initializable, ContextUpgradeable {
    /// @custom:storage-location erc7201:openzeppelin.storage.Ownable
    struct OwnableStorage {
        address _owner;
    }

    // keccak256(abi.encode(uint256(keccak256("openzeppelin.storage.Ownable")) - 1)) & ~bytes32(uint256(0xff))
    bytes32 private constant OwnableStorageLocation = 0x9016d09d72d40fdae2fd8ceac6b6234c7706214fd39c1cd1e609a0528c199300;

    function _getOwnableStorage() private pure returns (OwnableStorage storage $) {
        assembly {
            $.slot := OwnableStorageLocation
        }
    }

    /**
     * @dev The caller account is not authorized to perform an operation.
     */
    error OwnableUnauthorizedAccount(address account);

    /**
     * @dev The owner is not a valid owner account. (eg. `address(0)`)
     */
    error OwnableInvalidOwner(address owner);

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

    /**
     * @dev Initializes the contract setting the address provided by the deployer as the initial owner.
     */
    function __Ownable_init(address initialOwner) internal onlyInitializing {
        __Ownable_init_unchained(initialOwner);
    }

    function __Ownable_init_unchained(address initialOwner) internal onlyInitializing {
        if (initialOwner == address(0)) {
            revert OwnableInvalidOwner(address(0));
        }
        _transferOwnership(initialOwner);
    }

    /**
     * @dev Throws if called by any account other than the owner.
     */
    modifier onlyOwner() {
        _checkOwner();
        _;
    }

    /**
     * @dev Returns the address of the current owner.
     */
    function owner() public view virtual returns (address) {
        OwnableStorage storage $ = _getOwnableStorage();
        return $._owner;
    }

    /**
     * @dev Throws if the sender is not the owner.
     */
    function _checkOwner() internal view virtual {
        if (owner() != _msgSender()) {
            revert OwnableUnauthorizedAccount(_msgSender());
        }
    }

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

    /**
     * @dev Transfers ownership of the contract to a new account (`newOwner`).
     * Can only be called by the current owner.
     */
    function transferOwnership(address newOwner) public virtual onlyOwner {
        if (newOwner == address(0)) {
            revert OwnableInvalidOwner(address(0));
        }
        _transferOwnership(newOwner);
    }

    /**
     * @dev Transfers ownership of the contract to a new account (`newOwner`).
     * Internal function without access restriction.
     */
    function _transferOwnership(address newOwner) internal virtual {
        OwnableStorage storage $ = _getOwnableStorage();
        address oldOwner = $._owner;
        $._owner = newOwner;
        emit OwnershipTransferred(oldOwner, newOwner);
    }
}

File 8 of 9 : ContextUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.1) (utils/Context.sol)

pragma solidity ^0.8.20;
import {Initializable} from "../proxy/utils/Initializable.sol";

/**
 * @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 ContextUpgradeable is Initializable {
    function __Context_init() internal onlyInitializing {
    }

    function __Context_init_unchained() internal onlyInitializing {
    }
    function _msgSender() internal view virtual returns (address) {
        return msg.sender;
    }

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

    function _contextSuffixLength() internal view virtual returns (uint256) {
        return 0;
    }
}

File 9 of 9 : Initializable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (proxy/utils/Initializable.sol)

pragma solidity ^0.8.20;

/**
 * @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]
 * ```solidity
 * 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 Storage of the initializable contract.
     *
     * It's implemented on a custom ERC-7201 namespace to reduce the risk of storage collisions
     * when using with upgradeable contracts.
     *
     * @custom:storage-location erc7201:openzeppelin.storage.Initializable
     */
    struct InitializableStorage {
        /**
         * @dev Indicates that the contract has been initialized.
         */
        uint64 _initialized;
        /**
         * @dev Indicates that the contract is in the process of being initialized.
         */
        bool _initializing;
    }

    // keccak256(abi.encode(uint256(keccak256("openzeppelin.storage.Initializable")) - 1)) & ~bytes32(uint256(0xff))
    bytes32 private constant INITIALIZABLE_STORAGE = 0xf0c57e16840df040f15088dc2f81fe391c3923bec73e23a9662efc9c229c6a00;

    /**
     * @dev The contract is already initialized.
     */
    error InvalidInitialization();

    /**
     * @dev The contract is not initializing.
     */
    error NotInitializing();

    /**
     * @dev Triggered when the contract has been initialized or reinitialized.
     */
    event Initialized(uint64 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.
     *
     * Similar to `reinitializer(1)`, except that in the context of a constructor an `initializer` may be invoked any
     * number of times. This behavior in the constructor can be useful during testing and is not expected to be used in
     * production.
     *
     * Emits an {Initialized} event.
     */
    modifier initializer() {
        // solhint-disable-next-line var-name-mixedcase
        InitializableStorage storage $ = _getInitializableStorage();

        // Cache values to avoid duplicated sloads
        bool isTopLevelCall = !$._initializing;
        uint64 initialized = $._initialized;

        // Allowed calls:
        // - initialSetup: the contract is not in the initializing state and no previous version was
        //                 initialized
        // - construction: the contract is initialized at version 1 (no reininitialization) and the
        //                 current contract is just being deployed
        bool initialSetup = initialized == 0 && isTopLevelCall;
        bool construction = initialized == 1 && address(this).code.length == 0;

        if (!initialSetup && !construction) {
            revert InvalidInitialization();
        }
        $._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.
     *
     * 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.
     *
     * When `version` is 1, this modifier is similar to `initializer`, except that functions marked with `reinitializer`
     * cannot be nested. If one is invoked in the context of another, execution will revert.
     *
     * 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.
     *
     * WARNING: Setting the version to 2**64 - 1 will prevent any future reinitialization.
     *
     * Emits an {Initialized} event.
     */
    modifier reinitializer(uint64 version) {
        // solhint-disable-next-line var-name-mixedcase
        InitializableStorage storage $ = _getInitializableStorage();

        if ($._initializing || $._initialized >= version) {
            revert InvalidInitialization();
        }
        $._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() {
        _checkInitializing();
        _;
    }

    /**
     * @dev Reverts if the contract is not in an initializing state. See {onlyInitializing}.
     */
    function _checkInitializing() internal view virtual {
        if (!_isInitializing()) {
            revert NotInitializing();
        }
    }

    /**
     * @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.
     *
     * Emits an {Initialized} event the first time it is successfully executed.
     */
    function _disableInitializers() internal virtual {
        // solhint-disable-next-line var-name-mixedcase
        InitializableStorage storage $ = _getInitializableStorage();

        if ($._initializing) {
            revert InvalidInitialization();
        }
        if ($._initialized != type(uint64).max) {
            $._initialized = type(uint64).max;
            emit Initialized(type(uint64).max);
        }
    }

    /**
     * @dev Returns the highest version that has been initialized. See {reinitializer}.
     */
    function _getInitializedVersion() internal view returns (uint64) {
        return _getInitializableStorage()._initialized;
    }

    /**
     * @dev Returns `true` if the contract is currently initializing. See {onlyInitializing}.
     */
    function _isInitializing() internal view returns (bool) {
        return _getInitializableStorage()._initializing;
    }

    /**
     * @dev Returns a pointer to the storage namespace.
     */
    // solhint-disable-next-line var-name-mixedcase
    function _getInitializableStorage() private pure returns (InitializableStorage storage $) {
        assembly {
            $.slot := INITIALIZABLE_STORAGE
        }
    }
}

Settings
{
  "evmVersion": "paris",
  "optimizer": {
    "enabled": false,
    "mode": "z",
    "fallback_to_optimizing_for_size": true
  },
  "outputSelection": {
    "*": {
      "*": [
        "abi",
        "metadata"
      ],
      "": [
        "ast"
      ]
    }
  },
  "detectMissingLibraries": false,
  "forceEVMLA": false,
  "enableEraVMExtensions": true,
  "libraries": {}
}

Contract Security Audit

Contract ABI

API
[{"inputs":[],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"InvalidInitialization","type":"error"},{"inputs":[],"name":"InvalidRate","type":"error"},{"inputs":[],"name":"L2ExchangeRateProvider__DepositFeeExceedsMax","type":"error"},{"inputs":[],"name":"L2ExchangeRateProvider__NoRateOracle","type":"error"},{"inputs":[],"name":"L2ExchangeRateProvider__OutdatedRate","type":"error"},{"inputs":[],"name":"NotInitializing","type":"error"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"OwnableInvalidOwner","type":"error"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"OwnableUnauthorizedAccount","type":"error"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint64","name":"version","type":"uint64"}],"name":"Initialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"address","name":"rateOracle","type":"address"},{"indexed":false,"internalType":"uint64","name":"depositFee","type":"uint64"},{"indexed":false,"internalType":"uint32","name":"freshPeriod","type":"uint32"}],"name":"RateParametersSet","type":"event"},{"inputs":[],"name":"getAssetsPerShare","outputs":[{"internalType":"uint256","name":"assetsPerShare","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"amountIn","type":"uint256"}],"name":"getConversionAmount","outputs":[{"internalType":"uint256","name":"amountOut","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"tokenIn","type":"address"},{"internalType":"uint256","name":"amountIn","type":"uint256"}],"name":"getPostFeeAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"getRateParameters","outputs":[{"components":[{"internalType":"address","name":"rateOracle","type":"address"},{"internalType":"uint64","name":"depositFee","type":"uint64"},{"internalType":"uint32","name":"freshPeriod","type":"uint32"}],"internalType":"struct L2ExchangeRateProviderUpgradeable.RateParameters","name":"parameters","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"address","name":"rateOracle","type":"address"},{"internalType":"uint64","name":"depositFee","type":"uint64"},{"internalType":"uint32","name":"freshPeriod","type":"uint32"}],"name":"setRateParameters","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"}]

9c4d535b0000000000000000000000000000000000000000000000000000000000000000010000e908c6ec0568a5efb71a3b87276852e0188440b0ba408c45c6bd31478300000000000000000000000000000000000000000000000000000000000000600000000000000000000000000000000000000000000000000000000000000000

Deployed Bytecode

0x000200000000000200090000000000020000006003100270000000b30330019700010000003103550000008004000039000000400040043f0000000100200190000000610000c13d000000040030008c000001d20000413d000000000201043b000000e002200270000000bb0020009c000000850000613d000000bc0020009c000000940000613d000000bd0020009c000000b40000613d000000be0020009c000000d60000613d000000bf0020009c000000f90000613d000000c00020009c000001070000613d000000c10020009c000001100000613d000000c20020009c0000011b0000613d000000c30020009c000001d20000c13d000000440030008c000001d20000413d0000000002000416000000000002004b000001d20000c13d0000000402100370000000000202043b000000c40020009c000001d20000213d0000002401100370000000000101043b000700000001001d000000000020043f000000cf01000041000000200010043f02c8029a0000040f0000000002010019000000000101041a000000c401100198000001050000613d000600000002001d02c802030000040f0000000603000029000000000303041a000500000003001d000000e003300270000400000001001d000000000023001a000000f30000413d000600000023001d0000800b0100003900000004030000390000000004000415000000090440008a0000000504400210000000d00200004102c802a70000040f000000060010006b0000014e0000413d0000000501000029000000a001100270000000b70210019700000007012000b9000000070000006b000000510000613d000000da0010009c000000f30000213d00000007031000fa000000000023004b000000f30000c13d000000db0110009a000000d10110012a000000070210006b000000f30000413d000000d1012000d10000005a0000613d00000000022100d9000000d10020009c000000f30000c13d0000000402000029000000000002004b000001960000c13d000000d701000041000000000010043f0000001201000039000000f60000013d0000000001000416000000000001004b000001d20000c13d000000b401000041000000000101041a000000b500100198000000800000c13d000000b702100197000000b70020009c0000007b0000613d000000b7011001c7000000b402000041000000000012041b000000b701000041000000800010043f0000000001000414000000b30010009c000000b301008041000000c001100210000000b8011001c70000800d020000390000000103000039000000b90400004102c802be0000040f0000000100200190000001d20000613d000000200100003900000100001004430000012000000443000000ba01000041000002c90001042e000000b601000041000000800010043f0000008001000039000000040200003902c802880000040f000000240030008c000001d20000413d0000000002000416000000000002004b000001d20000c13d0000000401100370000000000101043b000000c40010009c000001d20000213d000700000001001d02c8025e0000040f0000000701000029000000000001004b0000010c0000c13d000001830000013d000000840030008c000001d20000413d0000000002000416000000000002004b000001d20000c13d0000000402100370000000000302043b000000c40030009c000001d20000213d0000002402100370000000000402043b000000c40040009c000001d20000213d0000004402100370000000000202043b000000b70020009c000001d20000213d0000006401100370000000000101043b000000b30010009c000001d20000213d000400000001001d000500000004001d000600000003001d000700000002001d02c8025e0000040f0000000702000029000000400100043d000000d20020009c000001900000413d000000d902000041000001580000013d000000240030008c000001d20000413d0000000002000416000000000002004b000001d20000c13d0000000401100370000000000101043b000000c40010009c000001d20000213d000000e002000039000000400020043f000000800000043f000000a00000043f000000c00000043f000000000010043f000000cf01000041000000200010043f02c8029a0000040f0000014003000039000000400030043f000000000101041a000000c402100197000000e00020043f000000a004100270000000b704400197000001000040043f000000e001100270000001200010043f000001400020043f000001600040043f000001800010043f00000060020000390000000001030019000001190000013d000000440030008c000001d20000413d0000000002000416000000000002004b000001d20000c13d0000000402100370000000000202043b000000c40020009c000001d20000213d0000002401100370000000000101043b000700000001001d000000000020043f000000cf01000041000000200010043f02c8029a0000040f0000000704000029000000000101041a000000a001100270000000b70210019700000000014200a9000000000004004b000000f00000613d00000000034100d9000000000023004b000000f30000c13d000000d10110012a000000000114004b000001160000813d000000d701000041000000000010043f0000001101000039000000040010043f000000d801000041000002ca000104300000000001000416000000000001004b000001d20000c13d000000ce01000041000000000010043f000000cf01000041000000200010043f02c8029a0000040f0000000002010019000000000101041a000000c4011001980000013c0000c13d000000dd01000041000000810000013d0000000001000416000000000001004b000001d20000c13d02c8025e0000040f000000000100001902c8026d0000040f000000400100043d0000000002000019000001190000013d0000000001000416000000000001004b000001d20000c13d000000cd01000041000000000101041a000000c401100197000000800010043f00000080010000390000002002000039000000000300001902c802900000040f000000240030008c000001d20000413d0000000002000416000000000002004b000001d20000c13d0000000401100370000000000301043b000000c40030009c000001d20000213d0000000001000415000700000001001d000000b401000041000000000201041a000000b701200197000000010010008c000001510000c13d0000000001000410000800c40010019b0000800201000039000600000003001d00000024030000390000000004000415000000080440008a0000000504400210000500000002001d000000c50200004102c802a70000040f00000005020000290000000603000029000000000001004b0000000001000039000000010100c039000001520000013d000700000002001d02c802030000040f0000000703000029000000000303041a000000e003300270000600000001001d000000000023001a000000f30000413d000700000023001d0000800b0100003900000004030000390000000004000415000000090440008a0000000504400210000000d00200004102c802a70000040f000000070010006b0000015a0000813d000000400100043d000000dc02000041000001580000013d0000000101000039000000c6002001980000015e0000613d00000001001001900000015e0000613d000000400100043d000000b6020000410000000000210435000000830000013d000000400100043d00000006020000290000000000210435000001180000013d000000b500200198000000c70120019700000001021001bf000000b401000041000000000021041b000001810000c13d000000c802200197000000c9022001c7000000000021041b000000000003004b000001830000613d000000000103001902c8026d0000040f000000b401000041000000000201041a000000ca02200197000000000021041b0000000103000039000000400100043d0000000000310435000000b30010009c000000b30100804100000040011002100000000002000414000000b30020009c000000b302008041000000c002200210000000000112019f000000cb011001c70000800d02000039000000b90400004102c802be0000040f00000001002001900000018c0000c13d000001d20000013d000000000003004b0000018a0000c13d000000400100043d000000cc02000041000000000021043500000004021000390000000000020435000000240200003902c802880000040f000000000103001902c8026d0000040f0000000001000415000000070110006900000000010000020000010d0000013d000000d30010009c000001990000413d000000d701000041000000000010043f0000004101000039000000f60000013d00000000022100d9000000400100043d0000015c0000013d0000006003100039000000400030043f0000004004100039000300000004001d000000040300002900000000003404350000002003100039000200000003001d0000000000230435000000050300002900000000003104350000000603000029000000000030043f000000cf03000041000000200030043f000100000001001d02c8029a0000040f00000003020000290000000002020433000000e00220021000000002030000290000000003030433000000a003300210000000d403300197000000000232019f00000001030000290000000003030433000000c403300197000000000232019f000000000021041b000000400100043d00000020021000390000000503000029000000000032043500000040021000390000000703000029000000000032043500000060021000390000000403000029000000000032043500000006020000290000000000210435000000b30010009c000000b30100804100000040011002100000000002000414000000b30020009c000000b302008041000000c002200210000000000112019f000000d5011001c70000800d020000390000000103000039000000d60400004102c802be0000040f00000001002001900000010d0000c13d0000000001000019000002ca000104300001000000000002000100000005001d000000b30030009c000000b3030080410000004003300210000000b30040009c000000b3040080410000006004400210000000000334019f000000b30010009c000000b301008041000000c001100210000000000113019f02c802c30000040f00000001090000290000006003100270000000b303300197000000a00030008c000000a00400003900000000040340190000001f0540018f000000e0064001900000000004690019000001f10000613d000000000701034f000000007807043c0000000009890436000000000049004b000001ed0000c13d000000010220018f000000000005004b000001ff0000613d000000000661034f0000000305500210000000000704043300000000075701cf000000000757022f000000000606043b0000010005500089000000000656022f00000000055601cf000000000575019f0000000000540435000000000003001f00010000000103550000000001020019000000000001042d00020000000000020000000002010019000000400300043d000000de0100004100000000051304360000000001000414000000c402200197000000040020008c000002150000613d0000000404000039000200000003001d000100000005001d000000020500002902c801d40000040f00000001050000290000000203000029000000000001004b000002420000613d0000000002000031000000a00020008c000000a00100003900000000010240190000001f01100039000001e00410018f0000000001340019000000000041004b00000000040000390000000104004039000000b70010009c000002380000213d0000000100400190000002380000c13d000000400010043f0000009f0020008c000002360000a13d0000000002030433000000df0020009c000002360000213d00000080023000390000000002020433000000df0020009c000002360000213d0000000004050433000000e00040009c0000023e0000213d000000000004004b0000023e0000613d000000600130003900000000020104330000000001040019000000000001042d0000000001000019000002ca00010430000000d701000041000000000010043f0000004101000039000000040010043f000000d801000041000002ca00010430000000e1020000410000000000210435000000040200003902c802880000040f0000000104000367000000200100008a000000000200003100000000051201700000001f0620018f000000400100043d0000000003510019000002500000613d000000000704034f0000000008010019000000007907043c0000000008980436000000000038004b0000024c0000c13d000000000006004b0000025d0000613d000000000454034f0000000305600210000000000603043300000000065601cf000000000656022f000000000404043b0000010005500089000000000454022f00000000045401cf000000000464019f000000000043043502c802880000040f0000000001000411000000c402100197000000cd01000041000000000101041a000000c401100197000000000021004b000002660000c13d000000000001042d000000400100043d000000e203000041000000000031043500000004031000390000000000230435000000240200003902c802880000040f000000c406100197000000cd01000041000000000201041a000000e303200197000000000363019f000000000031041b000000400100043d000000b30010009c000000b30100804100000040011002100000000003000414000000b30030009c000000b303008041000000c003300210000000000113019f000000c405200197000000e4011001c70000800d020000390000000303000039000000e50400004102c802be0000040f0000000100200190000002850000613d000000000001042d0000000001000019000002ca00010430000000000001042f000000b30010009c000000b3010080410000004001100210000000b30020009c000000b3020080410000006002200210000000000112019f000002ca00010430000000b30010009c000000b3010080410000004001100210000000b30020009c000000b3020080410000006002200210000000000112019f000000e002300210000000000121019f000002c90001042e0000000001000414000000b30010009c000000b301008041000000c001100210000000e6011001c7000080100200003902c802c30000040f0000000100200190000002a50000613d000000000101043b000000000001042d0000000001000019000002ca0001043000000000050100190000000000200443000000040030008c000002ae0000a13d000000050140027000000000010100310000000400100443000000b30030009c000000b30300804100000060013002100000000002000414000000b30020009c000000b302008041000000c002200210000000000112019f000000e7011001c7000000000205001902c802c30000040f0000000100200190000002bd0000613d000000000101043b000000000001042d000000000001042f000002c1002104210000000102000039000000000001042d0000000002000019000000000001042d000002c6002104230000000102000039000000000001042d0000000002000019000000000001042d000002c800000432000002c90001042e000002ca00010430000000000000000000000000000000000000000000000000000000000000000000000000fffffffff0c57e16840df040f15088dc2f81fe391c3923bec73e23a9662efc9c229c6a000000000000000000000000000000000000000000000000ff0000000000000000f92ee8a900000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffffff0200000000000000000000000000000000000020000000800000000000000000c7f505b2f371ae2175ee4913f4499e1f2633a7b5936321eed1cdaeb6115181d2000000020000000000000000000000000000004000000100000000000000000000000000000000000000000000000000000000000000000000000000f2fde38b000000000000000000000000000000000000000000000000000000000f9566e6000000000000000000000000000000000000000000000000000000002364352400000000000000000000000000000000000000000000000000000000312ddf7d000000000000000000000000000000000000000000000000000000004105f5e700000000000000000000000000000000000000000000000000000000715018a6000000000000000000000000000000000000000000000000000000008da5cb5b00000000000000000000000000000000000000000000000000000000c4d66de80000000000000000000000000000000000000000000000000000000008c35649000000000000000000000000ffffffffffffffffffffffffffffffffffffffff1806aa1896bbf26568e884a7374b41e002500962caba6a15023a8d90e8508b830000000000000000000000000000000000000000000000ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0000000000000000ffffffffffffffffffffffffffffffffffffffffffffff0000000000000000010000000000000000000000000000000000000000000000010000000000000000ffffffffffffffffffffffffffffffffffffffffffffff00ffffffffffffffff02000000000000000000000000000000000000200000000000000000000000001e4fbdf7000000000000000000000000000000000000000000000000000000009016d09d72d40fdae2fd8ceac6b6234c7706214fd39c1cd1e609a0528c199300000000000000000000000000eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee04a73ceb6eb109286b5315cfafd156065d9e3fbfa5269d3606a1b3095f3ad00796b89b91644bc98cd93958e4c9038275d622183e25ac5af08cc6b5d955391320000000000000000000000000000000000000000000000000de0b6b3a76400000000000000000000000000000000000000000000000000000de0b6b3a7640001000000000000000000000000000000000000000000000000ffffffffffffffa000000000ffffffffffffffff00000000000000000000000000000000000000000200000000000000000000000000000000000080000000000000000000000000e32dd0e1ba6b23ac15f09a0c455561d7dbc2ad9b22f20259edfd397ae8ca85164e487b7100000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000002400000000000000000000000081b20be900000000000000000000000000000000000000000000000000000000fffffffffffffffffffffffffffffffffffffffffffffffff21f494c589c0000fffffffffffffffffffffffffffffffffffffffffffffffff21f494c589c0001686c1bd6000000000000000000000000000000000000000000000000000000007b3d9eca00000000000000000000000000000000000000000000000000000000feaf968c0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffffffffff7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff6a43f8d100000000000000000000000000000000000000000000000000000000118cdaa700000000000000000000000000000000000000000000000000000000ffffffffffffffffffffffff000000000000000000000000000000000000000002000000000000000000000000000000000000000000000000000000000000008be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e002000000000000000000000000000000000000400000000000000000000000000200000200000000000000000000000000000000000000000000000000000000cb0c188ce0efe7e7bb9df55db15c1204bda4bbc325489171f5a39e8a2ded3d70

Block Transaction 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
[ 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.