Sepolia Testnet

Contract

0xd5E6e5c5F46fa1A038b62B0625e21B97a4897F8F

Overview

ETH Balance

0 ETH

Multichain Info

N/A
Transaction Hash
Method
Block
From
To

There are no matching entries

1 Internal Transaction found.

Latest 1 internal transaction

Advanced mode:
Parent Transaction Hash Method Block
From
To
0x6101206054661402024-03-11 21:33:00466 days ago1710192780  Contract Creation0 ETH

Block Transaction Difficulty Gas Used Reward
View All Blocks Produced

Validator Index Block Amount
View All Withdrawals

Transaction Hash Block Value Eth2 PubKey Valid
View All Deposits
Loading...
Loading

Similar Match Source Code
This contract matches the deployed Bytecode of the Source Code for Contract 0x6a6Ee214...f775b4ff3
The constructor portion of the code might be different and could alter the actual behaviour of the contract

Contract Name:
CollSurplusPool

Compiler Version
v0.8.17+commit.8df45f5f

Optimization Enabled:
Yes with 200 runs

Other Settings:
default evmVersion

Contract Source Code (Solidity Standard Json-Input format)

// SPDX-License-Identifier: MIT

pragma solidity 0.8.17;

import "./Interfaces/ICollSurplusPool.sol";
import "./Dependencies/ICollateralToken.sol";
import "./Dependencies/SafeERC20.sol";
import "./Dependencies/ReentrancyGuard.sol";
import "./Dependencies/AuthNoOwner.sol";
import "./Interfaces/IActivePool.sol";

