ETH Price: $1,749.02 (-2.31%)

Contract

0x5cFeF212f56BD343E54BD3d4994a6DBf1B4bca8E
 

Overview

ETH Balance

0 ETH

Eth Value

$0.00

Multichain Info

No addresses found
Transaction Hash
Method
Block
From
To
Initialize206839602024-09-05 11:03:11213 days ago1725534191IN
0x5cFeF212...f1B4bca8E
0 ETH0.000866453

View more zero value Internal Transactions in Advanced View mode

Advanced mode:
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
NodeOperatorRegistry

Compiler Version
v0.8.25+commit.b61c2a91

Optimization Enabled:
Yes with 1 runs

Other Settings:
cancun EvmVersion
File 1 of 17 : NodeOperatorRegistry.sol
// The following code is based on the Shardlabs' source code of Lido for Polygon
// SPDX-License-Identifier: GPL-3.0
pragma solidity ^0.8.25;

import "./interfaces/INodeOperatorRegistry.sol";
import "@openzeppelin/contracts-upgradeable/access/AccessControlUpgradeable.sol";
import "@openzeppelin/contracts-upgradeable/security/PausableUpgradeable.sol";
import "@openzeppelin/contracts-upgradeable/security/ReentrancyGuardUpgradeable.sol";
import "@openzeppelin/contracts-upgradeable/token/ERC20/utils/SafeERC20Upgradeable.sol";

import "./interfaces/IStakeManager.sol";
import "./interfaces/IValidatorShare.sol";
import "./interfaces/IKnBONE.sol";