/// @notice CollSurplusPool holds stETH collateral for Cdp owner when redemption or liquidation happens
/// @notice only if there is a remaining portion of the closed Cdp for the owner to claim
/// @dev While an owner could have multiple different sized Cdps, the remaining surplus colateral from all of its closed Cdp
/// @dev is consolidated into one balance here
contract CollSurplusPool is ICollSurplusPool, ReentrancyGuard, AuthNoOwner {
    using SafeERC20 for IERC20;

    string public constant NAME = "CollSurplusPool";

    address public immutable borrowerOperationsAddress;
    address public immutable cdpManagerAddress;
    address public immutable activePoolAddress;
    address public immutable feeRecipientAddress;
    ICollateralToken public immutable collateral;

    // deposited ether tracker
    uint256 internal totalSurplusCollShares;
    // Collateral surplus claimable by cdp owners
    mapping(address => uint256) internal balances;

    // --- Contract setters ---

    /**
     * @notice Sets the addresses of the contracts and renounces ownership
     * @dev One-time initialization function. Can only be called by the owner as a security measure. Ownership is renounced after the function is called.
     * @param _borrowerOperationsAddress The address of the BorrowerOperations
     * @param _cdpManagerAddress The address of the CDPManager
     * @param _activePoolAddress The address of the ActivePool
     * @param _collTokenAddress The address of the CollateralToken
     */
    constructor(
        address _borrowerOperationsAddress,
        address _cdpManagerAddress,
        address _activePoolAddress,
        address _collTokenAddress
    ) {
        borrowerOperationsAddress = _borrowerOperationsAddress;
        cdpManagerAddress = _cdpManagerAddress;
        activePoolAddress = _activePoolAddress;
        collateral = ICollateralToken(_collTokenAddress);
        feeRecipientAddress = IActivePool(activePoolAddress).feeRecipientAddress();

        address _authorityAddress = address(AuthNoOwner(cdpManagerAddress).authority());
        if (_authorityAddress != address(0)) {
            _initializeAuthority(_authorityAddress);
        }
    }

    /// @return The current total collateral surplus available in this pool
    function getTotalSurplusCollShares() external view override returns (uint256) {
        return totalSurplusCollShares;
    }

    /// @return The collateral surplus available for the specified owner _account
    /// @param _account The address of the owner whose surplus balance to be queried
    function getSurplusCollShares(address _account) external view override returns (uint256) {
        return balances[_account];
    }

    // --- Pool functionality ---

    /// @notice Increases the claimable surplus collateral shares for the specified account.
    /// @notice Internal permissioned system function, can track amounts added from collateral shares and liquidator reward shares separately for accounting purposes.
    /// @dev Only the CdpManager contract can call this function.
    /// @param _cdpId CdpId surplus collateral shares come from, for accounting purposes.
    /// @param _account The account to increase collateral surplus balance for.
    /// @param _collateralShares The number of collateral shares to be added to the owner's surplus balance, from Cdp collateral shares.
    /// @param _liquidatorRewardShares The number of collateral shares to be added to the owner's surplus balance, from liquidator reward shares.
    function increaseSurplusCollShares(
        bytes32 _cdpId,
        address _account,
        uint256 _collateralShares,
        uint256 _liquidatorRewardShares
    ) external override {
        _requireCallerIsCdpManager();

        uint256 _totalClaimableSurplusCollShares = balances[_account] +
            _collateralShares +
            _liquidatorRewardShares;
        balances[_account] = _totalClaimableSurplusCollShares;

        emit SurplusCollSharesAdded(
            _cdpId,
            _account,
            _totalClaimableSurplusCollShares,
            _collateralShares,
            _liquidatorRewardShares
        );
    }

    /// @notice Allow owner to claim all its surplus recorded in this pool
    /// @dev stETH token will be sent to _account address if any surplus exist
    /// @param _account The owner address whose surplus balance is to be claimed
    function claimSurplusCollShares(address _account) external override {
        _requireCallerIsBorrowerOperations();
        uint256 claimableColl = balances[_account];
        require(claimableColl > 0, "CollSurplusPool: No collateral available to claim");

        balances[_account] = 0;

        uint256 cachedTotalSurplusCollShares = totalSurplusCollShares;

        require(cachedTotalSurplusCollShares >= claimableColl, "!CollSurplusPoolBal");
        // Safe per the check above
        unchecked {
            totalSurplusCollShares = cachedTotalSurplusCollShares - claimableColl;
        }
        emit CollSharesTransferred(_account, claimableColl);

        // NOTE: No need for safe transfer if the collateral asset is standard. Make sure this is the case!
        collateral.transferShares(_account, claimableColl);
    }

    // --- 'require' functions ---

    function _requireCallerIsBorrowerOperations() internal view {
        require(
            msg.sender == borrowerOperationsAddress,
            "CollSurplusPool: Caller is not Borrower Operations"
        );
    }

    function _requireCallerIsCdpManager() internal view {
        require(msg.sender == cdpManagerAddress, "CollSurplusPool: Caller is not CdpManager");
    }

    function _requireCallerIsActivePool() internal view {
        require(msg.sender == activePoolAddress, "CollSurplusPool: Caller is not Active Pool");
    }

    /// @notice Increase total collateral surplus balance by _value
    /// @param _value The surplus increase value
    /// @dev only ActivePool is allowed to call this function
    function increaseTotalSurplusCollShares(uint256 _value) external override {
        _requireCallerIsActivePool();
        totalSurplusCollShares = totalSurplusCollShares + _value;
    }

    // === Governed Functions === //

    /// @dev Function to move unintended dust that are not protected to fee recipient
    /// @notice moves given amount of given token (collateral is NOT allowed)
    /// @notice because recipient are fixed, this function is safe to be called by anyone
    /// @param token The token to be swept
    /// @param amount The token value to be swept
    function sweepToken(address token, uint256 amount) public nonReentrant requiresAuth {
        require(token != address(collateral), "CollSurplusPool: Cannot Sweep Collateral");

        uint256 balance = IERC20(token).balanceOf(address(this));
        require(amount <= balance, "CollSurplusPool: Attempt to sweep more than balance");

        IERC20(token).safeTransfer(feeRecipientAddress, amount);

        emit SweepTokenSuccess(token, amount, feeRecipientAddress);
    }
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (utils/Address.sol)

pragma solidity 0.8.17;

/**
 * @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
     *
     * Furthermore, `isContract` will also return true if the target contract within
     * the same transaction is already scheduled for destruction by `SELFDESTRUCT`,
     * which only has an effect at the end of a transaction.
     * ====
     *
     * [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 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-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");
        (bool success, bytes memory returndata) = target.call{value: value}(data);
        return verifyCallResultFromTarget(target, success, returndata, errorMessage);
    }

    /**
     * @dev Tool to verify that a low level call to smart-contract was successful, and revert (either by bubbling
     * the revert reason or using the provided one) in case of unsuccessful call or if target was not a contract.
     *
     * _Available since v4.8._
     */
    function verifyCallResultFromTarget(
        address target,
        bool success,
        bytes memory returndata,
        string memory errorMessage
    ) internal view returns (bytes memory) {
        if (success) {
            if (returndata.length == 0) {
                // only check isContract if the call was successful and the return data is empty
                // otherwise we already know that it was a contract
                require(isContract(target), "Address: call to non-contract");
            }
            return returndata;
        } else {
            _revert(returndata, errorMessage);
        }
    }

    function _revert(bytes memory returndata, string memory errorMessage) private pure {
        // 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);
        }
    }
}

// SPDX-License-Identifier: AGPL-3.0-only
pragma solidity 0.8.17;

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

/// @notice Provides a flexible and updatable auth pattern which is completely separate from application logic.
/// @author Modified by BadgerDAO to remove owner
/// @author Solmate (https://github.com/transmissions11/solmate/blob/main/src/auth/Auth.sol)
/// @author Modified from Dappsys (https://github.com/dapphub/ds-auth/blob/master/src/auth.sol)
contract AuthNoOwner {
    event AuthorityUpdated(address indexed user, Authority indexed newAuthority);

    Authority private _authority;
    bool private _authorityInitialized;

    modifier requiresAuth() virtual {
        require(isAuthorized(msg.sender, msg.sig), "Auth: UNAUTHORIZED");

        _;
    }

    function authority() public view returns (Authority) {
        return _authority;
    }

    function authorityInitialized() public view returns (bool) {
        return _authorityInitialized;
    }

    function isAuthorized(address user, bytes4 functionSig) internal view virtual returns (bool) {
        Authority auth = _authority; // Memoizing authority saves us a warm SLOAD, around 100 gas.

        // Checking if the caller is the owner only after calling the authority saves gas in most cases, but be
        // aware that this makes protected functions uncallable even to the owner if the authority is out of order.
        return (address(auth) != address(0) && auth.canCall(user, address(this), functionSig));
    }

    /// @notice Changed constructor to initialize to allow flexiblity of constructor vs initializer use
    /// @notice sets authorityInitiailzed flag to ensure only one use of
    function _initializeAuthority(address newAuthority) internal {
        require(address(_authority) == address(0), "Auth: authority is non-zero");
        require(!_authorityInitialized, "Auth: authority already initialized");

        _authority = Authority(newAuthority);
        _authorityInitialized = true;

        emit AuthorityUpdated(address(this), Authority(newAuthority));
    }
}