contract NodeOperatorRegistry is
    INodeOperatorRegistry,
    AccessControlUpgradeable,
    PausableUpgradeable,
    ReentrancyGuardUpgradeable
{
    using SafeERC20Upgradeable for IERC20Upgradeable;

    /// @notice stakeManager interface.
    IStakeManager public stakeManager;

    /// @notice knBONE interface.
    IKnBONE public knBONE;

    /// @notice all the roles.
    bytes32 public constant DAO_ROLE = keccak256("DAO_ROLE");
    bytes32 public constant PAUSE_ROLE = keccak256("PAUSE_ROLE");
    bytes32 public constant UNPAUSE_ROLE = keccak256("UNPAUSE_ROLE");
    bytes32 public constant ADD_NODE_OPERATOR_ROLE =
        keccak256("ADD_NODE_OPERATOR_ROLE");
    bytes32 public constant REMOVE_NODE_OPERATOR_ROLE =
        keccak256("REMOVE_NODE_OPERATOR_ROLE");

    /// @notice The min percent to recognize the system as balanced.
    uint256 public DISTANCE_THRESHOLD_PERCENTS;

    /// @notice The maximum percentage withdraw per system rebalance.
    uint256 public MAX_WITHDRAW_PERCENTAGE_PER_REBALANCE;

    /// @notice Allows to increse the number of validators to request withdraw from
    /// when the system is balanced.
    uint8 public MIN_REQUEST_WITHDRAW_RANGE_PERCENTS;

    /// @notice all the validators ids.
    uint256[] public validatorIds;

    /// @notice Mapping of all owners with node operator id. Mapping is used to be able to
    /// extend the struct.
    mapping(uint256 => address) public validatorIdToRewardAddress;

    /// @notice Mapping of validator reward address to validator Id. Mapping is used to be able to
    /// extend the struct.
    mapping(address => uint256) public validatorRewardAddressToId;

    /// @notice Initialize the NodeOperatorRegistry contract.
    function initialize(
        IStakeManager _stakeManager,
        IKnBONE _knBONE,
        address _dao
    ) external initializer {
        __Pausable_init_unchained();
        __AccessControl_init_unchained();
        __ReentrancyGuard_init_unchained();

        stakeManager = _stakeManager;
        knBONE = _knBONE;

        DISTANCE_THRESHOLD_PERCENTS = 120;
        MAX_WITHDRAW_PERCENTAGE_PER_REBALANCE = 20;
        MIN_REQUEST_WITHDRAW_RANGE_PERCENTS = 15;

        _grantRole(DEFAULT_ADMIN_ROLE, _dao);
        _grantRole(PAUSE_ROLE, _dao);
        _grantRole(UNPAUSE_ROLE, _dao);
        _grantRole(DAO_ROLE, _dao);
        _grantRole(ADD_NODE_OPERATOR_ROLE, _dao);
        _grantRole(REMOVE_NODE_OPERATOR_ROLE, _dao);
    }

    /// @notice Add a new node operator to the system.
    /// ONLY ADD_NODE_OPERATOR_ROLE can execute this function.
    /// @param _validatorId the validator id on stakeManager.
    /// @param _rewardAddress the reward address.
    function addNodeOperator(uint256 _validatorId, address _rewardAddress)
        external
        onlyRole(ADD_NODE_OPERATOR_ROLE)
        nonReentrant
    {
        require(_validatorId != 0, "ValidatorId=0");
        require(
            validatorIdToRewardAddress[_validatorId] == address(0),
            "Validator exists"
        );
        require(
            validatorRewardAddressToId[_rewardAddress] == 0,
            "Reward Address already used"
        );
        require(_rewardAddress != address(0), "Invalid reward address");

        IStakeManager.Validator memory validator = stakeManager.validators(
            _validatorId
        );

        require(
            validator.status == IStakeManager.Status.Active &&
                validator.deactivationEpoch == 0,
            "Validator isn't ACTIVE"
        );

        require(
            validator.contractAddress != address(0),
            "Validator has no ValidatorShare"
        );

        require(
            IValidatorShare(validator.contractAddress).delegation(),
            "Delegation is disabled"
        );

        validatorIdToRewardAddress[_validatorId] = _rewardAddress;
        validatorRewardAddressToId[_rewardAddress] = _validatorId;
        validatorIds.push(_validatorId);

        emit AddNodeOperator(_validatorId, _rewardAddress);
    }

    /// @notice Exit the node operator registry
    /// ONLY the owner of the node operator can call this function
    function exitNodeOperatorRegistry() external nonReentrant {
        uint256 validatorId = validatorRewardAddressToId[msg.sender];
        address rewardAddress = validatorIdToRewardAddress[validatorId];
        require(rewardAddress == msg.sender, "Unauthorized");

        IStakeManager.Validator memory validator = stakeManager.validators(
            validatorId
        );
        _removeOperator(validatorId, validator.contractAddress, rewardAddress);
        emit ExitNodeOperator(validatorId, rewardAddress);
    }

    /// @notice Remove a node operator from the system and withdraw total delegated tokens to it.
    /// ONLY DAO can execute this function.
    /// withdraw delegated tokens from it.
    /// @param _validatorId the validator id on stakeManager.
    function removeNodeOperator(uint256 _validatorId)
        external
        onlyRole(REMOVE_NODE_OPERATOR_ROLE)
        nonReentrant
    {
        address rewardAddress = validatorIdToRewardAddress[_validatorId];
        require(rewardAddress != address(0), "Validator doesn't exist");

        IStakeManager.Validator memory validator = stakeManager.validators(
            _validatorId
        );

        _removeOperator(_validatorId, validator.contractAddress, rewardAddress);

        emit RemoveNodeOperator(_validatorId, rewardAddress);
    }

    /// @notice Remove a node operator from the system if it fails to meet certain conditions.
    /// If the Node Operator is either Unstaked or Ejected.
    /// @param _validatorId the validator id on stakeManager.
    function removeInvalidNodeOperator(uint256 _validatorId)
        external
        whenNotPaused
        nonReentrant
    {
        address rewardAddress = validatorIdToRewardAddress[_validatorId];
        (
            NodeOperatorRegistryStatus operatorStatus,
            IStakeManager.Validator memory validator
        ) = _getOperatorStatusAndValidator(_validatorId, rewardAddress);

        require(
            operatorStatus == NodeOperatorRegistryStatus.UNSTAKED ||
                operatorStatus == NodeOperatorRegistryStatus.EJECTED,
            "Cannot remove valid operator."
        );

        _removeOperator(_validatorId, validator.contractAddress, rewardAddress);

        emit RemoveInvalidNodeOperator(_validatorId, rewardAddress);
    }

    function _removeOperator(
        uint256 _validatorId,
        address _contractAddress,
        address _rewardAddress
    ) private {
        uint256 length = validatorIds.length;
        for (uint256 idx = 0; idx < length - 1; idx++) {
            if (_validatorId == validatorIds[idx]) {
                validatorIds[idx] = validatorIds[length - 1];
                break;
            }
        }
        validatorIds.pop();
        knBONE.withdrawTotalDelegated(_contractAddress);
        delete validatorIdToRewardAddress[_validatorId];
        delete validatorRewardAddressToId[_rewardAddress];
    }

    ////////////////////////////////////////////////////////////
    /////                                                    ///
    /////                 ***Setters***                      ///
    /////                                                    ///
    ////////////////////////////////////////////////////////////

    /// @notice Set knBONE address.
    /// ONLY DAO can call this function
    /// @param _newKnBONE new knBONE address.
    function setKnBONEAddress(address _newKnBONE)
        external
        onlyRole(DAO_ROLE)
    {
        require(_newKnBONE != address(0), "Invalid knBONE address");

        address oldKnBONE = address(knBONE);
        knBONE = IKnBONE(_newKnBONE);

        emit SetKnBONEAddress(oldKnBONE, _newKnBONE);
    }

    /// @notice Update the reward address of a Node Operator.
    /// ONLY Operator owner can call this function
    /// @param _newRewardAddress the new reward address.
    function setRewardAddress(address _newRewardAddress)
        external
        whenNotPaused
    {
        require(_newRewardAddress != msg.sender, "Invalid reward address");
        uint256 validatorId = validatorRewardAddressToId[msg.sender];
        address oldRewardAddress = validatorIdToRewardAddress[validatorId];
        require(oldRewardAddress == msg.sender, "Unauthorized");
        require(_newRewardAddress != address(0), "Invalid reward address");

        validatorIdToRewardAddress[validatorId] = _newRewardAddress;
        validatorRewardAddressToId[_newRewardAddress] = validatorId;
        delete validatorRewardAddressToId[msg.sender];

        emit SetRewardAddress(validatorId, oldRewardAddress, _newRewardAddress);
    }

    /// @notice set DISTANCE_THRESHOLD_PERCENTS
    /// ONLY DAO can call this function
    /// @param _newDistanceThreshold the min rebalance threshold to include
    /// a validator in the delegation process.
    function setDistanceThreshold(uint256 _newDistanceThreshold)
        external
        onlyRole(DAO_ROLE)
    {
        require(_newDistanceThreshold >= 100, "Invalid distance threshold");
        uint256 _oldDistanceThreshold = DISTANCE_THRESHOLD_PERCENTS;
        DISTANCE_THRESHOLD_PERCENTS = _newDistanceThreshold;

        emit SetDistanceThreshold(_oldDistanceThreshold, _newDistanceThreshold);
    }

    /// @notice set MIN_REQUEST_WITHDRAW_RANGE_PERCENTS
    /// ONLY DAO can call this function
    /// @param _newMinRequestWithdrawRangePercents the min request withdraw range percents.
    function setMinRequestWithdrawRange(
        uint8 _newMinRequestWithdrawRangePercents
    ) external onlyRole(DAO_ROLE) {
        require(
            _newMinRequestWithdrawRangePercents <= 100,
            "Invalid minRequestWithdrawRange"
        );
        uint8 _oldMinRequestWithdrawRange = MIN_REQUEST_WITHDRAW_RANGE_PERCENTS;
        MIN_REQUEST_WITHDRAW_RANGE_PERCENTS = _newMinRequestWithdrawRangePercents;

        emit SetMinRequestWithdrawRange(
            _oldMinRequestWithdrawRange,
            _newMinRequestWithdrawRangePercents
        );
    }

    /// @notice set MAX_WITHDRAW_PERCENTAGE_PER_REBALANCE
    /// ONLY DAO can call this function
    /// @param _newMaxWithdrawPercentagePerRebalance the max withdraw percentage to
    /// withdraw from a validator per rebalance.
    function setMaxWithdrawPercentagePerRebalance(
        uint256 _newMaxWithdrawPercentagePerRebalance
    ) external onlyRole(DAO_ROLE) {
        require(
            _newMaxWithdrawPercentagePerRebalance <= 100,
            "Invalid maxWithdrawPercentagePerRebalance"
        );
        uint256 _oldMaxWithdrawPercentagePerRebalance = MAX_WITHDRAW_PERCENTAGE_PER_REBALANCE;
        MAX_WITHDRAW_PERCENTAGE_PER_REBALANCE = _newMaxWithdrawPercentagePerRebalance;

        emit SetMaxWithdrawPercentagePerRebalance(
            _oldMaxWithdrawPercentagePerRebalance,
            _newMaxWithdrawPercentagePerRebalance
        );
    }

    /// @notice Pauses the contract
    function pause() external onlyRole(PAUSE_ROLE) {
        _pause();
    }

    /// @notice Unpauses the contract
    function unpause() external onlyRole(UNPAUSE_ROLE) {
        _unpause();
    }

    function recoverERC20(IERC20Upgradeable token, address receiver, uint256 amount) external onlyRole(DAO_ROLE) {
        token.safeTransfer(receiver, amount);
    }

    ////////////////////////////////////////////////////////////
    /////                                                    ///
    /////                 ***Getters***                      ///
    /////                                                    ///
    ////////////////////////////////////////////////////////////

    /// @notice List all the ACTIVE operators on the stakeManager.
    /// @return activeNodeOperators a list of ACTIVE node operator.
    function listDelegatedNodeOperators()
        external
        view
        returns (ValidatorData[] memory)
    {
        return _listNodeOperators(true);
    }

    /// @notice List all the operators on the stakeManager that can be withdrawn from this
    /// includes ACTIVE, JAILED, ejected, and UNSTAKED operators.
    /// @return nodeOperators a list of ACTIVE, JAILED, EJECTED or UNSTAKED node operator.
    function listWithdrawNodeOperators()
        external
        view
        returns (ValidatorData[] memory)
    {
        return _listNodeOperators(false);
    }

    function _listNodeOperatorCondition(
        NodeOperatorRegistryStatus _operatorStatus,
        address _validatorAddress,
        bool _isForDelegation
    ) private view returns (bool) {
        if (_isForDelegation) {
            if (
                _operatorStatus == NodeOperatorRegistryStatus.ACTIVE &&
                IValidatorShare(_validatorAddress).delegation()
            ) return true;
            return false;
        } else {
            if (_operatorStatus != NodeOperatorRegistryStatus.INACTIVE) return true;
            return false;
        }
    }

    /// @notice List all the operators on the stakeManager that can be withdrawn from this
    /// includes ACTIVE, JAILED, ejected, and UNSTAKED operators.
    /// @return nodeOperators a list of ACTIVE, JAILED, EJECTED or UNSTAKED node operator.
    function _listNodeOperators(bool _isForDelegation)
        private
        view
        returns (ValidatorData[] memory){
        uint256 totalNodeOperators = 0;
        IStakeManager.Validator memory validator;
        NodeOperatorRegistryStatus operatorStatus;
        uint256[] memory memValidatorIds = validatorIds;
        uint256 length = memValidatorIds.length;
        ValidatorData[] memory activeValidators = new ValidatorData[](length);

        for (uint256 i = 0; i < length; i++) {
            address rewardAddress = validatorIdToRewardAddress[memValidatorIds[i]];
            (operatorStatus, validator) = _getOperatorStatusAndValidator(
                memValidatorIds[i],
                rewardAddress
            );

            bool condition = _listNodeOperatorCondition(operatorStatus, validator.contractAddress, _isForDelegation);
            if (!condition) continue;

            activeValidators[totalNodeOperators] = ValidatorData(
                validator.contractAddress,
                rewardAddress
            );
            totalNodeOperators++;
        }

        if (totalNodeOperators < length) {
            assembly {
                mstore(activeValidators, totalNodeOperators)
            }
        }

        return activeValidators;
    }

    /// @notice Returns operators delegation infos.
    /// @return validators all active node operators.
    /// @return stakePerOperator amount staked in each validator.
    /// @return totalStaked the total amount staked in all validators.
    /// @return distanceMinMaxStake the distance between the min and max amount staked between validators.
    function _getValidatorsDelegationInfos()
        private
        view
        returns (
            ValidatorData[] memory validators,
            uint256[] memory stakePerOperator,
            uint256 totalStaked,
            uint256 distanceMinMaxStake
        )
    {
        uint256 activeOperatorCount;
        uint256[] memory validatorIdMem = validatorIds;
        validators = new ValidatorData[](validatorIdMem.length);
        stakePerOperator = new uint256[](validatorIdMem.length);
        address knBONEAddress = address(knBONE);

        uint256 validatorId;
        address rewardAddress;
        IStakeManager.Validator memory validator;
        NodeOperatorRegistryStatus status;
        uint256 maxAmount;
        uint256 minAmount = type(uint256).max;

        for (uint256 i = 0; i < validatorIdMem.length; i++) {
            validatorId = validatorIdMem[i];
            rewardAddress = validatorIdToRewardAddress[validatorId];
            (status, validator) = _getOperatorStatusAndValidator(validatorId, rewardAddress);
            if (status == NodeOperatorRegistryStatus.INACTIVE) continue;

            require(
                !(status == NodeOperatorRegistryStatus.EJECTED),
                "Could not calculate the stake data, an operator was EJECTED"
            );

            require(
                !(status == NodeOperatorRegistryStatus.UNSTAKED),
                "Could not calculate the stake data, an operator was UNSTAKED"
            );

            // Get the total staked tokens by the knBONE contract in a validatorShare.
            (uint256 amount, ) = IValidatorShare(validator.contractAddress)
                .getTotalStake(knBONEAddress);

            totalStaked += amount;

            if (maxAmount < amount) {
                maxAmount = amount;
            }

            if (minAmount > amount) {
                minAmount = amount;
            }

            if (
                status == NodeOperatorRegistryStatus.ACTIVE &&
                IValidatorShare(validator.contractAddress).delegation()
            ) {
                stakePerOperator[activeOperatorCount] = amount;

                validators[activeOperatorCount] = ValidatorData(
                    validator.contractAddress,
                    validatorIdToRewardAddress[validatorIds[i]]
                );

                activeOperatorCount++;
            }
        }

        require(activeOperatorCount > 0, "There are no active validator");

        // The max amount is multiplied by 100 to have a precise value.
        minAmount = minAmount == 0 ? 1 : minAmount;
        distanceMinMaxStake = ((maxAmount * 100) / minAmount);

        if (activeOperatorCount < validatorIdMem.length) {
            assembly {
                mstore(validators, activeOperatorCount)
                mstore(stakePerOperator, activeOperatorCount)
            }
        }
    }

    /// @notice  Calculate how total buffered should be delegated between the active validators,
    /// depending on if the system is balanced or not. If validators are in EJECTED or UNSTAKED
    /// status the function will revert.
    /// @param _amountToDelegate The total that can be delegated.
    /// @return validators all active node operators.
    /// @return operatorRatiosToDelegate a list of operator's ratio used to calculate the amount to delegate per node.
    /// @return totalRatio the total ratio. If ZERO that means the system is balanced.
    ///  It will be calculated if the system is not balanced.
    function getValidatorsDelegationAmount(uint256 _amountToDelegate)
        external
        view
        returns (
            ValidatorData[] memory validators,
            uint256[] memory operatorRatiosToDelegate,
            uint256 totalRatio
        )
    {
        require(validatorIds.length > 0, "Not enough operators to delegate");
        uint256[] memory stakePerOperator;
        uint256 totalStaked;
        uint256 distanceMinMaxStake;
        (
            validators,
            stakePerOperator,
            totalStaked,
            distanceMinMaxStake
        ) = _getValidatorsDelegationInfos();

        uint256 totalActiveNodeOperator = validators.length;
        bool isTheSystemBalanced = distanceMinMaxStake <=
            DISTANCE_THRESHOLD_PERCENTS;
        if (isTheSystemBalanced) {
            return (
                validators,
                operatorRatiosToDelegate,
                totalRatio
            );
        }

        // If the system is not balanced calculate ratios
        operatorRatiosToDelegate = new uint256[](totalActiveNodeOperator);
        uint256 rebalanceTarget = (totalStaked + _amountToDelegate) /
            totalActiveNodeOperator;

        uint256 operatorRatioToDelegate;

        for (uint256 idx = 0; idx < totalActiveNodeOperator; idx++) {
            operatorRatioToDelegate = stakePerOperator[idx] >= rebalanceTarget
                ? 0
                : rebalanceTarget - stakePerOperator[idx];

            operatorRatiosToDelegate[idx] = operatorRatioToDelegate;
            totalRatio += operatorRatioToDelegate;
        }
    }

    /// @notice  Calculate how the system could be rebalanced depending on the current
    /// buffered tokens. If validators are in EJECTED or UNSTAKED status the function will revert.
    /// If the system is balanced the function will revert.
    /// @notice Calculate the operator ratios to rebalance the system.
    /// @param _amountToReDelegate The total amount to redelegate in BONE.
    /// @return validators all active node operators.
    /// @return operatorRatiosToRebalance a list of operator's ratio used to calculate the amount to withdraw per node.
    /// @return totalRatio the total ratio. If ZERO that means the system is balanced.
    /// @return totalToWithdraw the total amount to withdraw.
    function getValidatorsRebalanceAmount(uint256 _amountToReDelegate)
        external
        view
        returns (
            ValidatorData[] memory validators,
            uint256[] memory operatorRatiosToRebalance,
            uint256 totalRatio,
            uint256 totalToWithdraw
        )
    {
        require(validatorIds.length > 1, "Not enough operator to rebalance");
        uint256[] memory stakePerOperator;
        uint256 totalStaked;
        uint256 distanceMinMaxStake;
        (
            validators,
            stakePerOperator,
            totalStaked,
            distanceMinMaxStake
        ) = _getValidatorsDelegationInfos();

        uint256 totalActiveNodeOperator = validators.length;
        require(
            totalActiveNodeOperator > 1,
            "Not enough active operators to rebalance"
        );

        uint256 distanceThresholdPercents = DISTANCE_THRESHOLD_PERCENTS;
        require(
            distanceMinMaxStake > distanceThresholdPercents && totalStaked > 0,
            "The system is balanced"
        );

        operatorRatiosToRebalance = new uint256[](totalActiveNodeOperator);
        uint256 rebalanceTarget = totalStaked / totalActiveNodeOperator;
        uint256 operatorRatioToRebalance;

        for (uint256 idx = 0; idx < totalActiveNodeOperator; idx++) {
            operatorRatioToRebalance = stakePerOperator[idx] > rebalanceTarget
                ? stakePerOperator[idx] - rebalanceTarget
                : 0;

            if (operatorRatioToRebalance > 0) {
                operatorRatioToRebalance = (stakePerOperator[idx] * 100) /
                    rebalanceTarget >=
                    distanceThresholdPercents
                    ? operatorRatioToRebalance
                    : 0;
            }

            operatorRatiosToRebalance[idx] = operatorRatioToRebalance;
            totalRatio += operatorRatioToRebalance;
        }
        totalToWithdraw = totalRatio > _amountToReDelegate
            ? totalRatio - _amountToReDelegate
            : 0;

        totalToWithdraw =
            (totalToWithdraw * MAX_WITHDRAW_PERCENTAGE_PER_REBALANCE) /
            100;
        require(totalToWithdraw > 0, "Zero total to withdraw");
    }

    /// @notice Returns operators info.
    /// @return activeValidators all no active node operators.
    /// @return stakePerOperator amount staked in each validator.
    /// @return totalDelegated the total amount delegated to all validators.
    /// @return minAmount minimum amount staked in a validator.
    /// @return maxAmount maximum amount staked in a validator.
    function _getValidatorsRequestWithdraw()
        private
        view
        returns (
            ValidatorData[] memory activeValidators,
            uint256[] memory stakePerOperator,
            uint256 totalDelegated,
            uint256 minAmount,
            uint256 maxAmount
        )
    {
        uint256[] memory validatorIdsMem = validatorIds;
        activeValidators = new ValidatorData[](validatorIdsMem.length);
        stakePerOperator = new uint256[](validatorIdsMem.length);
        address knBONEAddress = address(knBONE);

        address rewardAddress;
        IStakeManager.Validator memory validator;
        NodeOperatorRegistryStatus validatorStatus;
        minAmount = type(uint256).max;
        uint256 activeValidatorsCounter;

        for (uint256 i = 0; i < validatorIdsMem.length; i++) {
            rewardAddress = validatorIdToRewardAddress[validatorIdsMem[i]];
            (validatorStatus, validator) = _getOperatorStatusAndValidator(validatorIdsMem[i], rewardAddress);

            if (validatorStatus ==  NodeOperatorRegistryStatus.INACTIVE) continue;

            // Get the total staked tokens by the knBONE contract in a validatorShare.
            (uint256 amount, ) = IValidatorShare(validator.contractAddress).getTotalStake(knBONEAddress);

            stakePerOperator[activeValidatorsCounter] = amount;
            totalDelegated += amount;

            if (maxAmount < amount) {
                maxAmount = amount;
            }

            if (minAmount > amount) {
                minAmount = amount;
            }

            activeValidators[activeValidatorsCounter] = ValidatorData(
                validator.contractAddress,
                rewardAddress
            );
            activeValidatorsCounter++;
        }

        if (activeValidatorsCounter < validatorIdsMem.length) {
            assembly {
                mstore(activeValidators, activeValidatorsCounter)
                mstore(stakePerOperator, activeValidatorsCounter)
            }
        }
    }

    /// @notice Calculate the validators to request withdrawal from depending if the system is balalnced or not.
    /// @param _withdrawAmount The amount to withdraw.
    /// @return validators all node operators.
    /// @return totalDelegated total amount delegated.
    /// @return bigNodeOperatorIds stores the ids of node operators that amount delegated to it is greater than the average delegation.
    /// @return smallNodeOperatorIds stores the ids of node operators that amount delegated to it is less than the average delegation.
    /// @return operatorAmountCanBeRequested amount that can be requested from a spécific validator when the system is not balanced.
    /// @return totalValidatorToWithdrawFrom the number of validator to withdraw from when the system is balanced.
    function getValidatorsRequestWithdraw(uint256 _withdrawAmount)
        external
        view
        returns (
            ValidatorData[] memory validators,
            uint256 totalDelegated,
            uint256[] memory bigNodeOperatorIds,
            uint256[] memory smallNodeOperatorIds,
            uint256[] memory operatorAmountCanBeRequested,
            uint256 totalValidatorToWithdrawFrom
        )
    {
        if (validatorIds.length == 0) {
            return (
                validators,
                totalDelegated,
                bigNodeOperatorIds,
                smallNodeOperatorIds,
                operatorAmountCanBeRequested,
                totalValidatorToWithdrawFrom
            );
        }
        uint256[] memory stakePerOperator;
        uint256 minAmount;
        uint256 maxAmount;

        (
            validators,
            stakePerOperator,
            totalDelegated,
            minAmount,
            maxAmount
        ) = _getValidatorsRequestWithdraw();

        if (totalDelegated == 0) {
            return (
                validators,
                totalDelegated,
                bigNodeOperatorIds,
                smallNodeOperatorIds,
                operatorAmountCanBeRequested,
                totalValidatorToWithdrawFrom
            );
        }

        uint256 length = validators.length;
        uint256 withdrawAmountPercentage = (_withdrawAmount * 100) /
            totalDelegated;

        totalValidatorToWithdrawFrom =
            (((withdrawAmountPercentage + MIN_REQUEST_WITHDRAW_RANGE_PERCENTS) *
                length) / 100) +
            1;

        totalValidatorToWithdrawFrom = min(totalValidatorToWithdrawFrom, length);

        if (
            minAmount * totalValidatorToWithdrawFrom >= _withdrawAmount &&
            (maxAmount * 100) / minAmount <= DISTANCE_THRESHOLD_PERCENTS
        ) {
            return (
                validators,
                totalDelegated,
                bigNodeOperatorIds,
                smallNodeOperatorIds,
                operatorAmountCanBeRequested,
                totalValidatorToWithdrawFrom
            );
        }
        totalValidatorToWithdrawFrom = 0;
        operatorAmountCanBeRequested = new uint256[](length);

        uint256 rebalanceTarget = totalDelegated > _withdrawAmount
            ? (totalDelegated - _withdrawAmount) / length
            : 0;

        rebalanceTarget = min(rebalanceTarget, minAmount);

        uint256 averageTarget = totalDelegated / length;
        uint256 bigNodeOperatorLength;
        uint256 smallNodeOperatorLength;
        bigNodeOperatorIds = new uint256[](length);
        smallNodeOperatorIds = new uint256[](length);

        for (uint256 idx = 0; idx < length; idx++) {
            if (stakePerOperator[idx] > averageTarget) {
                bigNodeOperatorIds[bigNodeOperatorLength] = idx;
                bigNodeOperatorLength++;
            } else {
                smallNodeOperatorIds[smallNodeOperatorLength] = idx;
                smallNodeOperatorLength++;
            }

            uint256 operatorRatioToRebalance = stakePerOperator[idx] != 0 &&
                stakePerOperator[idx] > rebalanceTarget
                ? stakePerOperator[idx] - rebalanceTarget
                : 0;
            operatorAmountCanBeRequested[idx] = operatorRatioToRebalance;
        }

        if (bigNodeOperatorLength < length) {
            assembly {
                mstore(bigNodeOperatorIds, bigNodeOperatorLength)
            }
        }

        if (smallNodeOperatorLength < length) {
            assembly {
                mstore(smallNodeOperatorIds, smallNodeOperatorLength)
            }
        }
    }

    /// @notice Returns a node operator.
    /// @param _validatorId the validator id on stakeManager.
    /// @return nodeOperator Returns a node operator.
    function getNodeOperator(uint256 _validatorId)
        external
        view
        returns (FullNodeOperatorRegistry memory nodeOperator)
    {
        address rewardAddress = validatorIdToRewardAddress[_validatorId];
        (
            NodeOperatorRegistryStatus operatorStatus,
            IStakeManager.Validator memory validator
        ) = _getOperatorStatusAndValidator(
            _validatorId,
            rewardAddress
        );
        nodeOperator.validatorShare = validator.contractAddress;
        nodeOperator.validatorId = _validatorId;
        nodeOperator.rewardAddress = rewardAddress;
        nodeOperator.status = operatorStatus;
        nodeOperator.commissionRate = validator.commissionRate;
    }

    /// @notice Returns a node operator.
    /// @param _rewardAddress the reward address.
    /// @return nodeOperator Returns a node operator.
    function getNodeOperator(address _rewardAddress)
        external
        view
        returns (FullNodeOperatorRegistry memory nodeOperator)
    {
        uint256 validatorId = validatorRewardAddressToId[_rewardAddress];
        (
            NodeOperatorRegistryStatus operatorStatus,
            IStakeManager.Validator memory validator
        ) = _getOperatorStatusAndValidator(validatorId, _rewardAddress);

        nodeOperator.status = operatorStatus;
        nodeOperator.rewardAddress = _rewardAddress;
        nodeOperator.validatorId = validatorId;
        nodeOperator.validatorShare = validator.contractAddress;
        nodeOperator.commissionRate = validator.commissionRate;
    }

    /// @notice Returns a node operator status.
    /// @param  _validatorId is the id of the node operator.
    /// @return operatorStatus Returns a node operator status.
    function getNodeOperatorStatus(uint256 _validatorId)
        external
        view
        returns (NodeOperatorRegistryStatus operatorStatus)
    {
        (operatorStatus, ) = _getOperatorStatusAndValidator(
            _validatorId,
            validatorIdToRewardAddress[_validatorId]
        );
    }

    /// @notice Returns a node operator status.
    /// @param  _validatorId is the id of the node operator.
    /// @return operatorStatus is the operator status.
    /// @return validator is the validator info.
    function _getOperatorStatusAndValidator(uint256 _validatorId, address _rewardAddress)
        private
        view
        returns (
            NodeOperatorRegistryStatus operatorStatus,
            IStakeManager.Validator memory validator
        )
    {
        require(_validatorId != 0, "Operator not found");
        require(_rewardAddress != address(0), "Operator not found");
        validator = stakeManager.validators(_validatorId);

        if (
            validator.status == IStakeManager.Status.Active &&
            validator.deactivationEpoch == 0
        ) {
            operatorStatus = NodeOperatorRegistryStatus.ACTIVE;
        } else if (
            validator.status == IStakeManager.Status.Locked &&
            validator.deactivationEpoch == 0
        ) {
            operatorStatus = NodeOperatorRegistryStatus.JAILED;
        } else if (
            (validator.status == IStakeManager.Status.Active ||
                validator.status == IStakeManager.Status.Locked) &&
            validator.deactivationEpoch != 0
        ) {
            operatorStatus = NodeOperatorRegistryStatus.EJECTED;
        } else if ((validator.status == IStakeManager.Status.Unstaked)) {
            operatorStatus = NodeOperatorRegistryStatus.UNSTAKED;
        } else {
            operatorStatus = NodeOperatorRegistryStatus.INACTIVE;
        }

        return (operatorStatus, validator);
    }

    /// @notice Return a list of all validator ids in the system.
    function getValidatorIds()
        external
        view
        returns (uint256[] memory)
    {
        return validatorIds;
    }

    /// @notice Return the statistics about the protocol as a list
    /// @return isBalanced if the system is balanced or not.
    /// @return distanceMinMaxStake the distance threshold
    /// @return minAmount min amount delegated to a validator.
    /// @return maxAmount max amount delegated to a validator.
    function getProtocolStats()
        external
        view
        returns (
            bool isBalanced,
            uint256 distanceMinMaxStake,
            uint256 minAmount,
            uint256 maxAmount
        )
    {
        uint256 length = validatorIds.length;
        uint256 validatorId;
        minAmount = length == 0 ? 0 : type(uint256).max;

        for (uint256 i = 0; i < length; i++) {
            validatorId = validatorIds[i];
            (
                ,
                IStakeManager.Validator memory validator
            ) = _getOperatorStatusAndValidator(validatorId, validatorIdToRewardAddress[validatorId]);

            (uint256 amount, ) = IValidatorShare(validator.contractAddress)
                .getTotalStake(address(knBONE));
            if (maxAmount < amount) {
                maxAmount = amount;
            }

            if (minAmount > amount) {
                minAmount = amount;
            }
        }

        uint256 _min = minAmount == 0 ? 1 : minAmount;
        uint256 _max = maxAmount == 0 ? 1 : maxAmount;
        distanceMinMaxStake = ((_max * 100) / _min);
        isBalanced = distanceMinMaxStake <= DISTANCE_THRESHOLD_PERCENTS;
    }

    /// @notice List all the node operator statuses in the system.
    /// @return inactiveNodeOperator the number of inactive operators.
    /// @return activeNodeOperator the number of active operators.
    /// @return jailedNodeOperator the number of jailed operators.
    /// @return ejectedNodeOperator the number of ejected operators.
    /// @return unstakedNodeOperator the number of unstaked operators.
    function getStats()
        external
        view
        returns (
            uint256 inactiveNodeOperator,
            uint256 activeNodeOperator,
            uint256 jailedNodeOperator,
            uint256 ejectedNodeOperator,
            uint256 unstakedNodeOperator
        )
    {
        uint256 length = validatorIds.length;
        uint256 validatorId;
        for (uint256 idx = 0; idx < length; idx++) {
            validatorId = validatorIds[idx];
            (
                NodeOperatorRegistryStatus operatorStatus,

            ) = _getOperatorStatusAndValidator(validatorId, validatorIdToRewardAddress[validatorId]);
            if (operatorStatus == NodeOperatorRegistryStatus.ACTIVE) {
                activeNodeOperator++;
            } else if (operatorStatus == NodeOperatorRegistryStatus.JAILED) {
                jailedNodeOperator++;
            } else if (operatorStatus == NodeOperatorRegistryStatus.EJECTED) {
                ejectedNodeOperator++;
            } else if (operatorStatus == NodeOperatorRegistryStatus.UNSTAKED) {
                unstakedNodeOperator++;
            } else {
                inactiveNodeOperator++;
            }
        }
    }

    function min(uint256 _valueA, uint256 _valueB) private pure returns(uint256) {
        return _valueA > _valueB ? _valueB : _valueA;
    }
}

File 2 of 17 : IValidatorShare.sol
// The following code is based on the Shardlabs' source code of Lido for Polygon
// SPDX-License-Identifier: GPL-3.0
pragma solidity ^0.8.25;

interface IValidatorShare {
    struct DelegatorUnbond {
        uint256 shares;
        uint256 withdrawEpoch;
    }

    function unbondNonces(address _address) external view returns (uint256);

    function activeAmount() external view returns (uint256);

    function validatorId() external view returns (uint256);

    function withdrawExchangeRate() external view returns (uint256);

    function withdrawRewards() external;

    function unstakeClaimTokens() external;

    function minAmount() external view returns (uint256);

    function getLiquidRewards(address user) external view returns (uint256);

    function delegation() external view returns (bool);

    function updateDelegation(bool _delegation) external;

    function buyVoucher(uint256 _amount, uint256 _minSharesToMint)
        external
        returns (uint256);

    function sellVoucher_new(uint256 claimAmount, uint256 maximumSharesToBurn)
        external;

    function unstakeClaimTokens_new(uint256 unbondNonce) external;

    function unbonds_new(address _address, uint256 _unbondNonce)
        external
        view
        returns (DelegatorUnbond memory);

    function getTotalStake(address user)
        external
        view
        returns (uint256, uint256);

    function owner() external view returns (address);

    function restake() external returns (uint256, uint256);

    function unlock() external;

    function lock() external;

    function drain(
        address token,
        address payable destination,
        uint256 amount
    ) external;

    function slash(uint256 _amount) external;

    function migrateOut(address user, uint256 amount) external;

    function migrateIn(address user, uint256 amount) external;

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

File 3 of 17 : IStakeManager.sol
// The following code is based on the Shardlabs' source code of Lido for Polygon
// SPDX-License-Identifier: GPL-3.0
pragma solidity ^0.8.25;

interface IStakeManager {
    /// @dev Polygon stakeManager status and Validator struct
    /// https://github.com/maticnetwork/contracts/blob/v0.3.0-backport/contracts/staking/stakeManager/StakeManagerStorage.sol
    enum Status {
        Inactive,
        Active,
        Locked,
        Unstaked
    }

    struct Validator {
        uint256 amount;
        uint256 reward;
        uint256 activationEpoch;
        uint256 deactivationEpoch;
        uint256 jailTime;
        address signer;
        address contractAddress;
        Status status;
        uint256 commissionRate;
        uint256 lastCommissionUpdate;
        uint256 delegatorsReward;
        uint256 delegatedAmount;
        uint256 initialRewardPerStake;
    }

    function getValidatorContract(uint256 validatorId)
        external
        view
        returns (address);

    function delegationDeposit(
        uint256 validatorId,
        uint256 amount,
        address delegator
    ) external returns (bool);

    function epoch() external view returns (uint256);

    function validators(uint256 _index)
        external
        view
        returns (Validator memory);

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

File 4 of 17 : INodeOperatorRegistry.sol
// The following code is based on the Shardlabs' source code of Lido for Polygon
// SPDX-License-Identifier: GPL-3.0
pragma solidity ^0.8.25;

interface INodeOperatorRegistry {
    /// @notice Node Operator Registry Statuses
    /// StakeManager statuses: https://github.com/maticnetwork/contracts/blob/v0.3.0-backport/contracts/staking/stakeManager/StakeManagerStorage.sol#L13
    /// ACTIVE: (validator.status == status.Active && validator.deactivationEpoch == 0)
    /// JAILED: (validator.status == status.Locked && validator.deactivationEpoch == 0)
    /// EJECTED: ((validator.status == status.Active || validator.status == status.Locked) && validator.deactivationEpoch != 0)
    /// UNSTAKED: (validator.status == status.Unstaked)
    enum NodeOperatorRegistryStatus {
        INACTIVE,
        ACTIVE,
        JAILED,
        EJECTED,
        UNSTAKED
    }

    /// @notice The full node operator struct.
    /// @param validatorId the validator id on stakeManager.
    /// @param commissionRate rate of each operator
    /// @param validatorShare the validator share address of the validator.
    /// @param rewardAddress the reward address.
    /// @param delegation delegation.
    /// @param status the status of the node operator in the stake manager.
    struct FullNodeOperatorRegistry {
        uint256 validatorId;
        uint256 commissionRate;
        address validatorShare;
        address rewardAddress;
        bool delegation;
        NodeOperatorRegistryStatus status;
    }

    /// @notice The node operator struct
    /// @param validatorShare the validator share address of the validator.
    /// @param rewardAddress the reward address.
    struct ValidatorData {
        address validatorShare;
        address rewardAddress;
    }

    function addNodeOperator(uint256 validatorId, address rewardAddress)
        external;

    function exitNodeOperatorRegistry() external;

    function removeNodeOperator(uint256 validatorId) external;

    function removeInvalidNodeOperator(uint256 validatorId) external;

    function setKnBONEAddress(address newKnBONE) external;

    function setRewardAddress(address newRewardAddress) external;

    function setDistanceThreshold(uint256 distanceThreshold) external;

    function setMinRequestWithdrawRange(uint8 minRequestWithdrawRange) external;

    function setMaxWithdrawPercentagePerRebalance(
        uint256 maxWithdrawPercentagePerRebalance
    ) external;

    function listDelegatedNodeOperators()
        external
        view
        returns (ValidatorData[] memory);

    function listWithdrawNodeOperators()
        external
        view
        returns (ValidatorData[] memory);

    function getValidatorsDelegationAmount(uint256 amountToDelegate)
        external
        view
        returns (
            ValidatorData[] memory validators,
            uint256[] memory operatorRatiosToDelegate,
            uint256 totalRatio
        );

    function getValidatorsRebalanceAmount(uint256 totalBuffered)
        external
        view
        returns (
            ValidatorData[] memory validators,
            uint256[] memory operatorRatiosToRebalance,
            uint256 totalRatio,
            uint256 totalToWithdraw
        );

    function getValidatorsRequestWithdraw(uint256 _withdrawAmount)
        external
        view
        returns (
            ValidatorData[] memory validators,
            uint256 totalDelegated,
            uint256[] memory bigNodeOperatorIds,
            uint256[] memory smallNodeOperatorIds,
            uint256[] memory operatorAmountCanBeRequested,
            uint256 totalValidatorToWithdrawFrom
        );

    function getNodeOperator(uint256 validatorId)
        external
        view
        returns (FullNodeOperatorRegistry memory operatorStatus);

    function getNodeOperator(address rewardAddress)
        external
        view
        returns (FullNodeOperatorRegistry memory operatorStatus);

    function getNodeOperatorStatus(uint256 validatorId)
        external
        view
        returns (NodeOperatorRegistryStatus operatorStatus);

    function getValidatorIds() external view returns (uint256[] memory);

    function getProtocolStats()
        external
        view
        returns (
            bool isBalanced,
            uint256 distanceThreshold,
            uint256 minAmount,
            uint256 maxAmount
        );

    function getStats()
        external
        view
        returns (
            uint256 inactiveNodeOperator,
            uint256 activeNodeOperator,
            uint256 jailedNodeOperator,
            uint256 ejectedNodeOperator,
            uint256 unstakedNodeOperator
        );

    ////////////////////////////////////////////////////////////
    /////                                                    ///
    /////                 ***EVENTS***                       ///
    /////                                                    ///
    ////////////////////////////////////////////////////////////

    /// @notice Add Node Operator event
    /// @param validatorId validator id.
    /// @param rewardAddress reward address.
    event AddNodeOperator(uint256 validatorId, address rewardAddress);

    /// @notice Remove Node Operator event.
    /// @param validatorId validator id.
    /// @param rewardAddress reward address.
    event RemoveNodeOperator(uint256 validatorId, address rewardAddress);

    /// @notice Remove Invalid Node Operator event.
    /// @param validatorId validator id.
    /// @param rewardAddress reward address.
    event RemoveInvalidNodeOperator(uint256 validatorId, address rewardAddress);

    /// @notice Set knBONE address event.
    /// @param oldKnBONE old knBONE address.
    /// @param newKnBONE new knBONE address.
    event SetKnBONEAddress(address oldKnBONE, address newKnBONE);

    /// @notice Set reward address event.
    /// @param validatorId the validator id.
    /// @param oldRewardAddress old reward address.
    /// @param newRewardAddress new reward address.
    event SetRewardAddress(
        uint256 validatorId,
        address oldRewardAddress,
        address newRewardAddress
    );

    /// @notice Emit when the distance threshold is changed.
    /// @param oldDistanceThreshold the old distance threshold.
    /// @param newDistanceThreshold the new distance threshold.
    event SetDistanceThreshold(
        uint256 oldDistanceThreshold,
        uint256 newDistanceThreshold
    );

    /// @notice Emit when the min request withdraw range is changed.
    /// @param oldMinRequestWithdrawRange the old min request withdraw range.
    /// @param newMinRequestWithdrawRange the new min request withdraw range.
    event SetMinRequestWithdrawRange(
        uint8 oldMinRequestWithdrawRange,
        uint8 newMinRequestWithdrawRange
    );

    /// @notice Emit when the max withdraw percentage per rebalance is changed.
    /// @param oldMaxWithdrawPercentagePerRebalance the old max withdraw percentage per rebalance.
    /// @param newMaxWithdrawPercentagePerRebalance the new max withdraw percentage per rebalance.
    event SetMaxWithdrawPercentagePerRebalance(
        uint256 oldMaxWithdrawPercentagePerRebalance,
        uint256 newMaxWithdrawPercentagePerRebalance
    );

    /// @notice Emit when the node operator exits the registry
    /// @param validatorId node operator id
    /// @param rewardAddress node operator reward address
    event ExitNodeOperator(uint256 validatorId, address rewardAddress);
}

File 5 of 17 : IKnBONE.sol
// The following code is based on the Shardlabs' source code of Lido for Polygon
// SPDX-License-Identifier: GPL-3.0
pragma solidity ^0.8.25;

import "@openzeppelin/contracts-upgradeable/token/ERC20/IERC20Upgradeable.sol";

interface IKnBONE is IERC20Upgradeable {
    /// @notice The request withdraw struct.
    /// @param amount2WithdrawFromKnBONE amount in BONE.
    /// @param validatorNonce validator nonce.
    /// @param requestEpoch request epoch.
    /// @param validatorAddress validator share address.
    struct RequestWithdraw {
        uint256 amount2WithdrawFromKnBONE;
        uint256 validatorNonce;
        uint256 requestEpoch;
        address validatorAddress;
    }

    /// @notice The fee distribution struct.
    /// @param dao dao fee.
    /// @param operators operators fee.
    /// @param instantPool instant pool fee.
    /// @param staking L2 staking fee.
    struct FeeDistribution {
        uint8 dao;
        uint8 operators;
        uint8 instantPool;
        uint8 staking;
    }

    function requestWithdrawSplit(uint256 _instantPoolAmount, uint256 _requestWithdrawAmount, address _user) external returns(uint256);

    function withdrawTotalDelegated(address _validatorShare) external;

    ////////////////////////////////////////////////////////////
    /////                                                    ///
    /////                 ***EVENTS***                       ///
    /////                                                    ///
    ////////////////////////////////////////////////////////////

    /// @notice Emit when submit.
    /// @param _from msg.sender.
    /// @param _amount amount.
    /// @param _receiver receiver address.
    /// @param _transferToL2 whether or not transfer to L2 was done.
    event SubmitEvent(address indexed _from, uint256 _amount, address indexed _receiver, bool _transferToL2);

    /// @notice Emits when instant pool is used.
    /// @param _from user to withdraw,
    /// @param _amountWithFeeInBONE total amount to withdraw in BONE.
    /// @param _feeAmountInBONE fee amount in BONE.
    event InstantPoolWithdraw(address indexed _from, uint256 _amountWithFeeInBONE, uint256 _feeAmountInBONE);

    /// @notice Emit when request withdraw.
    /// @param _from user to withdraw.
    /// @param _amountInBONE amount in BONE.
    event RequestWithdrawEvent(address indexed _from, uint256 _amountInBONE);

    /// @notice Emits when any kind of withdraw is done.
    /// @param _from user to withdraw.
    /// @param _totalAmountInKnBONE total amount to withdraw in knBONE.
    event RequestWithdrawSplit(address indexed _from, uint256 _totalAmountInKnBONE);

    /// @notice Emit when distribute rewards.
    /// @param _amount amount distributed.
    /// @param totalPooledBefore totalPooled variable at the start of transaction.
    /// @param totalPooledAfter totalPooled varable at the end of transaction.
    event DistributeRewardsEvent(uint256 indexed _amount, uint256 indexed totalPooledBefore, uint256 indexed totalPooledAfter);

    /// @notice Emit when withdraw total delegated.
    /// @param _from msg.sender.
    /// @param _amount amount.
    event WithdrawTotalDelegatedEvent(
        address indexed _from,
        uint256 indexed _amount
    );

    /// @notice Emit when delegate.
    /// @param _amountDelegated amount to delegate.
    /// @param _remainder remainder.
    event DelegateEvent(
        uint256 indexed _amountDelegated,
        uint256 indexed _remainder
    );

    /// @notice Emit when ClaimTokens.
    /// @param _from msg.sender.
    /// @param _id token id.
    /// @param _amountClaimed amount Claimed.
    event ClaimTokensEvent(
        address indexed _from,
        uint256 indexed _id,
        uint256 indexed _amountClaimed
    );

    /// @notice Emit when set new NodeOperatorRegistryAddress.
    /// @param _newNodeOperatorRegistryAddress the new NodeOperatorRegistryAddress.
    event SetNodeOperatorRegistryAddress(
        address indexed _newNodeOperatorRegistryAddress
    );

    /// @notice Emit when set new SetDelegationLowerBound.
    /// @param _delegationLowerBound the old DelegationLowerBound.
    event SetDelegationLowerBound(uint256 indexed _delegationLowerBound);

    /// @notice Emit when set new RewardDistributionLowerBound.
    /// @param oldRewardDistributionLowerBound the old RewardDistributionLowerBound.
    /// @param newRewardDistributionLowerBound the new RewardDistributionLowerBound.
    event SetRewardDistributionLowerBound(
        uint256 oldRewardDistributionLowerBound,
        uint256 newRewardDistributionLowerBound
    );

    /// @notice Emit when set new unstBONE.
    /// @param oldUnstBONE the old unstBONE.
    /// @param newUnstBONE the new unstBONE.
    event SetUnstBONE(address oldUnstBONE, address newUnstBONE);

    /// @notice Emit when set new DAO.
    /// @param oldDaoAddress the old DAO.
    /// @param newDaoAddress the new DAO.
    event SetDaoAddress(address oldDaoAddress, address newDaoAddress);

    /// @notice Emit when set fees.
    /// @param daoFee the new daoFee
    /// @param operatorsFee the new operatorsFee
    /// @param instantPoolFee the new instantPoolFee
    /// @param stakingFee the new stakingFee
    event SetFees(uint256 daoFee, uint256 operatorsFee, uint256 instantPoolFee, uint256 stakingFee);

    /// @notice Emit when set ProtocolFee.
    /// @param oldProtocolFee the new ProtocolFee
    /// @param newProtocolFee the new ProtocolFee
    event SetProtocolFee(uint8 oldProtocolFee, uint8 newProtocolFee);

    /// @notice Emits when instantPoolUsageFee is set.
    /// @param oldInstantPoolUsageFee old instantPoolUsageFee
    /// @param newInstantPoolUsageFee new instantPoolUsageFee
    event SetInstantPoolUsageFee(uint256 oldInstantPoolUsageFee, uint256 newInstantPoolUsageFee);

    /// @notice Emits when instantPool is set.
    /// @param instantPool new instantPool
    event SetInstantPool(address instantPool);

    /// @notice Emits when depositManager is set.
    /// @param depositManager new depositManager
    event SetDepositManager(address depositManager);

    /// @notice Emits when bridge is set.
    /// @param bridge new bridge
    event SetBridge(address bridge);

    /// @notice Emits when l2Staking is set.
    /// @param l2Staking new l2Staking
    event SetL2Staking(address l2Staking);

    /// @notice Emit when set ProtocolFee.
    /// @param validatorShare vaidatorshare address.
    /// @param amountClaimed amount claimed.
    event ClaimTotalDelegatedEvent(
        address indexed validatorShare,
        uint256 indexed amountClaimed
    );
}

File 6 of 17 : IERC165Upgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/introspection/IERC165.sol)

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC165 standard, as defined in the
 * https://eips.ethereum.org/EIPS/eip-165[EIP].
 *
 * Implementers can declare support of contract interfaces, which can then be
 * queried by others ({ERC165Checker}).
 *
 * For an implementation, see {ERC165}.
 */
interface IERC165Upgradeable {
    /**
     * @dev Returns true if this contract implements the interface defined by
     * `interfaceId`. See the corresponding
     * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[EIP section]
     * to learn more about how these ids are created.
     *
     * This function call must use less than 30 000 gas.
     */
    function supportsInterface(bytes4 interfaceId) external view returns (bool);
}

File 7 of 17 : ERC165Upgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/introspection/ERC165.sol)

pragma solidity ^0.8.0;

import "./IERC165Upgradeable.sol";
import "../../proxy/utils/Initializable.sol";

/**
 * @dev Implementation of the {IERC165} interface.
 *
 * Contracts that want to implement ERC165 should inherit from this contract and override {supportsInterface} to check
 * for the additional interface id that will be supported. For example:
 *
 * ```solidity
 * function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
 *     return interfaceId == type(MyInterface).interfaceId || super.supportsInterface(interfaceId);
 * }
 * ```
 *
 * Alternatively, {ERC165Storage} provides an easier to use but more expensive implementation.
 */
abstract contract ERC165Upgradeable is Initializable, IERC165Upgradeable {
    function __ERC165_init() internal onlyInitializing {
    }

    function __ERC165_init_unchained() internal onlyInitializing {
    }
    /**
     * @dev See {IERC165-supportsInterface}.
     */
    function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
        return interfaceId == type(IERC165Upgradeable).interfaceId;
    }

    /**
     * This empty reserved space is put in place to allow future versions to add new
     * variables without shifting down storage in the inheritance chain.
     * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps
     */
    uint256[50] private __gap;
}

File 8 of 17 : StringsUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/Strings.sol)

pragma solidity ^0.8.0;

/**
 * @dev String operations.
 */
library StringsUpgradeable {
    bytes16 private constant _HEX_SYMBOLS = "0123456789abcdef";

    /**
     * @dev Converts a `uint256` to its ASCII `string` decimal representation.
     */
    function toString(uint256 value) internal pure returns (string memory) {
        // Inspired by OraclizeAPI's implementation - MIT licence
        // https://github.com/oraclize/ethereum-api/blob/b42146b063c7d6ee1358846c198246239e9360e8/oraclizeAPI_0.4.25.sol

        if (value == 0) {
            return "0";
        }
        uint256 temp = value;
        uint256 digits;
        while (temp != 0) {
            digits++;
            temp /= 10;
        }
        bytes memory buffer = new bytes(digits);
        while (value != 0) {
            digits -= 1;
            buffer[digits] = bytes1(uint8(48 + uint256(value % 10)));
            value /= 10;
        }
        return string(buffer);
    }

    /**
     * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation.
     */
    function toHexString(uint256 value) internal pure returns (string memory) {
        if (value == 0) {
            return "0x00";
        }
        uint256 temp = value;
        uint256 length = 0;
        while (temp != 0) {
            length++;
            temp >>= 8;
        }
        return toHexString(value, length);
    }

    /**
     * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation with fixed length.
     */
    function toHexString(uint256 value, uint256 length) internal pure returns (string memory) {
        bytes memory buffer = new bytes(2 * length + 2);
        buffer[0] = "0";
        buffer[1] = "x";
        for (uint256 i = 2 * length + 1; i > 1; --i) {
            buffer[i] = _HEX_SYMBOLS[value & 0xf];
            value >>= 4;
        }
        require(value == 0, "Strings: hex length insufficient");
        return string(buffer);
    }
}

File 9 of 17 : ContextUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/Context.sol)