// SPDX-License-Identifier: AGPL-3.0-only
pragma solidity 0.8.17;

/// @notice A generic interface for a contract which provides authorization data to an Auth instance.
/// @author Solmate (https://github.com/transmissions11/solmate/blob/main/src/auth/Auth.sol)
/// @author Modified from Dappsys (https://github.com/dapphub/ds-auth/blob/master/src/auth.sol)
interface Authority {
    function canCall(address user, address target, bytes4 functionSig) external view returns (bool);
}

// SPDX-License-Identifier: MIT
pragma solidity 0.8.17;

import "./IERC20.sol";

/**
 * Based on the stETH:
 *  -   https://docs.lido.fi/contracts/lido#
 */
interface ICollateralToken is IERC20 {
    // Returns the amount of shares that corresponds to _ethAmount protocol-controlled Ether
    function getSharesByPooledEth(uint256 _ethAmount) external view returns (uint256);

    // Returns the amount of Ether that corresponds to _sharesAmount token shares
    function getPooledEthByShares(uint256 _sharesAmount) external view returns (uint256);

    // Moves `_sharesAmount` token shares from the caller's account to the `_recipient` account.
    function transferShares(address _recipient, uint256 _sharesAmount) external returns (uint256);

    // Returns the amount of shares owned by _account
    function sharesOf(address _account) external view returns (uint256);

    // Returns authorized oracle address
    function getOracle() external view returns (address);
}

// SPDX-License-Identifier: MIT

pragma solidity 0.8.17;

/**
 * Based on the OpenZeppelin IER20 interface:
 * https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/token/ERC20/IERC20.sol
 *
 * @dev Interface of the ERC20 standard as defined in the EIP.
 */
interface IERC20 {
    /**
     * @dev Returns the amount of tokens in existence.
     */
    function totalSupply() external view returns (uint256);

    /**
     * @dev Returns the amount of tokens owned by `account`.
     */
    function balanceOf(address account) external view returns (uint256);

    /**
     * @dev Moves `amount` tokens from the caller's account to `recipient`.
     *
     * Returns a boolean value indicating whether the operation succeeded.
     *
     * Emits a {Transfer} event.
     */
    function transfer(address recipient, uint256 amount) external returns (bool);

    /**
     * @dev Returns the remaining number of tokens that `spender` will be
     * allowed to spend on behalf of `owner` through {transferFrom}. This is
     * zero by default.
     *
     * This value changes when {approve} or {transferFrom} are called.
     */
    function allowance(address owner, address spender) external view returns (uint256);

    function increaseAllowance(address spender, uint256 addedValue) external returns (bool);

    function decreaseAllowance(address spender, uint256 subtractedValue) external returns (bool);

    /**
     * @dev Sets `amount` as the allowance of `spender` over the caller's tokens.
     *
     * Returns a boolean value indicating whether the operation succeeded.
     *
     * IMPORTANT: Beware that changing an allowance with this method brings the risk
     * that someone may use both the old and the new allowance by unfortunate
     * transaction ordering. One possible solution to mitigate this race
     * condition is to first reduce the spender's allowance to 0 and set the
     * desired value afterwards:
     * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
     *
     * Emits an {Approval} event.
     */
    function approve(address spender, uint256 amount) external returns (bool);

    /**
     * @dev Moves `amount` tokens from `sender` to `recipient` using the
     * allowance mechanism. `amount` is then deducted from the caller's
     * allowance.
     *
     * Returns a boolean value indicating whether the operation succeeded.
     *
     * Emits a {Transfer} event.
     */
    function transferFrom(address sender, address recipient, uint256 amount) external returns (bool);

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

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

    function decimals() external view returns (uint8);

    /**
     * @dev Emitted when `value` tokens are moved from one account (`from`) to
     * another (`to`).
     *
     * Note that `value` may be zero.
     */
    event Transfer(address indexed from, address indexed to, uint256 value);

    /**
     * @dev Emitted when the allowance of a `spender` for an `owner` is set by
     * a call to {approve}. `value` is the new allowance.
     */
    event Approval(address indexed owner, address indexed spender, uint256 value);
}

File 7 of 13 : ReentrancyGuard.sol
// SPDX-License-Identifier: AGPL-3.0-only
pragma solidity 0.8.17;