pragma solidity ^0.8.0;
import "../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;
    }

    /**
     * This empty reserved space is put in place to allow future versions to add new
     * variables without shifting down storage in the inheritance chain.
     * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps
     */
    uint256[50] private __gap;
}

File 10 of 17 : AddressUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.5.0) (utils/Address.sol)

pragma solidity ^0.8.1;

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

        return account.code.length > 0;
    }

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

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

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

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

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

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

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

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

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

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

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

                assembly {
                    let returndata_size := mload(returndata)
                    revert(add(32, returndata), returndata_size)
                }
            } else {
                revert(errorMessage);
            }
        }
    }
}

File 11 of 17 : SafeERC20Upgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC20/utils/SafeERC20.sol)

pragma solidity ^0.8.0;

import "../IERC20Upgradeable.sol";
import "../../../utils/AddressUpgradeable.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 SafeERC20Upgradeable {
    using AddressUpgradeable for address;

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

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

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

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

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

    /**
     * @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(IERC20Upgradeable token, bytes memory data) private {
        // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
        // we're implementing it ourselves. We use {Address.functionCall} to perform this call, which verifies that
        // the target address contains contract code and also asserts for success in the low-level call.

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

File 12 of 17 : IERC20Upgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.5.0) (token/ERC20/IERC20.sol)

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC20 standard as defined in the EIP.
 */
interface IERC20Upgradeable {
    /**
     * @dev Returns the amount of tokens in existence.
     */
    function totalSupply() external view returns (uint256);

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

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

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

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

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

    /**
     * @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 13 of 17 : ReentrancyGuardUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (security/ReentrancyGuard.sol)

pragma solidity ^0.8.0;
import "../proxy/utils/Initializable.sol";

/**
 * @dev Contract module that helps prevent reentrant calls to a function.
 *
 * Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier
 * available, which can be applied to functions to make sure there are no nested
 * (reentrant) calls to them.
 *
 * Note that because there is a single `nonReentrant` guard, functions marked as
 * `nonReentrant` may not call one another. This can be worked around by making
 * those functions `private`, and then adding `external` `nonReentrant` entry
 * points to them.
 *
 * TIP: If you would like to learn more about reentrancy and alternative ways
 * to protect against it, check out our blog post
 * https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul].
 */
abstract contract ReentrancyGuardUpgradeable is Initializable {
    // Booleans are more expensive than uint256 or any type that takes up a full
    // word because each write operation emits an extra SLOAD to first read the
    // slot's contents, replace the bits taken up by the boolean, and then write
    // back. This is the compiler's defense against contract upgrades and
    // pointer aliasing, and it cannot be disabled.

    // The values being non-zero value makes deployment a bit more expensive,
    // but in exchange the refund on every call to nonReentrant will be lower in
    // amount. Since refunds are capped to a percentage of the total
    // transaction's gas, it is best to keep them low in cases like this one, to
    // increase the likelihood of the full refund coming into effect.
    uint256 private constant _NOT_ENTERED = 1;
    uint256 private constant _ENTERED = 2;

    uint256 private _status;

    function __ReentrancyGuard_init() internal onlyInitializing {
        __ReentrancyGuard_init_unchained();
    }

    function __ReentrancyGuard_init_unchained() internal onlyInitializing {
        _status = _NOT_ENTERED;
    }

    /**
     * @dev Prevents a contract from calling itself, directly or indirectly.
     * Calling a `nonReentrant` function from another `nonReentrant`
     * function is not supported. It is possible to prevent this from happening
     * by making the `nonReentrant` function external, and making it call a
     * `private` function that does the actual work.
     */
    modifier nonReentrant() {
        // On the first call to nonReentrant, _notEntered will be true
        require(_status != _ENTERED, "ReentrancyGuard: reentrant call");

        // Any calls to nonReentrant after this point will fail
        _status = _ENTERED;

        _;

        // By storing the original value once again, a refund is triggered (see
        // https://eips.ethereum.org/EIPS/eip-2200)
        _status = _NOT_ENTERED;
    }

    /**
     * This empty reserved space is put in place to allow future versions to add new
     * variables without shifting down storage in the inheritance chain.
     * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps
     */
    uint256[49] private __gap;
}

File 14 of 17 : PausableUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (security/Pausable.sol)

pragma solidity ^0.8.0;

import "../utils/ContextUpgradeable.sol";
import "../proxy/utils/Initializable.sol";

/**
 * @dev Contract module which allows children to implement an emergency stop
 * mechanism that can be triggered by an authorized account.
 *
 * This module is used through inheritance. It will make available the
 * modifiers `whenNotPaused` and `whenPaused`, which can be applied to
 * the functions of your contract. Note that they will not be pausable by
 * simply including this module, only once the modifiers are put in place.
 */
abstract contract PausableUpgradeable is Initializable, ContextUpgradeable {
    /**
     * @dev Emitted when the pause is triggered by `account`.
     */
    event Paused(address account);

    /**
     * @dev Emitted when the pause is lifted by `account`.
     */
    event Unpaused(address account);

    bool private _paused;

    /**
     * @dev Initializes the contract in unpaused state.
     */
    function __Pausable_init() internal onlyInitializing {
        __Pausable_init_unchained();
    }

    function __Pausable_init_unchained() internal onlyInitializing {
        _paused = false;
    }

    /**
     * @dev Returns true if the contract is paused, and false otherwise.
     */
    function paused() public view virtual returns (bool) {
        return _paused;
    }

    /**
     * @dev Modifier to make a function callable only when the contract is not paused.
     *
     * Requirements:
     *
     * - The contract must not be paused.
     */
    modifier whenNotPaused() {
        require(!paused(), "Pausable: paused");
        _;
    }

    /**
     * @dev Modifier to make a function callable only when the contract is paused.
     *
     * Requirements:
     *
     * - The contract must be paused.
     */
    modifier whenPaused() {
        require(paused(), "Pausable: not paused");
        _;
    }

    /**
     * @dev Triggers stopped state.
     *
     * Requirements:
     *
     * - The contract must not be paused.
     */
    function _pause() internal virtual whenNotPaused {
        _paused = true;
        emit Paused(_msgSender());
    }

    /**
     * @dev Returns to normal state.
     *
     * Requirements:
     *
     * - The contract must be paused.
     */
    function _unpause() internal virtual whenPaused {
        _paused = false;
        emit Unpaused(_msgSender());
    }

    /**
     * This empty reserved space is put in place to allow future versions to add new
     * variables without shifting down storage in the inheritance chain.
     * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps
     */
    uint256[49] private __gap;
}

File 15 of 17 : Initializable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.5.0) (proxy/utils/Initializable.sol)

pragma solidity ^0.8.0;

import "../../utils/AddressUpgradeable.sol";

/**
 * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed
 * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an
 * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer
 * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect.
 *
 * 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 initialize the implementation contract, you can either invoke the
 * initializer manually, or you can include a constructor to automatically mark it as initialized when it is deployed:
 *
 * [.hljs-theme-light.nopadding]
 * ```
 * /// @custom:oz-upgrades-unsafe-allow constructor
 * constructor() initializer {}
 * ```
 * ====
 */
abstract contract Initializable {
    /**
     * @dev Indicates that the contract has been initialized.
     */
    bool private _initialized;

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

    /**
     * @dev Modifier to protect an initializer function from being invoked twice.
     */
    modifier initializer() {
        // If the contract is initializing we ignore whether _initialized is set in order to support multiple
        // inheritance patterns, but we only do this in the context of a constructor, because in other contexts the
        // contract may have been reentered.
        require(_initializing ? _isConstructor() : !_initialized, "Initializable: contract is already initialized");

        bool isTopLevelCall = !_initializing;
        if (isTopLevelCall) {
            _initializing = true;
            _initialized = true;
        }

        _;

        if (isTopLevelCall) {
            _initializing = false;
        }
    }

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

    function _isConstructor() private view returns (bool) {
        return !AddressUpgradeable.isContract(address(this));
    }
}

File 16 of 17 : IAccessControlUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (access/IAccessControl.sol)

pragma solidity ^0.8.0;

/**
 * @dev External interface of AccessControl declared to support ERC165 detection.
 */
interface IAccessControlUpgradeable {
    /**
     * @dev Emitted when `newAdminRole` is set as ``role``'s admin role, replacing `previousAdminRole`
     *
     * `DEFAULT_ADMIN_ROLE` is the starting admin for all roles, despite
     * {RoleAdminChanged} not being emitted signaling this.
     *
     * _Available since v3.1._
     */
    event RoleAdminChanged(bytes32 indexed role, bytes32 indexed previousAdminRole, bytes32 indexed newAdminRole);

    /**
     * @dev Emitted when `account` is granted `role`.
     *
     * `sender` is the account that originated the contract call, an admin role
     * bearer except when using {AccessControl-_setupRole}.
     */
    event RoleGranted(bytes32 indexed role, address indexed account, address indexed sender);

    /**
     * @dev Emitted when `account` is revoked `role`.
     *
     * `sender` is the account that originated the contract call:
     *   - if using `revokeRole`, it is the admin role bearer
     *   - if using `renounceRole`, it is the role bearer (i.e. `account`)
     */
    event RoleRevoked(bytes32 indexed role, address indexed account, address indexed sender);

    /**
     * @dev Returns `true` if `account` has been granted `role`.
     */
    function hasRole(bytes32 role, address account) external view returns (bool);

    /**
     * @dev Returns the admin role that controls `role`. See {grantRole} and
     * {revokeRole}.
     *
     * To change a role's admin, use {AccessControl-_setRoleAdmin}.
     */
    function getRoleAdmin(bytes32 role) external view returns (bytes32);

    /**
     * @dev Grants `role` to `account`.
     *
     * If `account` had not been already granted `role`, emits a {RoleGranted}
     * event.
     *
     * Requirements:
     *
     * - the caller must have ``role``'s admin role.
     */
    function grantRole(bytes32 role, address account) external;

    /**
     * @dev Revokes `role` from `account`.
     *
     * If `account` had been granted `role`, emits a {RoleRevoked} event.
     *
     * Requirements:
     *
     * - the caller must have ``role``'s admin role.
     */
    function revokeRole(bytes32 role, address account) external;

    /**
     * @dev Revokes `role` from the calling account.
     *
     * Roles are often managed via {grantRole} and {revokeRole}: this function's
     * purpose is to provide a mechanism for accounts to lose their privileges
     * if they are compromised (such as when a trusted device is misplaced).
     *
     * If the calling account had been granted `role`, emits a {RoleRevoked}
     * event.
     *
     * Requirements:
     *
     * - the caller must be `account`.
     */
    function renounceRole(bytes32 role, address account) external;
}

File 17 of 17 : AccessControlUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.5.0) (access/AccessControl.sol)

pragma solidity ^0.8.0;

import "./IAccessControlUpgradeable.sol";
import "../utils/ContextUpgradeable.sol";
import "../utils/StringsUpgradeable.sol";
import "../utils/introspection/ERC165Upgradeable.sol";
import "../proxy/utils/Initializable.sol";

/**
 * @dev Contract module that allows children to implement role-based access
 * control mechanisms. This is a lightweight version that doesn't allow enumerating role
 * members except through off-chain means by accessing the contract event logs. Some
 * applications may benefit from on-chain enumerability, for those cases see
 * {AccessControlEnumerable}.
 *
 * Roles are referred to by their `bytes32` identifier. These should be exposed
 * in the external API and be unique. The best way to achieve this is by
 * using `public constant` hash digests:
 *
 * ```
 * bytes32 public constant MY_ROLE = keccak256("MY_ROLE");
 * ```
 *
 * Roles can be used to represent a set of permissions. To restrict access to a
 * function call, use {hasRole}:
 *
 * ```
 * function foo() public {
 *     require(hasRole(MY_ROLE, msg.sender));
 *     ...
 * }
 * ```
 *
 * Roles can be granted and revoked dynamically via the {grantRole} and
 * {revokeRole} functions. Each role has an associated admin role, and only
 * accounts that have a role's admin role can call {grantRole} and {revokeRole}.
 *
 * By default, the admin role for all roles is `DEFAULT_ADMIN_ROLE`, which means
 * that only accounts with this role will be able to grant or revoke other
 * roles. More complex role relationships can be created by using
 * {_setRoleAdmin}.
 *
 * WARNING: The `DEFAULT_ADMIN_ROLE` is also its own admin: it has permission to
 * grant and revoke this role. Extra precautions should be taken to secure
 * accounts that have been granted it.
 */
abstract contract AccessControlUpgradeable is Initializable, ContextUpgradeable, IAccessControlUpgradeable, ERC165Upgradeable {
    function __AccessControl_init() internal onlyInitializing {
    }

    function __AccessControl_init_unchained() internal onlyInitializing {
    }
    struct RoleData {
        mapping(address => bool) members;
        bytes32 adminRole;
    }

    mapping(bytes32 => RoleData) private _roles;

    bytes32 public constant DEFAULT_ADMIN_ROLE = 0x00;

    /**
     * @dev Modifier that checks that an account has a specific role. Reverts
     * with a standardized message including the required role.
     *
     * The format of the revert reason is given by the following regular expression:
     *
     *  /^AccessControl: account (0x[0-9a-f]{40}) is missing role (0x[0-9a-f]{64})$/
     *
     * _Available since v4.1._
     */
    modifier onlyRole(bytes32 role) {
        _checkRole(role, _msgSender());
        _;
    }

    /**
     * @dev See {IERC165-supportsInterface}.
     */
    function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
        return interfaceId == type(IAccessControlUpgradeable).interfaceId || super.supportsInterface(interfaceId);
    }

    /**
     * @dev Returns `true` if `account` has been granted `role`.
     */
    function hasRole(bytes32 role, address account) public view virtual override returns (bool) {
        return _roles[role].members[account];
    }

    /**
     * @dev Revert with a standard message if `account` is missing `role`.
     *
     * The format of the revert reason is given by the following regular expression:
     *
     *  /^AccessControl: account (0x[0-9a-f]{40}) is missing role (0x[0-9a-f]{64})$/
     */
    function _checkRole(bytes32 role, address account) internal view virtual {
        if (!hasRole(role, account)) {
            revert(
                string(
                    abi.encodePacked(
                        "AccessControl: account ",
                        StringsUpgradeable.toHexString(uint160(account), 20),
                        " is missing role ",
                        StringsUpgradeable.toHexString(uint256(role), 32)
                    )
                )
            );
        }
    }

    /**
     * @dev Returns the admin role that controls `role`. See {grantRole} and
     * {revokeRole}.
     *
     * To change a role's admin, use {_setRoleAdmin}.
     */
    function getRoleAdmin(bytes32 role) public view virtual override returns (bytes32) {
        return _roles[role].adminRole;
    }

    /**
     * @dev Grants `role` to `account`.
     *
     * If `account` had not been already granted `role`, emits a {RoleGranted}
     * event.
     *
     * Requirements:
     *
     * - the caller must have ``role``'s admin role.
     */
    function grantRole(bytes32 role, address account) public virtual override onlyRole(getRoleAdmin(role)) {
        _grantRole(role, account);
    }

    /**
     * @dev Revokes `role` from `account`.
     *
     * If `account` had been granted `role`, emits a {RoleRevoked} event.
     *
     * Requirements:
     *
     * - the caller must have ``role``'s admin role.
     */
    function revokeRole(bytes32 role, address account) public virtual override onlyRole(getRoleAdmin(role)) {
        _revokeRole(role, account);
    }

    /**
     * @dev Revokes `role` from the calling account.
     *
     * Roles are often managed via {grantRole} and {revokeRole}: this function's
     * purpose is to provide a mechanism for accounts to lose their privileges
     * if they are compromised (such as when a trusted device is misplaced).
     *
     * If the calling account had been revoked `role`, emits a {RoleRevoked}
     * event.
     *
     * Requirements:
     *
     * - the caller must be `account`.
     */
    function renounceRole(bytes32 role, address account) public virtual override {
        require(account == _msgSender(), "AccessControl: can only renounce roles for self");

        _revokeRole(role, account);
    }

    /**
     * @dev Grants `role` to `account`.
     *
     * If `account` had not been already granted `role`, emits a {RoleGranted}
     * event. Note that unlike {grantRole}, this function doesn't perform any
     * checks on the calling account.
     *
     * [WARNING]
     * ====
     * This function should only be called from the constructor when setting
     * up the initial roles for the system.
     *
     * Using this function in any other way is effectively circumventing the admin
     * system imposed by {AccessControl}.
     * ====
     *
     * NOTE: This function is deprecated in favor of {_grantRole}.
     */
    function _setupRole(bytes32 role, address account) internal virtual {
        _grantRole(role, account);
    }

    /**
     * @dev Sets `adminRole` as ``role``'s admin role.
     *
     * Emits a {RoleAdminChanged} event.
     */
    function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual {
        bytes32 previousAdminRole = getRoleAdmin(role);
        _roles[role].adminRole = adminRole;
        emit RoleAdminChanged(role, previousAdminRole, adminRole);
    }

    /**
     * @dev Grants `role` to `account`.
     *
     * Internal function without access restriction.
     */
    function _grantRole(bytes32 role, address account) internal virtual {
        if (!hasRole(role, account)) {
            _roles[role].members[account] = true;
            emit RoleGranted(role, account, _msgSender());
        }
    }

    /**
     * @dev Revokes `role` from `account`.
     *
     * Internal function without access restriction.
     */
    function _revokeRole(bytes32 role, address account) internal virtual {
        if (hasRole(role, account)) {
            _roles[role].members[account] = false;
            emit RoleRevoked(role, account, _msgSender());
        }
    }

    /**
     * This empty reserved space is put in place to allow future versions to add new
     * variables without shifting down storage in the inheritance chain.
     * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps
     */
    uint256[49] private __gap;
}

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

Contract Security Audit

Contract ABI

API
[{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"validatorId","type":"uint256"},{"indexed":false,"internalType":"address","name":"rewardAddress","type":"address"}],"name":"AddNodeOperator","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"validatorId","type":"uint256"},{"indexed":false,"internalType":"address","name":"rewardAddress","type":"address"}],"name":"ExitNodeOperator","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"account","type":"address"}],"name":"Paused","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"validatorId","type":"uint256"},{"indexed":false,"internalType":"address","name":"rewardAddress","type":"address"}],"name":"RemoveInvalidNodeOperator","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"validatorId","type":"uint256"},{"indexed":false,"internalType":"address","name":"rewardAddress","type":"address"}],"name":"RemoveNodeOperator","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"bytes32","name":"previousAdminRole","type":"bytes32"},{"indexed":true,"internalType":"bytes32","name":"newAdminRole","type":"bytes32"}],"name":"RoleAdminChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":true,"internalType":"address","name":"sender","type":"address"}],"name":"RoleGranted","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":true,"internalType":"address","name":"sender","type":"address"}],"name":"RoleRevoked","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"oldDistanceThreshold","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newDistanceThreshold","type":"uint256"}],"name":"SetDistanceThreshold","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"oldKnBONE","type":"address"},{"indexed":false,"internalType":"address","name":"newKnBONE","type":"address"}],"name":"SetKnBONEAddress","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"oldMaxWithdrawPercentagePerRebalance","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newMaxWithdrawPercentagePerRebalance","type":"uint256"}],"name":"SetMaxWithdrawPercentagePerRebalance","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint8","name":"oldMinRequestWithdrawRange","type":"uint8"},{"indexed":false,"internalType":"uint8","name":"newMinRequestWithdrawRange","type":"uint8"}],"name":"SetMinRequestWithdrawRange","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"validatorId","type":"uint256"},{"indexed":false,"internalType":"address","name":"oldRewardAddress","type":"address"},{"indexed":false,"internalType":"address","name":"newRewardAddress","type":"address"}],"name":"SetRewardAddress","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"account","type":"address"}],"name":"Unpaused","type":"event"},{"inputs":[],"name":"ADD_NODE_OPERATOR_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"DAO_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"DEFAULT_ADMIN_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"DISTANCE_THRESHOLD_PERCENTS","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MAX_WITHDRAW_PERCENTAGE_PER_REBALANCE","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MIN_REQUEST_WITHDRAW_RANGE_PERCENTS","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"PAUSE_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"REMOVE_NODE_OPERATOR_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"UNPAUSE_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_validatorId","type":"uint256"},{"internalType":"address","name":"_rewardAddress","type":"address"}],"name":"addNodeOperator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"exitNodeOperatorRegistry","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_rewardAddress","type":"address"}],"name":"getNodeOperator","outputs":[{"components":[{"internalType":"uint256","name":"validatorId","type":"uint256"},{"internalType":"uint256","name":"commissionRate","type":"uint256"},{"internalType":"address","name":"validatorShare","type":"address"},{"internalType":"address","name":"rewardAddress","type":"address"},{"internalType":"bool","name":"delegation","type":"bool"},{"internalType":"enum INodeOperatorRegistry.NodeOperatorRegistryStatus","name":"status","type":"uint8"}],"internalType":"struct INodeOperatorRegistry.FullNodeOperatorRegistry","name":"nodeOperator","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_validatorId","type":"uint256"}],"name":"getNodeOperator","outputs":[{"components":[{"internalType":"uint256","name":"validatorId","type":"uint256"},{"internalType":"uint256","name":"commissionRate","type":"uint256"},{"internalType":"address","name":"validatorShare","type":"address"},{"internalType":"address","name":"rewardAddress","type":"address"},{"internalType":"bool","name":"delegation","type":"bool"},{"internalType":"enum INodeOperatorRegistry.NodeOperatorRegistryStatus","name":"status","type":"uint8"}],"internalType":"struct INodeOperatorRegistry.FullNodeOperatorRegistry","name":"nodeOperator","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_validatorId","type":"uint256"}],"name":"getNodeOperatorStatus","outputs":[{"internalType":"enum INodeOperatorRegistry.NodeOperatorRegistryStatus","name":"operatorStatus","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getProtocolStats","outputs":[{"internalType":"bool","name":"isBalanced","type":"bool"},{"internalType":"uint256","name":"distanceMinMaxStake","type":"uint256"},{"internalType":"uint256","name":"minAmount","type":"uint256"},{"internalType":"uint256","name":"maxAmount","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"}],"name":"getRoleAdmin","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getStats","outputs":[{"internalType":"uint256","name":"inactiveNodeOperator","type":"uint256"},{"internalType":"uint256","name":"activeNodeOperator","type":"uint256"},{"internalType":"uint256","name":"jailedNodeOperator","type":"uint256"},{"internalType":"uint256","name":"ejectedNodeOperator","type":"uint256"},{"internalType":"uint256","name":"unstakedNodeOperator","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getValidatorIds","outputs":[{"internalType":"uint256[]","name":"","type":"uint256[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_amountToDelegate","type":"uint256"}],"name":"getValidatorsDelegationAmount","outputs":[{"components":[{"internalType":"address","name":"validatorShare","type":"address"},{"internalType":"address","name":"rewardAddress","type":"address"}],"internalType":"struct INodeOperatorRegistry.ValidatorData[]","name":"validators","type":"tuple[]"},{"internalType":"uint256[]","name":"operatorRatiosToDelegate","type":"uint256[]"},{"internalType":"uint256","name":"totalRatio","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_amountToReDelegate","type":"uint256"}],"name":"getValidatorsRebalanceAmount","outputs":[{"components":[{"internalType":"address","name":"validatorShare","type":"address"},{"internalType":"address","name":"rewardAddress","type":"address"}],"internalType":"struct INodeOperatorRegistry.ValidatorData[]","name":"validators","type":"tuple[]"},{"internalType":"uint256[]","name":"operatorRatiosToRebalance","type":"uint256[]"},{"internalType":"uint256","name":"totalRatio","type":"uint256"},{"internalType":"uint256","name":"totalToWithdraw","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_withdrawAmount","type":"uint256"}],"name":"getValidatorsRequestWithdraw","outputs":[{"components":[{"internalType":"address","name":"validatorShare","type":"address"},{"internalType":"address","name":"rewardAddress","type":"address"}],"internalType":"struct INodeOperatorRegistry.ValidatorData[]","name":"validators","type":"tuple[]"},{"internalType":"uint256","name":"totalDelegated","type":"uint256"},{"internalType":"uint256[]","name":"bigNodeOperatorIds","type":"uint256[]"},{"internalType":"uint256[]","name":"smallNodeOperatorIds","type":"uint256[]"},{"internalType":"uint256[]","name":"operatorAmountCanBeRequested","type":"uint256[]"},{"internalType":"uint256","name":"totalValidatorToWithdrawFrom","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"grantRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"hasRole","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract IStakeManager","name":"_stakeManager","type":"address"},{"internalType":"contract IKnBONE","name":"_knBONE","type":"address"},{"internalType":"address","name":"_dao","type":"address"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"knBONE","outputs":[{"internalType":"contract IKnBONE","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"listDelegatedNodeOperators","outputs":[{"components":[{"internalType":"address","name":"validatorShare","type":"address"},{"internalType":"address","name":"rewardAddress","type":"address"}],"internalType":"struct INodeOperatorRegistry.ValidatorData[]","name":"","type":"tuple[]"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"listWithdrawNodeOperators","outputs":[{"components":[{"internalType":"address","name":"validatorShare","type":"address"},{"internalType":"address","name":"rewardAddress","type":"address"}],"internalType":"struct INodeOperatorRegistry.ValidatorData[]","name":"","type":"tuple[]"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pause","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"paused","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract IERC20Upgradeable","name":"token","type":"address"},{"internalType":"address","name":"receiver","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"recoverERC20","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_validatorId","type":"uint256"}],"name":"removeInvalidNodeOperator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_validatorId","type":"uint256"}],"name":"removeNodeOperator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"renounceRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"revokeRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_newDistanceThreshold","type":"uint256"}],"name":"setDistanceThreshold","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_newKnBONE","type":"address"}],"name":"setKnBONEAddress","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_newMaxWithdrawPercentagePerRebalance","type":"uint256"}],"name":"setMaxWithdrawPercentagePerRebalance","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint8","name":"_newMinRequestWithdrawRangePercents","type":"uint8"}],"name":"setMinRequestWithdrawRange","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_newRewardAddress","type":"address"}],"name":"setRewardAddress","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"stakeManager","outputs":[{"internalType":"contract IStakeManager","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes4","name":"interfaceId","type":"bytes4"}],"name":"supportsInterface","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"unpause","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"validatorIdToRewardAddress","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"validatorIds","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"validatorRewardAddressToId","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"}]

6080604052348015600e575f80fd5b50613e5f8061001c5f395ff3fe608060405234801561000f575f80fd5b506004361061020d575f3560e01c806301ffc9a7146102115780630536bdde1461023957806307187f4c1461024e5780630926efe4146102705780630b8c298a146102855780630e2c0b10146102985780630f4c758e146102b85780631171bda9146102d657806322c5b7d4146102e9578063248a9ca31461030e5780632f2ff15d14610321578063309756fb1461033457806336568abe14610348578063389ed2671461035b5780633f4ba83a1461036f5780634b325f93146103775780634ef4f7b01461037f57806352d664b81461039f57806355954bf9146103b25780635c975abb146103c55780635e00e679146103d057806365c14dc7146103e35780637294d685146103f6578063734083ca1461040a5780637542ff9514610413578063771aceef146104335780638456cb591461045d578063919165aa1461046557806391d14854146104785780639552d81d1461048b5780639a57bd93146104ae5780639c2865c3146104c3578063a217fddf146104d6578063a3353859146104dd578063ad8c3762146104e5578063ae544a59146104f8578063c0c53b8b14610521578063c59d484714610534578063c983550014610564578063d547741f1461056d578063d789976a14610580578063e405746e14610593578063e9c26518146105b5578063f52ff13a146105c9578063feb1737b146105e9575b5f80fd5b61022461021f3660046135ec565b6105fc565b60405190151581526020015b60405180910390f35b61024c610247366004613613565b610632565b005b6102625f80516020613daa83398151915281565b604051908152602001610230565b61027861079a565b604051610230919061367c565b61024c6102933660046136a2565b6107aa565b6102ab6102a63660046136d0565b610b87565b604051610230919061371f565b60ff80546102c4911681565b60405160ff9091168152602001610230565b61024c6102e4366004613774565b610c15565b6102fc6102f7366004613613565b610c47565b604051610230969594939291906137e1565b61026261031c366004613613565b610f7f565b61024c61032f3660046136a2565b610f93565b6102625f80516020613dca83398151915281565b61024c6103563660046136a2565b610fb5565b6102625f80516020613dea83398151915281565b61024c611033565b61024c611056565b61026261038d3660046136d0565b6101026020525f908152604090205481565b61024c6103ad366004613613565b611189565b61024c6103c0366004613847565b611236565b60975460ff16610224565b61024c6103de3660046136d0565b6112ee565b6102ab6103f1366004613613565b611430565b6102625f80516020613d8a83398151915281565b61026260fd5481565b60fb54610426906001600160a01b031681565b6040516102309190613867565b61043b6114be565b6040805194151585526020850193909352918301526060820152608001610230565b61024c611619565b610262610473366004613613565b611639565b6102246104863660046136a2565b611659565b61049e610499366004613613565b611683565b604051610230949392919061387b565b6104b661195d565b60405161023091906138b3565b60fc54610426906001600160a01b031681565b6102625f81565b6102786119b4565b61024c6104f3366004613613565b6119c0565b610426610506366004613613565b6101016020525f90815260409020546001600160a01b031681565b61024c61052f3660046138c5565b611af0565b61053c611c86565b604080519586526020860194909452928401919091526060830152608082015260a001610230565b61026260fe5481565b61024c61057b3660046136a2565b611db5565b61024c61058e366004613613565b611dd2565b6105a66105a1366004613613565b611e8b565b6040516102309392919061390d565b6102625f80516020613d6a83398151915281565b6105dc6105d7366004613613565b61200c565b6040516102309190613942565b61024c6105f73660046136d0565b612036565b5f6001600160e01b03198216637965db0b60e01b148061062c57506301ffc9a760e01b6001600160e01b03198316145b92915050565b5f80516020613daa83398151915261064a81336120f7565b600260c954036106755760405162461bcd60e51b815260040161066c90613950565b60405180910390fd5b600260c9555f82815261010160205260409020546001600160a01b0316806106d95760405162461bcd60e51b815260206004820152601760248201527615985b1a59185d1bdc88191bd95cdb89dd08195e1a5cdd604a1b604482015260640161066c565b60fb54604051630d6a8b9160e21b8152600481018590525f916001600160a01b0316906335aa2e44906024016101a060405180830381865afa158015610721573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061074591906139ee565b9050610756848260c001518461215b565b7fc4f0c2458a6d8b89f193ccfbc04faaf8481460fe27342149e87d8d3be7e5f1ad8483604051610787929190613aa6565b60405180910390a15050600160c9555050565b60606107a55f6122ab565b905090565b5f80516020613d8a8339815191526107c281336120f7565b600260c954036107e45760405162461bcd60e51b815260040161066c90613950565b600260c9555f8390036108295760405162461bcd60e51b815260206004820152600d60248201526c056616c696461746f7249643d3609c1b604482015260640161066c565b5f83815261010160205260409020546001600160a01b0316156108815760405162461bcd60e51b815260206004820152601060248201526f56616c696461746f722065786973747360801b604482015260640161066c565b6001600160a01b0382165f9081526101026020526040902054156108e55760405162461bcd60e51b815260206004820152601b60248201527a14995dd85c99081059191c995cdcc8185b1c9958591e481d5cd959602a1b604482015260640161066c565b6001600160a01b03821661090b5760405162461bcd60e51b815260040161066c90613abd565b60fb54604051630d6a8b9160e21b8152600481018590525f916001600160a01b0316906335aa2e44906024016101a060405180830381865afa158015610953573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061097791906139ee565b905060018160e001516003811115610991576109916136eb565b1480156109a057506060810151155b6109e55760405162461bcd60e51b815260206004820152601660248201527556616c696461746f722069736e27742041435449564560501b604482015260640161066c565b60c08101516001600160a01b0316610a3f5760405162461bcd60e51b815260206004820152601f60248201527f56616c696461746f7220686173206e6f2056616c696461746f72536861726500604482015260640161066c565b8060c001516001600160a01b031663df5cf7236040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a7f573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610aa39190613aed565b610ae85760405162461bcd60e51b815260206004820152601660248201527511195b1959d85d1a5bdb881a5cc8191a5cd8589b195960521b604482015260640161066c565b5f8481526101016020908152604080832080546001600160a01b0319166001600160a01b0388169081179091558352610102909152808220869055610100805460018101825592527f45e010b9ae401e2eb71529478da8bd513a9bdc2d095a111e324f5b95c09ed87b909101859055517fd37fab16e3de663ea8481ee997edf00871079ed2cb2762ae63ed1bdec8ffe69a906107879086908690613aa6565b610b8f613526565b6001600160a01b0382165f90815261010260205260408120549080610bb48386612471565b91509150818460a001906004811115610bcf57610bcf6136eb565b90816004811115610be257610be26136eb565b9052506001600160a01b0394851660608501529183525060c0810151909216604082015261010090910151602082015290565b5f80516020613d6a833981519152610c2d81336120f7565b610c416001600160a01b038516848461261e565b50505050565b60605f60608060605f610100805490505f0315610f765760605f80610c6a612670565b939c50909a50909450925090505f889003610c8757505050610f76565b88515f89610c968d6064613b20565b610ca09190613b37565b60ff80549192506064918491610cb7911684613b56565b610cc19190613b20565b610ccb9190613b37565b610cd6906001613b56565b9550610ce2868361293c565b95508b610cef8786613b20565b10158015610d14575060fd5484610d07856064613b20565b610d119190613b37565b11155b15610d23575050505050610f76565b5f9550816001600160401b03811115610d3e57610d3e613987565b604051908082528060200260200182016040528015610d67578160200160208202803683370190505b5096505f8c8b11610d78575f610d8d565b82610d838e8d613b69565b610d8d9190613b37565b9050610d99818661293c565b90505f610da6848d613b37565b90505f80856001600160401b03811115610dc257610dc2613987565b604051908082528060200260200182016040528015610deb578160200160208202803683370190505b509c50856001600160401b03811115610e0657610e06613987565b604051908082528060200260200182016040528015610e2f578160200160208202803683370190505b509b505f5b86811015610f5357838a8281518110610e4f57610e4f613b7c565b60200260200101511115610e8d57808e8481518110610e7057610e70613b7c565b602090810291909101015282610e8581613b90565b935050610eb9565b808d8381518110610ea057610ea0613b7c565b602090810291909101015281610eb581613b90565b9250505b5f8a8281518110610ecc57610ecc613b7c565b60200260200101515f14158015610efb5750858b8381518110610ef157610ef1613b7c565b6020026020010151115b610f05575f610f2a565b858b8381518110610f1857610f18613b7c565b6020026020010151610f2a9190613b69565b9050808d8381518110610f3f57610f3f613b7c565b602090810291909101015250600101610e34565b5085821015610f6057818d525b85811015610f6c57808c525b5050505050505050505b91939550919395565b5f9081526065602052604090206001015490565b610f9c82610f7f565b610fa681336120f7565b610fb08383612953565b505050565b6001600160a01b03811633146110255760405162461bcd60e51b815260206004820152602f60248201527f416363657373436f6e74726f6c3a2063616e206f6e6c792072656e6f756e636560448201526e103937b632b9903337b91039b2b63360891b606482015260840161066c565b61102f82826129d8565b5050565b5f80516020613dca83398151915261104b81336120f7565b611053612a3e565b50565b600260c954036110785760405162461bcd60e51b815260040161066c90613950565b600260c955335f81815261010260209081526040808320548084526101019092529091205490916001600160a01b039091169081146110c95760405162461bcd60e51b815260040161066c90613ba8565b60fb54604051630d6a8b9160e21b8152600481018490525f916001600160a01b0316906335aa2e44906024016101a060405180830381865afa158015611111573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061113591906139ee565b9050611146838260c001518461215b565b7f527053781427e37eeb44a69b3938ea3f9ed9bc9bed336b2487d014fb1aa7e5308383604051611177929190613aa6565b60405180910390a15050600160c95550565b5f80516020613d6a8339815191526111a181336120f7565b60648210156111ef5760405162461bcd60e51b815260206004820152601a602482015279125b9d985b1a5908191a5cdd185b98d9481d1a1c995cda1bdb1960321b604482015260640161066c565b60fd80549083905560408051828152602081018590527fe76888e2fe473bd0ea545fcd55bc7c861cf90200fe97e7893a5f82f5f3d4869791015b60405180910390a1505050565b5f80516020613d6a83398151915261124e81336120f7565b60648260ff1611156112a25760405162461bcd60e51b815260206004820152601f60248201527f496e76616c6964206d696e52657175657374576974686472617752616e676500604482015260640161066c565b60ff805483821660ff1982168117835560408051929093168083526020830191909152917f8e154623abe8ce57c417452e7f33dcab23da5b57af4a3ccb8440b451549cbdf79101611229565b60975460ff16156113115760405162461bcd60e51b815260040161066c90613bce565b336001600160a01b038216036113395760405162461bcd60e51b815260040161066c90613abd565b335f81815261010260209081526040808320548084526101019092529091205490916001600160a01b039091169081146113855760405162461bcd60e51b815260040161066c90613ba8565b6001600160a01b0383166113ab5760405162461bcd60e51b815260040161066c90613abd565b5f8281526101016020908152604080832080546001600160a01b0319166001600160a01b038881169182179092558085526101028452828520879055338552828520949094558151868152908516928101929092528101919091527f6f135ea8885bb4007106f50d1491ceebc2e201523b854c8d1b522c3b5f53abaa90606001611229565b611438613526565b5f82815261010160205260408120546001600160a01b0316908061145c8584612471565b60c08101516001600160a01b03908116604088015287875285166060870152909250905060a08401826004811115611496576114966136eb565b908160048111156114a9576114a96136eb565b90525061010001516020840152509092915050565b610100545f908190819081908181156114d8575f196114da565b5f5b93505f5b828110156115ca5761010081815481106114fa576114fa613b7c565b5f918252602080832090910154808352610101909152604082205490935061152c9084906001600160a01b0316612471565b60c081015160fc54604051630f3ffc7b60e11b81529294505f93506001600160a01b0391821692631e7ff8f692611567921690600401613867565b6040805180830381865afa158015611581573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906115a59190613bf8565b509050808610156115b4578095505b808711156115c0578096505b50506001016114de565b505f84156115d857846115db565b60015b90505f84156115ea57846115ed565b60015b9050816115fb826064613b20565b6116059190613b37565b965060fd5487111597505050505090919293565b5f80516020613dea83398151915261163181336120f7565b611053612acb565b6101008181548110611649575f80fd5b5f91825260209091200154905081565b5f9182526065602090815260408084206001600160a01b0393909316845291905290205460ff1690565b6060805f80600161010080549050116116de5760405162461bcd60e51b815260206004820181905260248201527f4e6f7420656e6f756768206f70657261746f7220746f20726562616c616e6365604482015260640161066c565b60605f806116ea612b23565b8351939a5091955093509150600181116117575760405162461bcd60e51b815260206004820152602860248201527f4e6f7420656e6f75676820616374697665206f70657261746f727320746f20726044820152676562616c616e636560c01b606482015260840161066c565b60fd54808311801561176857505f84115b6117ad5760405162461bcd60e51b8152602060048201526016602482015275151a19481cde5cdd195b481a5cc818985b185b98d95960521b604482015260640161066c565b816001600160401b038111156117c5576117c5613987565b6040519080825280602002602001820160405280156117ee578160200160208202803683370190505b5097505f6117fc8386613b37565b90505f805b848110156118d1578288828151811061181c5761181c613b7c565b60200260200101511161182f575f611854565b8288828151811061184257611842613b7c565b60200260200101516118549190613b69565b9150811561189f57838389838151811061187057611870613b7c565b602002602001015160646118849190613b20565b61188e9190613b37565b101561189a575f61189c565b815b91505b818b82815181106118b2576118b2613b7c565b60209081029190910101526118c7828b613b56565b9950600101611801565b508b89116118df575f6118e9565b6118e98c8a613b69565b9750606460fe54896118fb9190613b20565b6119059190613b37565b97505f881161194f5760405162461bcd60e51b81526020600482015260166024820152755a65726f20746f74616c20746f20776974686472617760501b604482015260640161066c565b505050505050509193509193565b60606101008054806020026020016040519081016040528092919081815260200182805480156119aa57602002820191905f5260205f20905b815481526020019060010190808311611996575b5050505050905090565b60606107a560016122ab565b60975460ff16156119e35760405162461bcd60e51b815260040161066c90613bce565b600260c95403611a055760405162461bcd60e51b815260040161066c90613950565b600260c9555f81815261010160205260408120546001600160a01b03169080611a2e8484612471565b90925090506004826004811115611a4757611a476136eb565b1480611a6457506003826004811115611a6257611a626136eb565b145b611ab05760405162461bcd60e51b815260206004820152601d60248201527f43616e6e6f742072656d6f76652076616c6964206f70657261746f722e000000604482015260640161066c565b611abf848260c001518561215b565b7f83fe82652ac7e65478c5786c98ac0dcfa7de288d620cb64c83b55cd2f96b1c518484604051610787929190613aa6565b5f54610100900460ff16611b09575f5460ff1615611b11565b611b11612ff7565b611b745760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201526d191e481a5b9a5d1a585b1a5e995960921b606482015260840161066c565b5f54610100900460ff16158015611b94575f805461ffff19166101011790555b611b9c613007565b611ba4613039565b611bac613061565b60fb80546001600160a01b038087166001600160a01b03199283161790925560fc805492861692909116919091179055607860fd55601460fe5560ff805460ff1916600f179055611bfd5f83612953565b611c145f80516020613dea83398151915283612953565b611c2b5f80516020613dca83398151915283612953565b611c425f80516020613d6a83398151915283612953565b611c595f80516020613d8a83398151915283612953565b611c705f80516020613daa83398151915283612953565b8015610c41575f805461ff001916905550505050565b610100545f90819081908190819081805b82811015611dab576101008181548110611cb357611cb3613b7c565b5f9182526020808320909101548083526101019091526040822054909350611ce59084906001600160a01b0316612471565b5090506001816004811115611cfc57611cfc6136eb565b03611d135787611d0b81613b90565b985050611da2565b6002816004811115611d2757611d276136eb565b03611d3e5786611d3681613b90565b975050611da2565b6003816004811115611d5257611d526136eb565b03611d695785611d6181613b90565b965050611da2565b6004816004811115611d7d57611d7d6136eb565b03611d945784611d8c81613b90565b955050611da2565b88611d9e81613b90565b9950505b50600101611c97565b5050509091929394565b611dbe82610f7f565b611dc881336120f7565b610fb083836129d8565b5f80516020613d6a833981519152611dea81336120f7565b6064821115611e4d5760405162461bcd60e51b815260206004820152602960248201527f496e76616c6964206d6178576974686472617750657263656e74616765506572604482015268526562616c616e636560b81b606482015260840161066c565b60fe80549083905560408051828152602081018590527ff80b5a55a2072c336bb389e3f61590cc80541f4dfd51ba88b0d07da3f4c1d8fd9101611229565b6060805f806101008054905011611ee45760405162461bcd60e51b815260206004820181905260248201527f4e6f7420656e6f756768206f70657261746f727320746f2064656c6567617465604482015260640161066c565b60605f80611ef0612b23565b835160fd54949a509296509094509250908211801590611f14575050505050612005565b816001600160401b03811115611f2c57611f2c613987565b604051908082528060200260200182016040528015611f55578160200160208202803683370190505b5096505f82611f648b87613b56565b611f6e9190613b37565b90505f805b84811015611ffc5782888281518110611f8e57611f8e613b7c565b60200260200101511015611fc657878181518110611fae57611fae613b7c565b602002602001015183611fc19190613b69565b611fc8565b5f5b9150818a8281518110611fdd57611fdd613b7c565b6020908102919091010152611ff2828a613b56565b9850600101611f73565b50505050505050505b9193909250565b5f818152610101602052604081205461202f9083906001600160a01b0316612471565b5092915050565b5f80516020613d6a83398151915261204e81336120f7565b6001600160a01b03821661209d5760405162461bcd60e51b8152602060048201526016602482015275496e76616c6964206b6e424f4e45206164647265737360501b604482015260640161066c565b60fc80546001600160a01b038481166001600160a01b031983168117909355604080519190921680825260208201939093527fa4bfaa65d62e08aa2bf303b5f20524c4333e735a9e93cc342f5f5fac564be7989101611229565b6121018282611659565b61102f57612119816001600160a01b0316601461308e565b61212483602061308e565b604051602001612135929190613c31565b60408051601f198184030181529082905262461bcd60e51b825261066c91600401613c89565b610100545f5b61216c600183613b69565b8110156121e957610100818154811061218757612187613b7c565b905f5260205f20015485036121e1576101006121a4600184613b69565b815481106121b4576121b4613b7c565b905f5260205f20015461010082815481106121d1576121d1613b7c565b5f918252602090912001556121e9565b600101612161565b506101008054806121fc576121fc613cbe565b5f8281526020812082015f199081019190915501905560fc546040516363af3c1960e11b81526001600160a01b039091169063c75e783290612242908690600401613867565b5f604051808303815f87803b158015612259575f80fd5b505af115801561226b573d5f803e3d5ffd5b5050505f94855250506101016020908152604080852080546001600160a01b03191690556001600160a01b03929092168452610102905282209190915550565b60605f6122b6613558565b5f8061010080548060200260200160405190810160405280929190818152602001828054801561230357602002820191905f5260205f20905b8154815260200190600101908083116122ef575b505050505090505f815190505f816001600160401b0381111561232857612328613987565b60405190808252806020026020018201604052801561236157816020015b61234e6135d6565b8152602001906001900390816123465790505b5090505f5b82811015612459575f6101015f86848151811061238557612385613b7c565b602002602001015181526020019081526020015f205f9054906101000a90046001600160a01b031690506123d28583815181106123c4576123c4613b7c565b602002602001015182612471565b80985081975050505f6123ea878960c001518d613223565b9050806123f8575050612451565b60405180604001604052808960c001516001600160a01b03168152602001836001600160a01b0316815250848a8151811061243557612435613b7c565b6020026020010181905250888061244b90613b90565b99505050505b600101612366565b5081861015612466578581525b979650505050505050565b5f61247a613558565b835f036124995760405162461bcd60e51b815260040161066c90613cd2565b6001600160a01b0383166124bf5760405162461bcd60e51b815260040161066c90613cd2565b60fb54604051630d6a8b9160e21b8152600481018690526001600160a01b03909116906335aa2e44906024016101a060405180830381865afa158015612507573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061252b91906139ee565b905060018160e001516003811115612545576125456136eb565b14801561255457506060810151155b156125625760019150612617565b60028160e00151600381111561257a5761257a6136eb565b14801561258957506060810151155b156125975760029150612617565b60018160e0015160038111156125af576125af6136eb565b14806125d0575060028160e0015160038111156125ce576125ce6136eb565b145b80156125df5750606081015115155b156125ed5760039150612617565b60038160e001516003811115612605576126056136eb565b036126135760049150612617565b5f91505b9250929050565b604080516001600160a01b038416602482015260448082018490528251808303909101815260649091019091526020810180516001600160e01b031663a9059cbb60e01b179052610fb09084906132dc565b6060805f805f806101008054806020026020016040519081016040528092919081815260200182805480156126c257602002820191905f5260205f20905b8154815260200190600101908083116126ae575b5050505050905080516001600160401b038111156126e2576126e2613987565b60405190808252806020026020018201604052801561271b57816020015b6127086135d6565b8152602001906001900390816127005790505b50955080516001600160401b0381111561273757612737613987565b604051908082528060200260200182016040528015612760578160200160208202803683370190505b5060fc549095506001600160a01b03165f612779613558565b5f1995505f80805b865181101561291e576101015f8883815181106127a0576127a0613b7c565b602002602001015181526020019081526020015f205f9054906101000a90046001600160a01b031694506127ed8782815181106127df576127df613b7c565b602002602001015186612471565b945092505f836004811115612804576128046136eb565b146129165760c0840151604051630f3ffc7b60e11b81525f916001600160a01b031690631e7ff8f69061283b908a90600401613867565b6040805180830381865afa158015612855573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906128799190613bf8565b509050808c848151811061288f5761288f613b7c565b60209081029190910101526128a4818c613b56565b9a50808910156128b2578098505b808a11156128be578099505b60405180604001604052808660c001516001600160a01b03168152602001876001600160a01b03168152508d84815181106128fb576128fb613b7c565b6020026020010181905250828061291190613b90565b935050505b600101612781565b50855181101561292f57808b52808a525b5050505050509091929394565b5f81831161294a578261294c565b815b9392505050565b61295d8282611659565b61102f575f8281526065602090815260408083206001600160a01b03851684529091529020805460ff191660011790556129943390565b6001600160a01b0316816001600160a01b0316837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45050565b6129e28282611659565b1561102f575f8281526065602090815260408083206001600160a01b0385168085529252808320805460ff1916905551339285917ff6391f5c32d9c69d2a47ea670b442974b53935d1edc7fd64eb21e047a839171b9190a45050565b60975460ff16612a875760405162461bcd60e51b815260206004820152601460248201527314185d5cd8589b194e881b9bdd081c185d5cd95960621b604482015260640161066c565b6097805460ff191690557f5db9ee0a495bf2e6ff9c91a7834c1ba4fdd244a5e8aa4e537bd38aeae4b073aa335b604051612ac19190613867565b60405180910390a1565b60975460ff1615612aee5760405162461bcd60e51b815260040161066c90613bce565b6097805460ff191660011790557f62e78cea01bee320cd4e420270b5ea74000d11b0c9f74754ebdbfc544b05a258612ab43390565b6060805f805f80610100805480602002602001604051908101604052809291908181526020018280548015612b7557602002820191905f5260205f20905b815481526020019060010190808311612b61575b5050505050905080516001600160401b03811115612b9557612b95613987565b604051908082528060200260200182016040528015612bce57816020015b612bbb6135d6565b815260200190600190039081612bb35790505b50955080516001600160401b03811115612bea57612bea613987565b604051908082528060200260200182016040528015612c13578160200160208202803683370190505b5060fc549095506001600160a01b03165f80612c2d613558565b5f805f19815b8851811015612f5f57888181518110612c4e57612c4e613b7c565b6020908102919091018101515f8181526101019092526040909120549097506001600160a01b03169550612c828787612471565b955093505f846004811115612c9957612c996136eb565b14612f57576003846004811115612cb257612cb26136eb565b03612d105760405162461bcd60e51b815260206004820152603b60248201525f80516020613e0a83398151915260448201527a1d184b08185b881bdc195c985d1bdc881dd85cc811529150d51151602a1b606482015260840161066c565b6004846004811115612d2457612d246136eb565b03612d835760405162461bcd60e51b815260206004820152603c60248201525f80516020613e0a83398151915260448201527b1d184b08185b881bdc195c985d1bdc881dd85cc8155394d51052d15160221b606482015260840161066c565b60c0850151604051630f3ffc7b60e11b81525f916001600160a01b031690631e7ff8f690612db5908c90600401613867565b6040805180830381865afa158015612dcf573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190612df39190613bf8565b509050612e00818e613b56565b9c5080841015612e0e578093505b80831115612e1a578092505b6001856004811115612e2e57612e2e6136eb565b148015612e9a57508560c001516001600160a01b031663df5cf7236040518163ffffffff1660e01b8152600401602060405180830381865afa158015612e76573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190612e9a9190613aed565b15612f5557808e8c81518110612eb257612eb2613b7c565b60200260200101818152505060405180604001604052808760c001516001600160a01b031681526020016101015f6101008681548110612ef457612ef4613b7c565b905f5260205f20015481526020019081526020015f205f9054906101000a90046001600160a01b03166001600160a01b03168152508f8c81518110612f3b57612f3b613b7c565b60200260200101819052508a80612f5190613b90565b9b50505b505b600101612c33565b505f8911612faf5760405162461bcd60e51b815260206004820152601d60248201527f546865726520617265206e6f206163746976652076616c696461746f72000000604482015260640161066c565b8015612fbb5780612fbe565b60015b905080612fcc836064613b20565b612fd69190613b37565b99508751891015612fe857888d52888c525b50505050505050505090919293565b5f613001306133ad565b15905090565b5f54610100900460ff1661302d5760405162461bcd60e51b815260040161066c90613cfe565b6097805460ff19169055565b5f54610100900460ff1661305f5760405162461bcd60e51b815260040161066c90613cfe565b565b5f54610100900460ff166130875760405162461bcd60e51b815260040161066c90613cfe565b600160c955565b60605f61309c836002613b20565b6130a7906002613b56565b6001600160401b038111156130be576130be613987565b6040519080825280601f01601f1916602001820160405280156130e8576020820181803683370190505b509050600360fc1b815f8151811061310257613102613b7c565b60200101906001600160f81b03191690815f1a905350600f60fb1b8160018151811061313057613130613b7c565b60200101906001600160f81b03191690815f1a9053505f613152846002613b20565b61315d906001613b56565b90505b60018111156131d4576f181899199a1a9b1b9c1cb0b131b232b360811b85600f166010811061319157613191613b7c565b1a60f81b8282815181106131a7576131a7613b7c565b60200101906001600160f81b03191690815f1a90535060049490941c936131cd81613d49565b9050613160565b50831561294c5760405162461bcd60e51b815260206004820181905260248201527f537472696e67733a20686578206c656e67746820696e73756666696369656e74604482015260640161066c565b5f81156132ba57600184600481111561323e5761323e6136eb565b1480156132a65750826001600160a01b031663df5cf7236040518163ffffffff1660e01b8152600401602060405180830381865afa158015613282573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906132a69190613aed565b156132b35750600161294c565b505f61294c565b5f8460048111156132cd576132cd6136eb565b146132b3575060019392505050565b5f613330826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b03166133bc9092919063ffffffff16565b805190915015610fb0578080602001905181019061334e9190613aed565b610fb05760405162461bcd60e51b815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e6044820152691bdd081cdd58d8d9595960b21b606482015260840161066c565b6001600160a01b03163b151590565b60606133ca84845f856133d2565b949350505050565b6060824710156134335760405162461bcd60e51b815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f6044820152651c8818d85b1b60d21b606482015260840161066c565b61343c856133ad565b6134885760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e7472616374000000604482015260640161066c565b5f80866001600160a01b031685876040516134a39190613d5e565b5f6040518083038185875af1925050503d805f81146134dd576040519150601f19603f3d011682016040523d82523d5f602084013e6134e2565b606091505b5091509150612466828286606083156134fc57508161294c565b82511561350c5782518084602001fd5b8160405162461bcd60e51b815260040161066c9190613c89565b6040805160c0810182525f8082526020820181905291810182905260608101829052608081018290529060a082015290565b604051806101a001604052805f81526020015f81526020015f81526020015f81526020015f81526020015f6001600160a01b031681526020015f6001600160a01b031681526020015f60038111156135b2576135b26136eb565b81526020015f81526020015f81526020015f81526020015f81526020015f81525090565b604080518082019091525f808252602082015290565b5f602082840312156135fc575f80fd5b81356001600160e01b03198116811461294c575f80fd5b5f60208284031215613623575f80fd5b5035919050565b5f815180845260208085019450602084015f5b8381101561367157815180516001600160a01b0390811689529084015116838801526040909601959082019060010161363d565b509495945050505050565b602081525f61294c602083018461362a565b6001600160a01b0381168114611053575f80fd5b5f80604083850312156136b3575f80fd5b8235915060208301356136c58161368e565b809150509250929050565b5f602082840312156136e0575f80fd5b813561294c8161368e565b634e487b7160e01b5f52602160045260245ffd5b6005811061371b57634e487b7160e01b5f52602160045260245ffd5b9052565b5f60c0820190508251825260208301516020830152604083015160018060a01b038082166040850152806060860151166060850152505060808301511515608083015260a083015161202f60a08401826136ff565b5f805f60608486031215613786575f80fd5b83356137918161368e565b925060208401356137a18161368e565b929592945050506040919091013590565b5f815180845260208085019450602084015f5b83811015613671578151875295820195908201906001016137c5565b60c081525f6137f360c083018961362a565b876020840152828103604084015261380b81886137b2565b9050828103606084015261381f81876137b2565b9050828103608084015261383381866137b2565b9150508260a0830152979650505050505050565b5f60208284031215613857575f80fd5b813560ff8116811461294c575f80fd5b6001600160a01b0391909116815260200190565b608081525f61388d608083018761362a565b828103602084015261389f81876137b2565b604084019590955250506060015292915050565b602081525f61294c60208301846137b2565b5f805f606084860312156138d7575f80fd5b83356138e28161368e565b925060208401356138f28161368e565b915060408401356139028161368e565b809150509250925092565b606081525f61391f606083018661362a565b828103602084015261393181866137b2565b915050826040830152949350505050565b6020810161062c82846136ff565b6020808252601f908201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604082015260600190565b634e487b7160e01b5f52604160045260245ffd5b6040516101a081016001600160401b03811182821017156139ca57634e487b7160e01b5f52604160045260245ffd5b60405290565b80516139db8161368e565b919050565b8051600481106139db575f80fd5b5f6101a082840312156139ff575f80fd5b613a0761399b565b8251815260208301516020820152604083015160408201526060830151606082015260808301516080820152613a3f60a084016139d0565b60a0820152613a5060c084016139d0565b60c0820152613a6160e084016139e0565b60e08201526101008381015190820152610120808401519082015261014080840151908201526101608084015190820152610180928301519281019290925250919050565b9182526001600160a01b0316602082015260400190565b602080825260169082015275496e76616c696420726577617264206164647265737360501b604082015260600190565b5f60208284031215613afd575f80fd5b8151801515811461294c575f80fd5b634e487b7160e01b5f52601160045260245ffd5b808202811582820484141761062c5761062c613b0c565b5f82613b5157634e487b7160e01b5f52601260045260245ffd5b500490565b8082018082111561062c5761062c613b0c565b8181038181111561062c5761062c613b0c565b634e487b7160e01b5f52603260045260245ffd5b5f60018201613ba157613ba1613b0c565b5060010190565b6020808252600c908201526b155b985d5d1a1bdc9a5e995960a21b604082015260600190565b60208082526010908201526f14185d5cd8589b194e881c185d5cd95960821b604082015260600190565b5f8060408385031215613c09575f80fd5b505080516020909101519092909150565b5f81518060208401855e5f93019283525090919050565b76020b1b1b2b9b9a1b7b73a3937b61d1030b1b1b7bab73a1604d1b81525f613c5c6017830185613c1a565b7001034b99036b4b9b9b4b733903937b6329607d1b8152613c806011820185613c1a565b95945050505050565b602081525f82518060208401528060208501604085015e5f604082850101526040601f19601f83011684010191505092915050565b634e487b7160e01b5f52603160045260245ffd5b60208082526012908201527113dc195c985d1bdc881b9bdd08199bdd5b9960721b604082015260600190565b6020808252602b908201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960408201526a6e697469616c697a696e6760a81b606082015260800190565b5f81613d5757613d57613b0c565b505f190190565b5f61294c8284613c1a56fe3b5d4cc60d3ec3516ee8ae083bd60934f6eb2a6c54b1229985c41bfb092b2603e9367af2d321a2fc8d9c8f1e67f0fc1e2adf2f9844fb89ffa212619c713685b282d86c6aefada641b4f7bc3890d09be435efa38474b4088a85ac454bcd0e34e8265b220c5a8891efdd9e1b1b7fa72f257bd5169f8d87e319cf3dad6ff52b94ae139c2898040ef16910dc9f44dc697df79363da767d8bc92f2e310312b816e46d436f756c64206e6f742063616c63756c61746520746865207374616b65206461a264697066735822122033d43836fe745e18e675362098c98b6cc4bd5a5fa071a7d5c8533716a4dafbe464736f6c63430008190033

Deployed Bytecode

0x608060405234801561000f575f80fd5b506004361061020d575f3560e01c806301ffc9a7146102115780630536bdde1461023957806307187f4c1461024e5780630926efe4146102705780630b8c298a146102855780630e2c0b10146102985780630f4c758e146102b85780631171bda9146102d657806322c5b7d4146102e9578063248a9ca31461030e5780632f2ff15d14610321578063309756fb1461033457806336568abe14610348578063389ed2671461035b5780633f4ba83a1461036f5780634b325f93146103775780634ef4f7b01461037f57806352d664b81461039f57806355954bf9146103b25780635c975abb146103c55780635e00e679146103d057806365c14dc7146103e35780637294d685146103f6578063734083ca1461040a5780637542ff9514610413578063771aceef146104335780638456cb591461045d578063919165aa1461046557806391d14854146104785780639552d81d1461048b5780639a57bd93146104ae5780639c2865c3146104c3578063a217fddf146104d6578063a3353859146104dd578063ad8c3762146104e5578063ae544a59146104f8578063c0c53b8b14610521578063c59d484714610534578063c983550014610564578063d547741f1461056d578063d789976a14610580578063e405746e14610593578063e9c26518146105b5578063f52ff13a146105c9578063feb1737b146105e9575b5f80fd5b61022461021f3660046135ec565b6105fc565b60405190151581526020015b60405180910390f35b61024c610247366004613613565b610632565b005b6102625f80516020613daa83398151915281565b604051908152602001610230565b61027861079a565b604051610230919061367c565b61024c6102933660046136a2565b6107aa565b6102ab6102a63660046136d0565b610b87565b604051610230919061371f565b60ff80546102c4911681565b60405160ff9091168152602001610230565b61024c6102e4366004613774565b610c15565b6102fc6102f7366004613613565b610c47565b604051610230969594939291906137e1565b61026261031c366004613613565b610f7f565b61024c61032f3660046136a2565b610f93565b6102625f80516020613dca83398151915281565b61024c6103563660046136a2565b610fb5565b6102625f80516020613dea83398151915281565b61024c611033565b61024c611056565b61026261038d3660046136d0565b6101026020525f908152604090205481565b61024c6103ad366004613613565b611189565b61024c6103c0366004613847565b611236565b60975460ff16610224565b61024c6103de3660046136d0565b6112ee565b6102ab6103f1366004613613565b611430565b6102625f80516020613d8a83398151915281565b61026260fd5481565b60fb54610426906001600160a01b031681565b6040516102309190613867565b61043b6114be565b6040805194151585526020850193909352918301526060820152608001610230565b61024c611619565b610262610473366004613613565b611639565b6102246104863660046136a2565b611659565b61049e610499366004613613565b611683565b604051610230949392919061387b565b6104b661195d565b60405161023091906138b3565b60fc54610426906001600160a01b031681565b6102625f81565b6102786119b4565b61024c6104f3366004613613565b6119c0565b610426610506366004613613565b6101016020525f90815260409020546001600160a01b031681565b61024c61052f3660046138c5565b611af0565b61053c611c86565b604080519586526020860194909452928401919091526060830152608082015260a001610230565b61026260fe5481565b61024c61057b3660046136a2565b611db5565b61024c61058e366004613613565b611dd2565b6105a66105a1366004613613565b611e8b565b6040516102309392919061390d565b6102625f80516020613d6a83398151915281565b6105dc6105d7366004613613565b61200c565b6040516102309190613942565b61024c6105f73660046136d0565b612036565b5f6001600160e01b03198216637965db0b60e01b148061062c57506301ffc9a760e01b6001600160e01b03198316145b92915050565b5f80516020613daa83398151915261064a81336120f7565b600260c954036106755760405162461bcd60e51b815260040161066c90613950565b60405180910390fd5b600260c9555f82815261010160205260409020546001600160a01b0316806106d95760405162461bcd60e51b815260206004820152601760248201527615985b1a59185d1bdc88191bd95cdb89dd08195e1a5cdd604a1b604482015260640161066c565b60fb54604051630d6a8b9160e21b8152600481018590525f916001600160a01b0316906335aa2e44906024016101a060405180830381865afa158015610721573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061074591906139ee565b9050610756848260c001518461215b565b7fc4f0c2458a6d8b89f193ccfbc04faaf8481460fe27342149e87d8d3be7e5f1ad8483604051610787929190613aa6565b60405180910390a15050600160c9555050565b60606107a55f6122ab565b905090565b5f80516020613d8a8339815191526107c281336120f7565b600260c954036107e45760405162461bcd60e51b815260040161066c90613950565b600260c9555f8390036108295760405162461bcd60e51b815260206004820152600d60248201526c056616c696461746f7249643d3609c1b604482015260640161066c565b5f83815261010160205260409020546001600160a01b0316156108815760405162461bcd60e51b815260206004820152601060248201526f56616c696461746f722065786973747360801b604482015260640161066c565b6001600160a01b0382165f9081526101026020526040902054156108e55760405162461bcd60e51b815260206004820152601b60248201527a14995dd85c99081059191c995cdcc8185b1c9958591e481d5cd959602a1b604482015260640161066c565b6001600160a01b03821661090b5760405162461bcd60e51b815260040161066c90613abd565b60fb54604051630d6a8b9160e21b8152600481018590525f916001600160a01b0316906335aa2e44906024016101a060405180830381865afa158015610953573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061097791906139ee565b905060018160e001516003811115610991576109916136eb565b1480156109a057506060810151155b6109e55760405162461bcd60e51b815260206004820152601660248201527556616c696461746f722069736e27742041435449564560501b604482015260640161066c565b60c08101516001600160a01b0316610a3f5760405162461bcd60e51b815260206004820152601f60248201527f56616c696461746f7220686173206e6f2056616c696461746f72536861726500604482015260640161066c565b8060c001516001600160a01b031663df5cf7236040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a7f573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610aa39190613aed565b610ae85760405162461bcd60e51b815260206004820152601660248201527511195b1959d85d1a5bdb881a5cc8191a5cd8589b195960521b604482015260640161066c565b5f8481526101016020908152604080832080546001600160a01b0319166001600160a01b0388169081179091558352610102909152808220869055610100805460018101825592527f45e010b9ae401e2eb71529478da8bd513a9bdc2d095a111e324f5b95c09ed87b909101859055517fd37fab16e3de663ea8481ee997edf00871079ed2cb2762ae63ed1bdec8ffe69a906107879086908690613aa6565b610b8f613526565b6001600160a01b0382165f90815261010260205260408120549080610bb48386612471565b91509150818460a001906004811115610bcf57610bcf6136eb565b90816004811115610be257610be26136eb565b9052506001600160a01b0394851660608501529183525060c0810151909216604082015261010090910151602082015290565b5f80516020613d6a833981519152610c2d81336120f7565b610c416001600160a01b038516848461261e565b50505050565b60605f60608060605f610100805490505f0315610f765760605f80610c6a612670565b939c50909a50909450925090505f889003610c8757505050610f76565b88515f89610c968d6064613b20565b610ca09190613b37565b60ff80549192506064918491610cb7911684613b56565b610cc19190613b20565b610ccb9190613b37565b610cd6906001613b56565b9550610ce2868361293c565b95508b610cef8786613b20565b10158015610d14575060fd5484610d07856064613b20565b610d119190613b37565b11155b15610d23575050505050610f76565b5f9550816001600160401b03811115610d3e57610d3e613987565b604051908082528060200260200182016040528015610d67578160200160208202803683370190505b5096505f8c8b11610d78575f610d8d565b82610d838e8d613b69565b610d8d9190613b37565b9050610d99818661293c565b90505f610da6848d613b37565b90505f80856001600160401b03811115610dc257610dc2613987565b604051908082528060200260200182016040528015610deb578160200160208202803683370190505b509c50856001600160401b03811115610e0657610e06613987565b604051908082528060200260200182016040528015610e2f578160200160208202803683370190505b509b505f5b86811015610f5357838a8281518110610e4f57610e4f613b7c565b60200260200101511115610e8d57808e8481518110610e7057610e70613b7c565b602090810291909101015282610e8581613b90565b935050610eb9565b808d8381518110610ea057610ea0613b7c565b602090810291909101015281610eb581613b90565b9250505b5f8a8281518110610ecc57610ecc613b7c565b60200260200101515f14158015610efb5750858b8381518110610ef157610ef1613b7c565b6020026020010151115b610f05575f610f2a565b858b8381518110610f1857610f18613b7c565b6020026020010151610f2a9190613b69565b9050808d8381518110610f3f57610f3f613b7c565b602090810291909101015250600101610e34565b5085821015610f6057818d525b85811015610f6c57808c525b5050505050505050505b91939550919395565b5f9081526065602052604090206001015490565b610f9c82610f7f565b610fa681336120f7565b610fb08383612953565b505050565b6001600160a01b03811633146110255760405162461bcd60e51b815260206004820152602f60248201527f416363657373436f6e74726f6c3a2063616e206f6e6c792072656e6f756e636560448201526e103937b632b9903337b91039b2b63360891b606482015260840161066c565b61102f82826129d8565b5050565b5f80516020613dca83398151915261104b81336120f7565b611053612a3e565b50565b600260c954036110785760405162461bcd60e51b815260040161066c90613950565b600260c955335f81815261010260209081526040808320548084526101019092529091205490916001600160a01b039091169081146110c95760405162461bcd60e51b815260040161066c90613ba8565b60fb54604051630d6a8b9160e21b8152600481018490525f916001600160a01b0316906335aa2e44906024016101a060405180830381865afa158015611111573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061113591906139ee565b9050611146838260c001518461215b565b7f527053781427e37eeb44a69b3938ea3f9ed9bc9bed336b2487d014fb1aa7e5308383604051611177929190613aa6565b60405180910390a15050600160c95550565b5f80516020613d6a8339815191526111a181336120f7565b60648210156111ef5760405162461bcd60e51b815260206004820152601a602482015279125b9d985b1a5908191a5cdd185b98d9481d1a1c995cda1bdb1960321b604482015260640161066c565b60fd80549083905560408051828152602081018590527fe76888e2fe473bd0ea545fcd55bc7c861cf90200fe97e7893a5f82f5f3d4869791015b60405180910390a1505050565b5f80516020613d6a83398151915261124e81336120f7565b60648260ff1611156112a25760405162461bcd60e51b815260206004820152601f60248201527f496e76616c6964206d696e52657175657374576974686472617752616e676500604482015260640161066c565b60ff805483821660ff1982168117835560408051929093168083526020830191909152917f8e154623abe8ce57c417452e7f33dcab23da5b57af4a3ccb8440b451549cbdf79101611229565b60975460ff16156113115760405162461bcd60e51b815260040161066c90613bce565b336001600160a01b038216036113395760405162461bcd60e51b815260040161066c90613abd565b335f81815261010260209081526040808320548084526101019092529091205490916001600160a01b039091169081146113855760405162461bcd60e51b815260040161066c90613ba8565b6001600160a01b0383166113ab5760405162461bcd60e51b815260040161066c90613abd565b5f8281526101016020908152604080832080546001600160a01b0319166001600160a01b038881169182179092558085526101028452828520879055338552828520949094558151868152908516928101929092528101919091527f6f135ea8885bb4007106f50d1491ceebc2e201523b854c8d1b522c3b5f53abaa90606001611229565b611438613526565b5f82815261010160205260408120546001600160a01b0316908061145c8584612471565b60c08101516001600160a01b03908116604088015287875285166060870152909250905060a08401826004811115611496576114966136eb565b908160048111156114a9576114a96136eb565b90525061010001516020840152509092915050565b610100545f908190819081908181156114d8575f196114da565b5f5b93505f5b828110156115ca5761010081815481106114fa576114fa613b7c565b5f918252602080832090910154808352610101909152604082205490935061152c9084906001600160a01b0316612471565b60c081015160fc54604051630f3ffc7b60e11b81529294505f93506001600160a01b0391821692631e7ff8f692611567921690600401613867565b6040805180830381865afa158015611581573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906115a59190613bf8565b509050808610156115b4578095505b808711156115c0578096505b50506001016114de565b505f84156115d857846115db565b60015b90505f84156115ea57846115ed565b60015b9050816115fb826064613b20565b6116059190613b37565b965060fd5487111597505050505090919293565b5f80516020613dea83398151915261163181336120f7565b611053612acb565b6101008181548110611649575f80fd5b5f91825260209091200154905081565b5f9182526065602090815260408084206001600160a01b0393909316845291905290205460ff1690565b6060805f80600161010080549050116116de5760405162461bcd60e51b815260206004820181905260248201527f4e6f7420656e6f756768206f70657261746f7220746f20726562616c616e6365604482015260640161066c565b60605f806116ea612b23565b8351939a5091955093509150600181116117575760405162461bcd60e51b815260206004820152602860248201527f4e6f7420656e6f75676820616374697665206f70657261746f727320746f20726044820152676562616c616e636560c01b606482015260840161066c565b60fd54808311801561176857505f84115b6117ad5760405162461bcd60e51b8152602060048201526016602482015275151a19481cde5cdd195b481a5cc818985b185b98d95960521b604482015260640161066c565b816001600160401b038111156117c5576117c5613987565b6040519080825280602002602001820160405280156117ee578160200160208202803683370190505b5097505f6117fc8386613b37565b90505f805b848110156118d1578288828151811061181c5761181c613b7c565b60200260200101511161182f575f611854565b8288828151811061184257611842613b7c565b60200260200101516118549190613b69565b9150811561189f57838389838151811061187057611870613b7c565b602002602001015160646118849190613b20565b61188e9190613b37565b101561189a575f61189c565b815b91505b818b82815181106118b2576118b2613b7c565b60209081029190910101526118c7828b613b56565b9950600101611801565b508b89116118df575f6118e9565b6118e98c8a613b69565b9750606460fe54896118fb9190613b20565b6119059190613b37565b97505f881161194f5760405162461bcd60e51b81526020600482015260166024820152755a65726f20746f74616c20746f20776974686472617760501b604482015260640161066c565b505050505050509193509193565b60606101008054806020026020016040519081016040528092919081815260200182805480156119aa57602002820191905f5260205f20905b815481526020019060010190808311611996575b5050505050905090565b60606107a560016122ab565b60975460ff16156119e35760405162461bcd60e51b815260040161066c90613bce565b600260c95403611a055760405162461bcd60e51b815260040161066c90613950565b600260c9555f81815261010160205260408120546001600160a01b03169080611a2e8484612471565b90925090506004826004811115611a4757611a476136eb565b1480611a6457506003826004811115611a6257611a626136eb565b145b611ab05760405162461bcd60e51b815260206004820152601d60248201527f43616e6e6f742072656d6f76652076616c6964206f70657261746f722e000000604482015260640161066c565b611abf848260c001518561215b565b7f83fe82652ac7e65478c5786c98ac0dcfa7de288d620cb64c83b55cd2f96b1c518484604051610787929190613aa6565b5f54610100900460ff16611b09575f5460ff1615611b11565b611b11612ff7565b611b745760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201526d191e481a5b9a5d1a585b1a5e995960921b606482015260840161066c565b5f54610100900460ff16158015611b94575f805461ffff19166101011790555b611b9c613007565b611ba4613039565b611bac613061565b60fb80546001600160a01b038087166001600160a01b03199283161790925560fc805492861692909116919091179055607860fd55601460fe5560ff805460ff1916600f179055611bfd5f83612953565b611c145f80516020613dea83398151915283612953565b611c2b5f80516020613dca83398151915283612953565b611c425f80516020613d6a83398151915283612953565b611c595f80516020613d8a83398151915283612953565b611c705f80516020613daa83398151915283612953565b8015610c41575f805461ff001916905550505050565b610100545f90819081908190819081805b82811015611dab576101008181548110611cb357611cb3613b7c565b5f9182526020808320909101548083526101019091526040822054909350611ce59084906001600160a01b0316612471565b5090506001816004811115611cfc57611cfc6136eb565b03611d135787611d0b81613b90565b985050611da2565b6002816004811115611d2757611d276136eb565b03611d3e5786611d3681613b90565b975050611da2565b6003816004811115611d5257611d526136eb565b03611d695785611d6181613b90565b965050611da2565b6004816004811115611d7d57611d7d6136eb565b03611d945784611d8c81613b90565b955050611da2565b88611d9e81613b90565b9950505b50600101611c97565b5050509091929394565b611dbe82610f7f565b611dc881336120f7565b610fb083836129d8565b5f80516020613d6a833981519152611dea81336120f7565b6064821115611e4d5760405162461bcd60e51b815260206004820152602960248201527f496e76616c6964206d6178576974686472617750657263656e74616765506572604482015268526562616c616e636560b81b606482015260840161066c565b60fe80549083905560408051828152602081018590527ff80b5a55a2072c336bb389e3f61590cc80541f4dfd51ba88b0d07da3f4c1d8fd9101611229565b6060805f806101008054905011611ee45760405162461bcd60e51b815260206004820181905260248201527f4e6f7420656e6f756768206f70657261746f727320746f2064656c6567617465604482015260640161066c565b60605f80611ef0612b23565b835160fd54949a509296509094509250908211801590611f14575050505050612005565b816001600160401b03811115611f2c57611f2c613987565b604051908082528060200260200182016040528015611f55578160200160208202803683370190505b5096505f82611f648b87613b56565b611f6e9190613b37565b90505f805b84811015611ffc5782888281518110611f8e57611f8e613b7c565b60200260200101511015611fc657878181518110611fae57611fae613b7c565b602002602001015183611fc19190613b69565b611fc8565b5f5b9150818a8281518110611fdd57611fdd613b7c565b6020908102919091010152611ff2828a613b56565b9850600101611f73565b50505050505050505b9193909250565b5f818152610101602052604081205461202f9083906001600160a01b0316612471565b5092915050565b5f80516020613d6a83398151915261204e81336120f7565b6001600160a01b03821661209d5760405162461bcd60e51b8152602060048201526016602482015275496e76616c6964206b6e424f4e45206164647265737360501b604482015260640161066c565b60fc80546001600160a01b038481166001600160a01b031983168117909355604080519190921680825260208201939093527fa4bfaa65d62e08aa2bf303b5f20524c4333e735a9e93cc342f5f5fac564be7989101611229565b6121018282611659565b61102f57612119816001600160a01b0316601461308e565b61212483602061308e565b604051602001612135929190613c31565b60408051601f198184030181529082905262461bcd60e51b825261066c91600401613c89565b610100545f5b61216c600183613b69565b8110156121e957610100818154811061218757612187613b7c565b905f5260205f20015485036121e1576101006121a4600184613b69565b815481106121b4576121b4613b7c565b905f5260205f20015461010082815481106121d1576121d1613b7c565b5f918252602090912001556121e9565b600101612161565b506101008054806121fc576121fc613cbe565b5f8281526020812082015f199081019190915501905560fc546040516363af3c1960e11b81526001600160a01b039091169063c75e783290612242908690600401613867565b5f604051808303815f87803b158015612259575f80fd5b505af115801561226b573d5f803e3d5ffd5b5050505f94855250506101016020908152604080852080546001600160a01b03191690556001600160a01b03929092168452610102905282209190915550565b60605f6122b6613558565b5f8061010080548060200260200160405190810160405280929190818152602001828054801561230357602002820191905f5260205f20905b8154815260200190600101908083116122ef575b505050505090505f815190505f816001600160401b0381111561232857612328613987565b60405190808252806020026020018201604052801561236157816020015b61234e6135d6565b8152602001906001900390816123465790505b5090505f5b82811015612459575f6101015f86848151811061238557612385613b7c565b602002602001015181526020019081526020015f205f9054906101000a90046001600160a01b031690506123d28583815181106123c4576123c4613b7c565b602002602001015182612471565b80985081975050505f6123ea878960c001518d613223565b9050806123f8575050612451565b60405180604001604052808960c001516001600160a01b03168152602001836001600160a01b0316815250848a8151811061243557612435613b7c565b6020026020010181905250888061244b90613b90565b99505050505b600101612366565b5081861015612466578581525b979650505050505050565b5f61247a613558565b835f036124995760405162461bcd60e51b815260040161066c90613cd2565b6001600160a01b0383166124bf5760405162461bcd60e51b815260040161066c90613cd2565b60fb54604051630d6a8b9160e21b8152600481018690526001600160a01b03909116906335aa2e44906024016101a060405180830381865afa158015612507573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061252b91906139ee565b905060018160e001516003811115612545576125456136eb565b14801561255457506060810151155b156125625760019150612617565b60028160e00151600381111561257a5761257a6136eb565b14801561258957506060810151155b156125975760029150612617565b60018160e0015160038111156125af576125af6136eb565b14806125d0575060028160e0015160038111156125ce576125ce6136eb565b145b80156125df5750606081015115155b156125ed5760039150612617565b60038160e001516003811115612605576126056136eb565b036126135760049150612617565b5f91505b9250929050565b604080516001600160a01b038416602482015260448082018490528251808303909101815260649091019091526020810180516001600160e01b031663a9059cbb60e01b179052610fb09084906132dc565b6060805f805f806101008054806020026020016040519081016040528092919081815260200182805480156126c257602002820191905f5260205f20905b8154815260200190600101908083116126ae575b5050505050905080516001600160401b038111156126e2576126e2613987565b60405190808252806020026020018201604052801561271b57816020015b6127086135d6565b8152602001906001900390816127005790505b50955080516001600160401b0381111561273757612737613987565b604051908082528060200260200182016040528015612760578160200160208202803683370190505b5060fc549095506001600160a01b03165f612779613558565b5f1995505f80805b865181101561291e576101015f8883815181106127a0576127a0613b7c565b602002602001015181526020019081526020015f205f9054906101000a90046001600160a01b031694506127ed8782815181106127df576127df613b7c565b602002602001015186612471565b945092505f836004811115612804576128046136eb565b146129165760c0840151604051630f3ffc7b60e11b81525f916001600160a01b031690631e7ff8f69061283b908a90600401613867565b6040805180830381865afa158015612855573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906128799190613bf8565b509050808c848151811061288f5761288f613b7c565b60209081029190910101526128a4818c613b56565b9a50808910156128b2578098505b808a11156128be578099505b60405180604001604052808660c001516001600160a01b03168152602001876001600160a01b03168152508d84815181106128fb576128fb613b7c565b6020026020010181905250828061291190613b90565b935050505b600101612781565b50855181101561292f57808b52808a525b5050505050509091929394565b5f81831161294a578261294c565b815b9392505050565b61295d8282611659565b61102f575f8281526065602090815260408083206001600160a01b03851684529091529020805460ff191660011790556129943390565b6001600160a01b0316816001600160a01b0316837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45050565b6129e28282611659565b1561102f575f8281526065602090815260408083206001600160a01b0385168085529252808320805460ff1916905551339285917ff6391f5c32d9c69d2a47ea670b442974b53935d1edc7fd64eb21e047a839171b9190a45050565b60975460ff16612a875760405162461bcd60e51b815260206004820152601460248201527314185d5cd8589b194e881b9bdd081c185d5cd95960621b604482015260640161066c565b6097805460ff191690557f5db9ee0a495bf2e6ff9c91a7834c1ba4fdd244a5e8aa4e537bd38aeae4b073aa335b604051612ac19190613867565b60405180910390a1565b60975460ff1615612aee5760405162461bcd60e51b815260040161066c90613bce565b6097805460ff191660011790557f62e78cea01bee320cd4e420270b5ea74000d11b0c9f74754ebdbfc544b05a258612ab43390565b6060805f805f80610100805480602002602001604051908101604052809291908181526020018280548015612b7557602002820191905f5260205f20905b815481526020019060010190808311612b61575b5050505050905080516001600160401b03811115612b9557612b95613987565b604051908082528060200260200182016040528015612bce57816020015b612bbb6135d6565b815260200190600190039081612bb35790505b50955080516001600160401b03811115612bea57612bea613987565b604051908082528060200260200182016040528015612c13578160200160208202803683370190505b5060fc549095506001600160a01b03165f80612c2d613558565b5f805f19815b8851811015612f5f57888181518110612c4e57612c4e613b7c565b6020908102919091018101515f8181526101019092526040909120549097506001600160a01b03169550612c828787612471565b955093505f846004811115612c9957612c996136eb565b14612f57576003846004811115612cb257612cb26136eb565b03612d105760405162461bcd60e51b815260206004820152603b60248201525f80516020613e0a83398151915260448201527a1d184b08185b881bdc195c985d1bdc881dd85cc811529150d51151602a1b606482015260840161066c565b6004846004811115612d2457612d246136eb565b03612d835760405162461bcd60e51b815260206004820152603c60248201525f80516020613e0a83398151915260448201527b1d184b08185b881bdc195c985d1bdc881dd85cc8155394d51052d15160221b606482015260840161066c565b60c0850151604051630f3ffc7b60e11b81525f916001600160a01b031690631e7ff8f690612db5908c90600401613867565b6040805180830381865afa158015612dcf573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190612df39190613bf8565b509050612e00818e613b56565b9c5080841015612e0e578093505b80831115612e1a578092505b6001856004811115612e2e57612e2e6136eb565b148015612e9a57508560c001516001600160a01b031663df5cf7236040518163ffffffff1660e01b8152600401602060405180830381865afa158015612e76573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190612e9a9190613aed565b15612f5557808e8c81518110612eb257612eb2613b7c565b60200260200101818152505060405180604001604052808760c001516001600160a01b031681526020016101015f6101008681548110612ef457612ef4613b7c565b905f5260205f20015481526020019081526020015f205f9054906101000a90046001600160a01b03166001600160a01b03168152508f8c81518110612f3b57612f3b613b7c565b60200260200101819052508a80612f5190613b90565b9b50505b505b600101612c33565b505f8911612faf5760405162461bcd60e51b815260206004820152601d60248201527f546865726520617265206e6f206163746976652076616c696461746f72000000604482015260640161066c565b8015612fbb5780612fbe565b60015b905080612fcc836064613b20565b612fd69190613b37565b99508751891015612fe857888d52888c525b50505050505050505090919293565b5f613001306133ad565b15905090565b5f54610100900460ff1661302d5760405162461bcd60e51b815260040161066c90613cfe565b6097805460ff19169055565b5f54610100900460ff1661305f5760405162461bcd60e51b815260040161066c90613cfe565b565b5f54610100900460ff166130875760405162461bcd60e51b815260040161066c90613cfe565b600160c955565b60605f61309c836002613b20565b6130a7906002613b56565b6001600160401b038111156130be576130be613987565b6040519080825280601f01601f1916602001820160405280156130e8576020820181803683370190505b509050600360fc1b815f8151811061310257613102613b7c565b60200101906001600160f81b03191690815f1a905350600f60fb1b8160018151811061313057613130613b7c565b60200101906001600160f81b03191690815f1a9053505f613152846002613b20565b61315d906001613b56565b90505b60018111156131d4576f181899199a1a9b1b9c1cb0b131b232b360811b85600f166010811061319157613191613b7c565b1a60f81b8282815181106131a7576131a7613b7c565b60200101906001600160f81b03191690815f1a90535060049490941c936131cd81613d49565b9050613160565b50831561294c5760405162461bcd60e51b815260206004820181905260248201527f537472696e67733a20686578206c656e67746820696e73756666696369656e74604482015260640161066c565b5f81156132ba57600184600481111561323e5761323e6136eb565b1480156132a65750826001600160a01b031663df5cf7236040518163ffffffff1660e01b8152600401602060405180830381865afa158015613282573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906132a69190613aed565b156132b35750600161294c565b505f61294c565b5f8460048111156132cd576132cd6136eb565b146132b3575060019392505050565b5f613330826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b03166133bc9092919063ffffffff16565b805190915015610fb0578080602001905181019061334e9190613aed565b610fb05760405162461bcd60e51b815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e6044820152691bdd081cdd58d8d9595960b21b606482015260840161066c565b6001600160a01b03163b151590565b60606133ca84845f856133d2565b949350505050565b6060824710156134335760405162461bcd60e51b815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f6044820152651c8818d85b1b60d21b606482015260840161066c565b61343c856133ad565b6134885760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e7472616374000000604482015260640161066c565b5f80866001600160a01b031685876040516134a39190613d5e565b5f6040518083038185875af1925050503d805f81146134dd576040519150601f19603f3d011682016040523d82523d5f602084013e6134e2565b606091505b5091509150612466828286606083156134fc57508161294c565b82511561350c5782518084602001fd5b8160405162461bcd60e51b815260040161066c9190613c89565b6040805160c0810182525f8082526020820181905291810182905260608101829052608081018290529060a082015290565b604051806101a001604052805f81526020015f81526020015f81526020015f81526020015f81526020015f6001600160a01b031681526020015f6001600160a01b031681526020015f60038111156135b2576135b26136eb565b81526020015f81526020015f81526020015f81526020015f81526020015f81525090565b604080518082019091525f808252602082015290565b5f602082840312156135fc575f80fd5b81356001600160e01b03198116811461294c575f80fd5b5f60208284031215613623575f80fd5b5035919050565b5f815180845260208085019450602084015f5b8381101561367157815180516001600160a01b0390811689529084015116838801526040909601959082019060010161363d565b509495945050505050565b602081525f61294c602083018461362a565b6001600160a01b0381168114611053575f80fd5b5f80604083850312156136b3575f80fd5b8235915060208301356136c58161368e565b809150509250929050565b5f602082840312156136e0575f80fd5b813561294c8161368e565b634e487b7160e01b5f52602160045260245ffd5b6005811061371b57634e487b7160e01b5f52602160045260245ffd5b9052565b5f60c0820190508251825260208301516020830152604083015160018060a01b038082166040850152806060860151166060850152505060808301511515608083015260a083015161202f60a08401826136ff565b5f805f60608486031215613786575f80fd5b83356137918161368e565b925060208401356137a18161368e565b929592945050506040919091013590565b5f815180845260208085019450602084015f5b83811015613671578151875295820195908201906001016137c5565b60c081525f6137f360c083018961362a565b876020840152828103604084015261380b81886137b2565b9050828103606084015261381f81876137b2565b9050828103608084015261383381866137b2565b9150508260a0830152979650505050505050565b5f60208284031215613857575f80fd5b813560ff8116811461294c575f80fd5b6001600160a01b0391909116815260200190565b608081525f61388d608083018761362a565b828103602084015261389f81876137b2565b604084019590955250506060015292915050565b602081525f61294c60208301846137b2565b5f805f606084860312156138d7575f80fd5b83356138e28161368e565b925060208401356138f28161368e565b915060408401356139028161368e565b809150509250925092565b606081525f61391f606083018661362a565b828103602084015261393181866137b2565b915050826040830152949350505050565b6020810161062c82846136ff565b6020808252601f908201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604082015260600190565b634e487b7160e01b5f52604160045260245ffd5b6040516101a081016001600160401b03811182821017156139ca57634e487b7160e01b5f52604160045260245ffd5b60405290565b80516139db8161368e565b919050565b8051600481106139db575f80fd5b5f6101a082840312156139ff575f80fd5b613a0761399b565b8251815260208301516020820152604083015160408201526060830151606082015260808301516080820152613a3f60a084016139d0565b60a0820152613a5060c084016139d0565b60c0820152613a6160e084016139e0565b60e08201526101008381015190820152610120808401519082015261014080840151908201526101608084015190820152610180928301519281019290925250919050565b9182526001600160a01b0316602082015260400190565b602080825260169082015275496e76616c696420726577617264206164647265737360501b604082015260600190565b5f60208284031215613afd575f80fd5b8151801515811461294c575f80fd5b634e487b7160e01b5f52601160045260245ffd5b808202811582820484141761062c5761062c613b0c565b5f82613b5157634e487b7160e01b5f52601260045260245ffd5b500490565b8082018082111561062c5761062c613b0c565b8181038181111561062c5761062c613b0c565b634e487b7160e01b5f52603260045260245ffd5b5f60018201613ba157613ba1613b0c565b5060010190565b6020808252600c908201526b155b985d5d1a1bdc9a5e995960a21b604082015260600190565b60208082526010908201526f14185d5cd8589b194e881c185d5cd95960821b604082015260600190565b5f8060408385031215613c09575f80fd5b505080516020909101519092909150565b5f81518060208401855e5f93019283525090919050565b76020b1b1b2b9b9a1b7b73a3937b61d1030b1b1b7bab73a1604d1b81525f613c5c6017830185613c1a565b7001034b99036b4b9b9b4b733903937b6329607d1b8152613c806011820185613c1a565b95945050505050565b602081525f82518060208401528060208501604085015e5f604082850101526040601f19601f83011684010191505092915050565b634e487b7160e01b5f52603160045260245ffd5b60208082526012908201527113dc195c985d1bdc881b9bdd08199bdd5b9960721b604082015260600190565b6020808252602b908201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960408201526a6e697469616c697a696e6760a81b606082015260800190565b5f81613d5757613d57613b0c565b505f190190565b5f61294c8284613c1a56fe3b5d4cc60d3ec3516ee8ae083bd60934f6eb2a6c54b1229985c41bfb092b2603e9367af2d321a2fc8d9c8f1e67f0fc1e2adf2f9844fb89ffa212619c713685b282d86c6aefada641b4f7bc3890d09be435efa38474b4088a85ac454bcd0e34e8265b220c5a8891efdd9e1b1b7fa72f257bd5169f8d87e319cf3dad6ff52b94ae139c2898040ef16910dc9f44dc697df79363da767d8bc92f2e310312b816e46d436f756c64206e6f742063616c63756c61746520746865207374616b65206461a264697066735822122033d43836fe745e18e675362098c98b6cc4bd5a5fa071a7d5c8533716a4dafbe464736f6c63430008190033

Block Transaction Difficulty Gas Used Reward
View All Blocks Produced

Block Uncle Number Difficulty Gas Used Reward
View All Uncles
Loading...
Loading
Loading...
Loading

Validator Index Block Amount
View All Withdrawals

Transaction Hash Block Value Eth2 PubKey Valid
View All Deposits
Loading...
Loading
[ Download: CSV Export  ]

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