/// @notice Gas optimized reentrancy protection for smart contracts.
/// @author Solmate (https://github.com/transmissions11/solmate/blob/main/src/utils/ReentrancyGuard.sol)
/// @author Modified from OpenZeppelin (https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/security/ReentrancyGuard.sol)
abstract contract ReentrancyGuard {
    uint256 internal constant OPEN = 1;
    uint256 internal constant LOCKED = 2;

    uint256 public locked = OPEN;

    modifier nonReentrant() virtual {
        require(locked == OPEN, "ReentrancyGuard: Reentrancy in nonReentrant call");

        locked = LOCKED;

        _;

        locked = OPEN;
    }
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (token/ERC20/utils/SafeERC20.sol)

pragma solidity 0.8.17;

import "./IERC20.sol";
import "./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;

    /**
     * @dev Transfer `value` amount of `token` from the calling contract to `to`. If `token` returns no value,
     * non-reverting calls are assumed to be successful.
     */
    function safeTransfer(IERC20 token, address to, uint256 value) internal {
        _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
    }

    /// @dev Calls approve while checking bool return value, handles no-return tokens
    function safeApprove(IERC20 token, address spender, uint256 amount) internal {
        _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, amount));
    }

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

    /**
     * @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"
        );
        require(
            returndata.length == 0 || abi.decode(returndata, (bool)),
            "SafeERC20: ERC20 operation did not succeed"
        );
    }
}

// SPDX-License-Identifier: MIT

pragma solidity 0.8.17;

import "./IPool.sol";
import "./ITwapWeightedObserver.sol";

interface IActivePool is IPool, ITwapWeightedObserver {
    // --- Events ---
    event ActivePoolEBTCDebtUpdated(uint256 _EBTCDebt);
    event SystemCollSharesUpdated(uint256 _coll);
    event FeeRecipientClaimableCollSharesIncreased(uint256 _coll, uint256 _fee);
    event FeeRecipientClaimableCollSharesDecreased(uint256 _coll, uint256 _fee);
    event FlashLoanSuccess(
        address indexed _receiver,
        address indexed _token,
        uint256 _amount,
        uint256 _fee
    );
    event SweepTokenSuccess(address indexed _token, uint256 _amount, address indexed _recipient);

    // --- Functions ---
    function transferSystemCollShares(address _account, uint256 _amount) external;

    function increaseSystemCollShares(uint256 _value) external;

    function transferSystemCollSharesAndLiquidatorReward(
        address _account,
        uint256 _shares,
        uint256 _liquidatorRewardShares
    ) external;

    function allocateSystemCollSharesToFeeRecipient(uint256 _shares) external;

    function claimFeeRecipientCollShares(uint256 _shares) external;

    function feeRecipientAddress() external view returns (address);

    function getFeeRecipientClaimableCollShares() external view returns (uint256);
}

File 10 of 13 : IBaseTwapWeightedObserver.sol
// SPDX-License Identifier: MIT
pragma solidity 0.8.17;

interface IBaseTwapWeightedObserver {
    // NOTE: Packing manually is cheaper, but this is simpler to understand and follow
    struct PackedData {
        // Slot 0
        // Seconds in a year: 3.154e+7
        /// @dev Accumulator value recorded for TWAP Observer until last update
        uint128 observerCumuVal; // 3.154e+7 * 80 * 100e27 = 2.5232e+38 | log_2(100e27 * 3.154e+7 * 80) = 127.568522171
        /// @dev Accumulator for TWAP globally
        uint128 accumulator; // 3.154e+7 * 80 * 100e27 = 2.5232e+38 | log_2(100e27 * 3.154e+7 * 80) = 127.568522171
        // NOTE: We can further compress this slot but we will not be able to use only one (see u72 impl)
        /// So what's the point of making the code more complex?

        // Slot 1
        /// @dev last update timestamp for TWAP Observer
        uint64 lastObserved; // Thousands of Years, if we use relative time we can use u32 | Relative to deploy time (as immutable)
        /// @dev last update timestamp for TWAP global track(spot) value
        uint64 lastAccrued; // Thousands of years
        // Expect eBTC debt to never surpass 100e27, which is 100 BILLION eBTC
        // log_2(100e27) = 96.3359147517 | log_2(100e27 / 1e18) = 36.5412090438
        // We could use a u64
        /// @dev average value since last observe
        uint128 lastObservedAverage;
    }
}

// SPDX-License-Identifier: MIT

pragma solidity 0.8.17;

interface ICollSurplusPool {
    // --- Events ---

    event SurplusCollSharesAdded(
        bytes32 indexed _cdpId,
        address indexed _account,
        uint256 _claimableSurplusCollShares,
        uint256 _surplusCollSharesAddedFromCollateral,
        uint256 _surplusCollSharesAddedFromLiquidatorReward
    );
    event CollSharesTransferred(address indexed _to, uint256 _amount);

    event SweepTokenSuccess(address indexed _token, uint256 _amount, address indexed _recipient);

    // --- Contract setters ---

    function getTotalSurplusCollShares() external view returns (uint256);

    function getSurplusCollShares(address _account) external view returns (uint256);

    function increaseSurplusCollShares(
        bytes32 _cdpId,
        address _account,
        uint256 _collateralShares,
        uint256 _liquidatorRewardShares
    ) external;

    function claimSurplusCollShares(address _account) external;

    function increaseTotalSurplusCollShares(uint256 _value) external;
}

// SPDX-License-Identifier: MIT

pragma solidity 0.8.17;

// Common interface for the Pools.
interface IPool {
    // --- Events ---

    event ETHBalanceUpdated(uint256 _newBalance);
    event EBTCBalanceUpdated(uint256 _newBalance);
    event CollSharesTransferred(address indexed _to, uint256 _amount);

    // --- Functions ---

    function getSystemCollShares() external view returns (uint256);

    function getSystemDebt() external view returns (uint256);

    function increaseSystemDebt(uint256 _amount) external;

    function decreaseSystemDebt(uint256 _amount) external;
}

// SPDX-License Identifier: MIT
pragma solidity 0.8.17;
import {IBaseTwapWeightedObserver} from "./IBaseTwapWeightedObserver.sol";

interface ITwapWeightedObserver is IBaseTwapWeightedObserver {
    event TwapDisabled();

    function PERIOD() external view returns (uint256);

    function valueToTrack() external view returns (uint128);

    function timeToAccrue() external view returns (uint64);

    function getLatestAccumulator() external view returns (uint128);

    function observe() external returns (uint256);

    function update() external;

    function twapDisabled() external view returns (bool);
}

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

Contract ABI

API
[{"inputs":[{"internalType":"address","name":"_borrowerOperationsAddress","type":"address"},{"internalType":"address","name":"_cdpManagerAddress","type":"address"},{"internalType":"address","name":"_activePoolAddress","type":"address"},{"internalType":"address","name":"_collTokenAddress","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":true,"internalType":"contract Authority","name":"newAuthority","type":"address"}],"name":"AuthorityUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"_to","type":"address"},{"indexed":false,"internalType":"uint256","name":"_amount","type":"uint256"}],"name":"CollSharesTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"_cdpId","type":"bytes32"},{"indexed":true,"internalType":"address","name":"_account","type":"address"},{"indexed":false,"internalType":"uint256","name":"_claimableSurplusCollShares","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_surplusCollSharesAddedFromCollateral","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_surplusCollSharesAddedFromLiquidatorReward","type":"uint256"}],"name":"SurplusCollSharesAdded","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"_token","type":"address"},{"indexed":false,"internalType":"uint256","name":"_amount","type":"uint256"},{"indexed":true,"internalType":"address","name":"_recipient","type":"address"}],"name":"SweepTokenSuccess","type":"event"},{"inputs":[],"name":"NAME","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"activePoolAddress","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"authority","outputs":[{"internalType":"contract Authority","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"authorityInitialized","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"borrowerOperationsAddress","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"cdpManagerAddress","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_account","type":"address"}],"name":"claimSurplusCollShares","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"collateral","outputs":[{"internalType":"contract ICollateralToken","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"feeRecipientAddress","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_account","type":"address"}],"name":"getSurplusCollShares","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getTotalSurplusCollShares","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"_cdpId","type":"bytes32"},{"internalType":"address","name":"_account","type":"address"},{"internalType":"uint256","name":"_collateralShares","type":"uint256"},{"internalType":"uint256","name":"_liquidatorRewardShares","type":"uint256"}],"name":"increaseSurplusCollShares","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_value","type":"uint256"}],"name":"increaseTotalSurplusCollShares","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"locked","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"sweepToken","outputs":[],"stateMutability":"nonpayable","type":"function"}]

0x61012060405260016000553480156200001757600080fd5b50604051620012a8380380620012a88339810160408190526200003a916200029b565b6001600160a01b0380851660805283811660a05282811660c08190529082166101005260408051633c6eacbb60e21b8152905163f1bab2ec916004808201926020929091908290030181865afa15801562000099573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190620000bf919062000303565b6001600160a01b031660e0816001600160a01b031681525050600060a0516001600160a01b031663bf7e214f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156200011b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019062000141919062000303565b90506001600160a01b038116156200015e576200015e8162000169565b50505050506200032a565b6001546001600160a01b031615620001c85760405162461bcd60e51b815260206004820152601b60248201527f417574683a20617574686f72697479206973206e6f6e2d7a65726f000000000060448201526064015b60405180910390fd5b600154600160a01b900460ff1615620002305760405162461bcd60e51b815260206004820152602360248201527f417574683a20617574686f7269747920616c726561647920696e697469616c696044820152621e995960ea1b6064820152608401620001bf565b600180546001600160a81b0319166001600160a01b038316908117600160a01b1790915560405130907fa3396fd7f6e0a21b50e5089d2da70d5ac0a3bbbd1f617a93f134b7638998019890600090a350565b6001600160a01b03811681146200029857600080fd5b50565b60008060008060808587031215620002b257600080fd5b8451620002bf8162000282565b6020860151909450620002d28162000282565b6040860151909350620002e58162000282565b6060860151909250620002f88162000282565b939692955090935050565b6000602082840312156200031657600080fd5b8151620003238162000282565b9392505050565b60805160a05160c05160e05161010051610f096200039f6000396000818161023d0152818161046401526107cc0152600081816102b3015281816105dc01526106030152600081816101d5015261084a01526000818160ff01526108d70152600081816101fc0152610a5b0152610f096000f3fe608060405234801561001057600080fd5b50600436106100f55760003560e01c8063b7f8cf9b11610097578063e15d7fc411610066578063e15d7fc41461025f578063e90a182f14610288578063ede3c6f71461029b578063f1bab2ec146102ae57600080fd5b8063b7f8cf9b146101f7578063bf7e214f1461021e578063cf3090121461022f578063d8dfeb451461023857600080fd5b806397bc1e1b116100d357806397bc1e1b146101655780639fcb252714610182578063a3f4df7e14610195578063b08bc722146101d057600080fd5b806302f6567f146100fa578063835d7e271461013e578063855ff31714610150575b600080fd5b6101217f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6002545b604051908152602001610135565b61016361015e366004610d48565b6102d5565b005b600154600160a01b900460ff166040519015158152602001610135565b610163610190366004610d7d565b6102f1565b6101c36040518060400160405280600f81526020016e10dbdb1b14dd5c9c1b1d5cd41bdbdb608a1b81525081565b6040516101359190610ddc565b6101217f000000000000000000000000000000000000000000000000000000000000000081565b6101217f000000000000000000000000000000000000000000000000000000000000000081565b6001546001600160a01b0316610121565b61014260005481565b6101217f000000000000000000000000000000000000000000000000000000000000000081565b61014261026d366004610e0f565b6001600160a01b031660009081526003602052604090205490565b610163610296366004610e31565b610393565b6101636102a9366004610e0f565b610678565b6101217f000000000000000000000000000000000000000000000000000000000000000081565b6102dd61083f565b806002546102eb9190610e5b565b60025550565b6102f96108cc565b6001600160a01b038316600090815260036020526040812054829061031f908590610e5b565b6103299190610e5b565b6001600160a01b03851660008181526003602090815260409182902084905581518481529081018790529081018590529192509086907f9b1e9ba91c78b4b24223b6ea14c582266b45e456c6076eb2063806d45fc4d0ae9060600160405180910390a35050505050565b6001600054146104035760405162461bcd60e51b815260206004820152603060248201527f5265656e7472616e637947756172643a205265656e7472616e637920696e206e60448201526f1bdb9499595b9d1c985b9d0818d85b1b60821b60648201526084015b60405180910390fd5b6002600081905550610421336000356001600160e01b031916610956565b6104625760405162461bcd60e51b8152602060048201526012602482015271105d5d1a0e8815539055551213d49256915160721b60448201526064016103fa565b7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316826001600160a01b0316036104f45760405162461bcd60e51b815260206004820152602860248201527f436f6c6c537572706c7573506f6f6c3a2043616e6e6f7420537765657020436f6044820152671b1b185d195c985b60c21b60648201526084016103fa565b6040516370a0823160e01b81523060048201526000906001600160a01b038416906370a0823190602401602060405180830381865afa15801561053b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061055f9190610e7c565b9050808211156105cd5760405162461bcd60e51b815260206004820152603360248201527f436f6c6c537572706c7573506f6f6c3a20417474656d707420746f207377656560448201527270206d6f7265207468616e2062616c616e636560681b60648201526084016103fa565b6106016001600160a01b0384167f0000000000000000000000000000000000000000000000000000000000000000846109f9565b7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316836001600160a01b03167fbd14a55ba056360d3fefd3db4cd1bef985de81f4de4ddc725962aecd0b5909e28460405161066691815260200190565b60405180910390a35050600160005550565b610680610a50565b6001600160a01b038116600090815260036020526040902054806107005760405162461bcd60e51b815260206004820152603160248201527f436f6c6c537572706c7573506f6f6c3a204e6f20636f6c6c61746572616c20616044820152707661696c61626c6520746f20636c61696d60781b60648201526084016103fa565b6001600160a01b038216600090815260036020526040812055600254818110156107625760405162461bcd60e51b81526020600482015260136024820152720850dbdb1b14dd5c9c1b1d5cd41bdbdb10985b606a1b60448201526064016103fa565b8181036002556040518281526001600160a01b038416907f1fb7e7fce5abe8f5c5d0af41f7598d317a42cc8b71d6e75f13774066263a28149060200160405180910390a2604051638fcb4e5b60e01b81526001600160a01b038481166004830152602482018490527f00000000000000000000000000000000000000000000000000000000000000001690638fcb4e5b906044016020604051808303816000875af1158015610815573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108399190610e7c565b50505050565b336001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016146108ca5760405162461bcd60e51b815260206004820152602a60248201527f436f6c6c537572706c7573506f6f6c3a2043616c6c6572206973206e6f74204160448201526918dd1a5d9948141bdbdb60b21b60648201526084016103fa565b565b336001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016146108ca5760405162461bcd60e51b815260206004820152602960248201527f436f6c6c537572706c7573506f6f6c3a2043616c6c6572206973206e6f742043604482015268323826b0b730b3b2b960b91b60648201526084016103fa565b6001546000906001600160a01b031680158015906109ef575060405163b700961360e01b81526001600160a01b0385811660048301523060248301526001600160e01b03198516604483015282169063b700961390606401602060405180830381865afa1580156109cb573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109ef9190610e95565b9150505b92915050565b604080516001600160a01b038416602482015260448082018490528251808303909101815260649091019091526020810180516001600160e01b031663a9059cbb60e01b179052610a4b908490610ae3565b505050565b336001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016146108ca5760405162461bcd60e51b815260206004820152603260248201527f436f6c6c537572706c7573506f6f6c3a2043616c6c6572206973206e6f7420426044820152716f72726f776572204f7065726174696f6e7360701b60648201526084016103fa565b6000610b38826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b0316610bb89092919063ffffffff16565b9050805160001480610b59575080806020019051810190610b599190610e95565b610a4b5760405162461bcd60e51b815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e6044820152691bdd081cdd58d8d9595960b21b60648201526084016103fa565b6060610bc78484600085610bcf565b949350505050565b606082471015610c305760405162461bcd60e51b815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f6044820152651c8818d85b1b60d21b60648201526084016103fa565b600080866001600160a01b03168587604051610c4c9190610eb7565b60006040518083038185875af1925050503d8060008114610c89576040519150601f19603f3d011682016040523d82523d6000602084013e610c8e565b606091505b5091509150610c9f87838387610caa565b979650505050505050565b60608315610d19578251600003610d12576001600160a01b0385163b610d125760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e747261637400000060448201526064016103fa565b5081610bc7565b610bc78383815115610d2e5781518083602001fd5b8060405162461bcd60e51b81526004016103fa9190610ddc565b600060208284031215610d5a57600080fd5b5035919050565b80356001600160a01b0381168114610d7857600080fd5b919050565b60008060008060808587031215610d9357600080fd5b84359350610da360208601610d61565b93969395505050506040820135916060013590565b60005b83811015610dd3578181015183820152602001610dbb565b50506000910152565b6020815260008251806020840152610dfb816040850160208701610db8565b601f01601f19169190910160400192915050565b600060208284031215610e2157600080fd5b610e2a82610d61565b9392505050565b60008060408385031215610e4457600080fd5b610e4d83610d61565b946020939093013593505050565b808201808211156109f357634e487b7160e01b600052601160045260246000fd5b600060208284031215610e8e57600080fd5b5051919050565b600060208284031215610ea757600080fd5b81518015158114610e2a57600080fd5b60008251610ec9818460208701610db8565b919091019291505056fea26469706673582212200d90d7a43f48fccb764df4e699b7a2b8dd4a25f12e69f78e499a398cf630cf3664736f6c6343000811003300000000000000000000000058aa3de50cfef7450657c52766dd43da8747285e000000000000000000000000e89a0378237c21b94126f77ed5fa0fdd2ede2b360000000000000000000000007e0a97660b477a79c2e9f472bbfcfd8a715d9e6f00000000000000000000000097ba9aa7b7dc74f7a74864a62c4ff93b2b22f015

Deployed Bytecode

0x608060405234801561001057600080fd5b50600436106100f55760003560e01c8063b7f8cf9b11610097578063e15d7fc411610066578063e15d7fc41461025f578063e90a182f14610288578063ede3c6f71461029b578063f1bab2ec146102ae57600080fd5b8063b7f8cf9b146101f7578063bf7e214f1461021e578063cf3090121461022f578063d8dfeb451461023857600080fd5b806397bc1e1b116100d357806397bc1e1b146101655780639fcb252714610182578063a3f4df7e14610195578063b08bc722146101d057600080fd5b806302f6567f146100fa578063835d7e271461013e578063855ff31714610150575b600080fd5b6101217f000000000000000000000000e89a0378237c21b94126f77ed5fa0fdd2ede2b3681565b6040516001600160a01b0390911681526020015b60405180910390f35b6002545b604051908152602001610135565b61016361015e366004610d48565b6102d5565b005b600154600160a01b900460ff166040519015158152602001610135565b610163610190366004610d7d565b6102f1565b6101c36040518060400160405280600f81526020016e10dbdb1b14dd5c9c1b1d5cd41bdbdb608a1b81525081565b6040516101359190610ddc565b6101217f0000000000000000000000007e0a97660b477a79c2e9f472bbfcfd8a715d9e6f81565b6101217f00000000000000000000000058aa3de50cfef7450657c52766dd43da8747285e81565b6001546001600160a01b0316610121565b61014260005481565b6101217f00000000000000000000000097ba9aa7b7dc74f7a74864a62c4ff93b2b22f01581565b61014261026d366004610e0f565b6001600160a01b031660009081526003602052604090205490565b610163610296366004610e31565b610393565b6101636102a9366004610e0f565b610678565b6101217f0000000000000000000000005c1246e0b464060919301273781a266ac119a0bb81565b6102dd61083f565b806002546102eb9190610e5b565b60025550565b6102f96108cc565b6001600160a01b038316600090815260036020526040812054829061031f908590610e5b565b6103299190610e5b565b6001600160a01b03851660008181526003602090815260409182902084905581518481529081018790529081018590529192509086907f9b1e9ba91c78b4b24223b6ea14c582266b45e456c6076eb2063806d45fc4d0ae9060600160405180910390a35050505050565b6001600054146104035760405162461bcd60e51b815260206004820152603060248201527f5265656e7472616e637947756172643a205265656e7472616e637920696e206e60448201526f1bdb9499595b9d1c985b9d0818d85b1b60821b60648201526084015b60405180910390fd5b6002600081905550610421336000356001600160e01b031916610956565b6104625760405162461bcd60e51b8152602060048201526012602482015271105d5d1a0e8815539055551213d49256915160721b60448201526064016103fa565b7f00000000000000000000000097ba9aa7b7dc74f7a74864a62c4ff93b2b22f0156001600160a01b0316826001600160a01b0316036104f45760405162461bcd60e51b815260206004820152602860248201527f436f6c6c537572706c7573506f6f6c3a2043616e6e6f7420537765657020436f6044820152671b1b185d195c985b60c21b60648201526084016103fa565b6040516370a0823160e01b81523060048201526000906001600160a01b038416906370a0823190602401602060405180830381865afa15801561053b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061055f9190610e7c565b9050808211156105cd5760405162461bcd60e51b815260206004820152603360248201527f436f6c6c537572706c7573506f6f6c3a20417474656d707420746f207377656560448201527270206d6f7265207468616e2062616c616e636560681b60648201526084016103fa565b6106016001600160a01b0384167f0000000000000000000000005c1246e0b464060919301273781a266ac119a0bb846109f9565b7f0000000000000000000000005c1246e0b464060919301273781a266ac119a0bb6001600160a01b0316836001600160a01b03167fbd14a55ba056360d3fefd3db4cd1bef985de81f4de4ddc725962aecd0b5909e28460405161066691815260200190565b60405180910390a35050600160005550565b610680610a50565b6001600160a01b038116600090815260036020526040902054806107005760405162461bcd60e51b815260206004820152603160248201527f436f6c6c537572706c7573506f6f6c3a204e6f20636f6c6c61746572616c20616044820152707661696c61626c6520746f20636c61696d60781b60648201526084016103fa565b6001600160a01b038216600090815260036020526040812055600254818110156107625760405162461bcd60e51b81526020600482015260136024820152720850dbdb1b14dd5c9c1b1d5cd41bdbdb10985b606a1b60448201526064016103fa565b8181036002556040518281526001600160a01b038416907f1fb7e7fce5abe8f5c5d0af41f7598d317a42cc8b71d6e75f13774066263a28149060200160405180910390a2604051638fcb4e5b60e01b81526001600160a01b038481166004830152602482018490527f00000000000000000000000097ba9aa7b7dc74f7a74864a62c4ff93b2b22f0151690638fcb4e5b906044016020604051808303816000875af1158015610815573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108399190610e7c565b50505050565b336001600160a01b037f0000000000000000000000007e0a97660b477a79c2e9f472bbfcfd8a715d9e6f16146108ca5760405162461bcd60e51b815260206004820152602a60248201527f436f6c6c537572706c7573506f6f6c3a2043616c6c6572206973206e6f74204160448201526918dd1a5d9948141bdbdb60b21b60648201526084016103fa565b565b336001600160a01b037f000000000000000000000000e89a0378237c21b94126f77ed5fa0fdd2ede2b3616146108ca5760405162461bcd60e51b815260206004820152602960248201527f436f6c6c537572706c7573506f6f6c3a2043616c6c6572206973206e6f742043604482015268323826b0b730b3b2b960b91b60648201526084016103fa565b6001546000906001600160a01b031680158015906109ef575060405163b700961360e01b81526001600160a01b0385811660048301523060248301526001600160e01b03198516604483015282169063b700961390606401602060405180830381865afa1580156109cb573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109ef9190610e95565b9150505b92915050565b604080516001600160a01b038416602482015260448082018490528251808303909101815260649091019091526020810180516001600160e01b031663a9059cbb60e01b179052610a4b908490610ae3565b505050565b336001600160a01b037f00000000000000000000000058aa3de50cfef7450657c52766dd43da8747285e16146108ca5760405162461bcd60e51b815260206004820152603260248201527f436f6c6c537572706c7573506f6f6c3a2043616c6c6572206973206e6f7420426044820152716f72726f776572204f7065726174696f6e7360701b60648201526084016103fa565b6000610b38826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b0316610bb89092919063ffffffff16565b9050805160001480610b59575080806020019051810190610b599190610e95565b610a4b5760405162461bcd60e51b815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e6044820152691bdd081cdd58d8d9595960b21b60648201526084016103fa565b6060610bc78484600085610bcf565b949350505050565b606082471015610c305760405162461bcd60e51b815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f6044820152651c8818d85b1b60d21b60648201526084016103fa565b600080866001600160a01b03168587604051610c4c9190610eb7565b60006040518083038185875af1925050503d8060008114610c89576040519150601f19603f3d011682016040523d82523d6000602084013e610c8e565b606091505b5091509150610c9f87838387610caa565b979650505050505050565b60608315610d19578251600003610d12576001600160a01b0385163b610d125760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e747261637400000060448201526064016103fa565b5081610bc7565b610bc78383815115610d2e5781518083602001fd5b8060405162461bcd60e51b81526004016103fa9190610ddc565b600060208284031215610d5a57600080fd5b5035919050565b80356001600160a01b0381168114610d7857600080fd5b919050565b60008060008060808587031215610d9357600080fd5b84359350610da360208601610d61565b93969395505050506040820135916060013590565b60005b83811015610dd3578181015183820152602001610dbb565b50506000910152565b6020815260008251806020840152610dfb816040850160208701610db8565b601f01601f19169190910160400192915050565b600060208284031215610e2157600080fd5b610e2a82610d61565b9392505050565b60008060408385031215610e4457600080fd5b610e4d83610d61565b946020939093013593505050565b808201808211156109f357634e487b7160e01b600052601160045260246000fd5b600060208284031215610e8e57600080fd5b5051919050565b600060208284031215610ea757600080fd5b81518015158114610e2a57600080fd5b60008251610ec9818460208701610db8565b919091019291505056fea26469706673582212200d90d7a43f48fccb764df4e699b7a2b8dd4a25f12e69f78e499a398cf630cf3664736f6c63430008110033

Block Uncle Number Difficulty Gas Used Reward
View All Uncles
Loading...
Loading
Loading...
Loading
Loading...
Loading
[ Download: CSV Export  ]

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