ETH Price: $2,646.97 (-1.60%)
Gas: 4.22 Gwei

Contract

0xAA4b3a9515c921996Abe7930bF75Eff7466a4457
 

Overview

ETH Balance

0 ETH

Eth Value

$0.00

Multichain Info

No addresses found
Transaction Hash
Method
Block
From
To
0x60806040191920762024-02-09 17:32:11185 days ago1707499931IN
 Create: LineaRollup
0 ETH0.3655024370.31213328

View more zero value Internal Transactions in Advanced View mode

Advanced mode:
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
LineaRollup

Compiler Version
v0.8.22+commit.4fc1097e

Optimization Enabled:
Yes with 10000 runs

Other Settings:
paris EvmVersion
File 1 of 35 : LineaRollup.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.22;

import { AccessControlUpgradeable } from "@openzeppelin/contracts-upgradeable/access/AccessControlUpgradeable.sol";
import { L1MessageService } from "./messageService/l1/L1MessageService.sol";
import { ZkEvmV2 } from "./ZkEvmV2.sol";
import { ILineaRollup } from "./interfaces/l1/ILineaRollup.sol";

/**
 * @title Contract to manage cross-chain messaging on L1 and rollup proving.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
contract LineaRollup is AccessControlUpgradeable, ZkEvmV2, L1MessageService, ILineaRollup {
  bytes32 public constant VERIFIER_SETTER_ROLE = keccak256("VERIFIER_SETTER_ROLE");
  bytes32 internal constant EMPTY_HASH = 0x0;
  uint256 internal constant Y_MODULUS = 52435875175126190479447740508185965837690552500527637822603658699938581184513;

  mapping(bytes32 dataHash => bytes32 finalStateRootHash) public dataFinalStateRootHashes;
  mapping(bytes32 dataHash => bytes32 parentHash) public dataParents;
  mapping(bytes32 dataHash => bytes32 shnarfHash) public dataShnarfHashes;
  mapping(bytes32 dataHash => uint256 startingBlock) public dataStartingBlock;
  mapping(bytes32 dataHash => uint256 endingBlock) public dataEndingBlock;

  uint256 public currentL2StoredL1MessageNumber;
  bytes32 public currentL2StoredL1RollingHash;

  uint256[50] private __gap_ZkEvm;

  /// @custom:oz-upgrades-unsafe-allow constructor
  constructor() {
    _disableInitializers();
  }

  /**
   * @notice Initializes LineaRollup and underlying service dependencies.
   * @dev DEFAULT_ADMIN_ROLE is set for the security council.
   * @dev OPERATOR_ROLE is set for operators.
   * @param _initialStateRootHash The initial hash at migration used for proof verification.
   * @param _initialL2BlockNumber The initial block number at migration.
   * @param _defaultVerifier The default verifier for rollup proofs.
   * @param _securityCouncil The address for the security council performing admin operations.
   * @param _operators The allowed rollup operators at initialization.
   * @param _rateLimitPeriodInSeconds The period in which withdrawal amounts and fees will be accumulated.
   * @param _rateLimitAmountInWei The limit allowed for withdrawing in the period.
   * @param _systemMigrationBlock The service migration block.
   */
  function initialize(
    bytes32 _initialStateRootHash,
    uint256 _initialL2BlockNumber,
    address _defaultVerifier,
    address _securityCouncil,
    address[] calldata _operators,
    uint256 _rateLimitPeriodInSeconds,
    uint256 _rateLimitAmountInWei,
    uint256 _systemMigrationBlock
  ) external initializer {
    if (_defaultVerifier == address(0)) {
      revert ZeroAddressNotAllowed();
    }

    for (uint256 i; i < _operators.length; ++i) {
      if (_operators[i] == address(0)) {
        revert ZeroAddressNotAllowed();
      }
      _grantRole(OPERATOR_ROLE, _operators[i]);
    }

    _grantRole(DEFAULT_ADMIN_ROLE, _securityCouncil);
    _grantRole(VERIFIER_SETTER_ROLE, _securityCouncil);

    __ReentrancyGuard_init();

    __MessageService_init(
      _securityCouncil,
      _securityCouncil,
      _rateLimitPeriodInSeconds,
      _rateLimitAmountInWei,
      _systemMigrationBlock
    );

    verifiers[0] = _defaultVerifier;
    currentL2BlockNumber = _initialL2BlockNumber;
    stateRootHashes[_initialL2BlockNumber] = _initialStateRootHash;
  }

  /**
   * @notice Reinitializes the LineaRollup and sets the compressed data migration block.
   * @param _systemMigrationBlock The block number we are synchronizing from.
   * @dev This must be called in the same upgrade transaction to avoid issues.
   * @dev __SystemMigrationBlock_init validates the block value.
   */
  function initializeSystemMigrationBlock(uint256 _systemMigrationBlock) external reinitializer(2) {
    __SystemMigrationBlock_init(_systemMigrationBlock);
  }

  /**
   * @notice Adds or updates the verifier contract address for a proof type.
   * @dev VERIFIER_SETTER_ROLE is required to execute.
   * @param _newVerifierAddress The address for the verifier contract.
   * @param _proofType The proof type being set/updated.
   */
  function setVerifierAddress(address _newVerifierAddress, uint256 _proofType) external onlyRole(VERIFIER_SETTER_ROLE) {
    if (_newVerifierAddress == address(0)) {
      revert ZeroAddressNotAllowed();
    }

    emit VerifierAddressChanged(_newVerifierAddress, _proofType, msg.sender, verifiers[_proofType]);

    verifiers[_proofType] = _newVerifierAddress;
  }

  /**
   * @notice Submit compressed data.
   * @dev OPERATOR_ROLE is required to execute.
   * @param _submissionData The full compressed data collection - parentStateRootHash, dataParentHash,
   * finalStateRootHash, firstBlockInData, finalBlockInData, snarkHash, compressedData.
   */
  function submitData(
    SubmissionData calldata _submissionData
  ) external whenTypeAndGeneralNotPaused(PROVING_SYSTEM_PAUSE_TYPE) onlyRole(OPERATOR_ROLE) {
    _submitData(_submissionData);
  }

  /**
   * @notice Internal function to submit compressed data.
   * @param _submissionData The full compressed data collection - parentStateRootHash, dataParentHash,
   * finalStateRootHash, firstBlockInData, finalBlockInData, snarkHash, compressedData.
   */
  function _submitData(SubmissionData calldata _submissionData) internal returns (bytes32 shnarf) {
    if (_submissionData.compressedData.length == 0) {
      revert EmptySubmissionData();
    }

    if (_submissionData.finalStateRootHash == EMPTY_HASH) {
      revert FinalBlockStateEqualsZeroHash();
    }

    shnarf = dataShnarfHashes[_submissionData.dataParentHash];

    bytes32 parentFinalStateRootHash = dataFinalStateRootHashes[_submissionData.dataParentHash];
    uint256 lastFinalizedBlock = currentL2BlockNumber;

    uint256 parentEndingBlock = dataEndingBlock[_submissionData.dataParentHash];

    // once upgraded, this initial condition will be removed - the internals remain
    if (_submissionData.dataParentHash != EMPTY_HASH) {
      if (parentFinalStateRootHash == EMPTY_HASH) {
        revert StateRootHashInvalid(parentFinalStateRootHash, _submissionData.parentStateRootHash);
      }

      uint256 expectedStartingBlock = parentEndingBlock + 1;
      if (expectedStartingBlock != _submissionData.firstBlockInData) {
        revert DataStartingBlockDoesNotMatch(expectedStartingBlock, _submissionData.firstBlockInData);
      }

      if (shnarf == EMPTY_HASH) {
        revert DataParentHasEmptyShnarf();
      }
    }

    if (_submissionData.firstBlockInData <= lastFinalizedBlock) {
      revert FirstBlockLessThanOrEqualToLastFinalizedBlock(_submissionData.firstBlockInData, lastFinalizedBlock);
    }

    if (_submissionData.firstBlockInData > _submissionData.finalBlockInData) {
      revert FirstBlockGreaterThanFinalBlock(_submissionData.firstBlockInData, _submissionData.finalBlockInData);
    }

    if (_submissionData.parentStateRootHash != parentFinalStateRootHash) {
      revert StateRootHashInvalid(parentFinalStateRootHash, _submissionData.parentStateRootHash);
    }

    bytes32 currentDataHash = keccak256(_submissionData.compressedData);

    if (dataFinalStateRootHashes[currentDataHash] != EMPTY_HASH) {
      revert DataAlreadySubmitted(currentDataHash);
    }

    dataParents[currentDataHash] = _submissionData.dataParentHash;
    dataFinalStateRootHashes[currentDataHash] = _submissionData.finalStateRootHash;
    dataStartingBlock[currentDataHash] = _submissionData.firstBlockInData;
    dataEndingBlock[currentDataHash] = _submissionData.finalBlockInData;

    bytes32 compressedDataComputedX = keccak256(abi.encode(_submissionData.snarkHash, currentDataHash));

    shnarf = keccak256(
      abi.encode(
        shnarf,
        _submissionData.snarkHash,
        _submissionData.finalStateRootHash,
        compressedDataComputedX,
        _calculateY(_submissionData.compressedData, compressedDataComputedX)
      )
    );

    dataShnarfHashes[currentDataHash] = shnarf;

    emit DataSubmitted(currentDataHash, _submissionData.firstBlockInData, _submissionData.finalBlockInData);
  }

  /**
   * @notice Finalize compressed blocks with proof.
   * @dev OPERATOR_ROLE is required to execute.
   * @param _aggregatedProof The aggregated proof.
   * @param _proofType The proof type.
   * @param _finalizationData The full finalization data.
   */
  function finalizeCompressedBlocksWithProof(
    bytes calldata _aggregatedProof,
    uint256 _proofType,
    FinalizationData calldata _finalizationData
  ) external whenTypeAndGeneralNotPaused(PROVING_SYSTEM_PAUSE_TYPE) onlyRole(OPERATOR_ROLE) {
    if (_aggregatedProof.length == 0) {
      revert ProofIsEmpty();
    }

    uint256 lastFinalizedBlockNumber = currentL2BlockNumber;

    if (stateRootHashes[lastFinalizedBlockNumber] != _finalizationData.parentStateRootHash) {
      revert StartingRootHashDoesNotMatch();
    }

    uint256 lastFinalizedL2StoredL1MessageNumber = currentL2StoredL1MessageNumber;
    bytes32 lastFinalizedL2StoredL1RollingHash = currentL2StoredL1RollingHash;

    _finalizeCompressedBlocks(_finalizationData, lastFinalizedBlockNumber, true);

    bytes32 shnarf;

    unchecked {
      shnarf = dataShnarfHashes[_finalizationData.dataHashes[_finalizationData.dataHashes.length - 1]];
      if (shnarf == EMPTY_HASH) {
        revert DataParentHasEmptyShnarf();
      }
    }

    uint256 publicInput = uint256(
      keccak256(
        bytes.concat(
          abi.encode(
            shnarf,
            _finalizationData.parentStateRootHash,
            _finalizationData.lastFinalizedTimestamp,
            _finalizationData.finalTimestamp,
            lastFinalizedBlockNumber,
            _finalizationData.finalBlockNumber
          ),
          abi.encode(
            lastFinalizedL2StoredL1RollingHash,
            _finalizationData.l1RollingHash,
            lastFinalizedL2StoredL1MessageNumber,
            _finalizationData.l1RollingHashMessageNumber,
            _finalizationData.l2MerkleTreesDepth,
            keccak256(abi.encodePacked(_finalizationData.l2MerkleRoots))
          )
        )
      )
    );

    assembly {
      publicInput := mod(publicInput, MODULO_R)
    }

    _verifyProof(publicInput, _proofType, _aggregatedProof, _finalizationData.parentStateRootHash);
  }

  /**
   * @notice Finalize compressed blocks without proof.
   * @dev DEFAULT_ADMIN_ROLE is required to execute.
   * @param _finalizationData The simplified finalization data without proof.
   */
  function finalizeCompressedBlocksWithoutProof(
    FinalizationData calldata _finalizationData
  ) external whenTypeNotPaused(GENERAL_PAUSE_TYPE) onlyRole(DEFAULT_ADMIN_ROLE) {
    uint256 lastFinalizedBlock = currentL2BlockNumber;

    _finalizeCompressedBlocks(_finalizationData, lastFinalizedBlock, false);
  }

  /**
   * @notice Internal function to finalize compressed blocks.
   * @param _finalizationData The full finalization data.
   * @param _lastFinalizedBlock The last finalized block.
   * @param _withProof If we are finalizing with a proof.
   */
  function _finalizeCompressedBlocks(
    FinalizationData calldata _finalizationData,
    uint256 _lastFinalizedBlock,
    bool _withProof
  ) internal {
    uint256 finalizationDataDataHashesLength = _finalizationData.dataHashes.length;

    if (finalizationDataDataHashesLength == 0) {
      revert FinalizationDataMissing();
    }

    if (_finalizationData.finalBlockNumber <= _lastFinalizedBlock) {
      revert FinalBlockNumberLessThanOrEqualToLastFinalizedBlock(
        _finalizationData.finalBlockNumber,
        _lastFinalizedBlock
      );
    }

    _validateL2ComputedRollingHash(_finalizationData.l1RollingHashMessageNumber, _finalizationData.l1RollingHash);

    if (currentTimestamp != _finalizationData.lastFinalizedTimestamp) {
      revert TimestampsNotInSequence(currentTimestamp, _finalizationData.lastFinalizedTimestamp);
    }

    if (_finalizationData.finalTimestamp >= block.timestamp) {
      revert FinalizationInTheFuture(_finalizationData.finalTimestamp, block.timestamp);
    }

    bytes32 startingDataParentHash = dataParents[_finalizationData.dataHashes[0]];

    if (startingDataParentHash != _finalizationData.dataParentHash) {
      revert ParentHashesDoesNotMatch(startingDataParentHash, _finalizationData.dataParentHash);
    }

    bytes32 startingParentFinalStateRootHash = dataFinalStateRootHashes[startingDataParentHash];

    // once upgraded, this initial condition will be removed - the internals remain
    if (startingDataParentHash != EMPTY_HASH) {
      if (startingParentFinalStateRootHash != _finalizationData.parentStateRootHash) {
        revert FinalStateRootHashDoesNotMatch(startingParentFinalStateRootHash, _finalizationData.parentStateRootHash);
      }
    }

    bytes32 finalBlockState = dataFinalStateRootHashes[
      _finalizationData.dataHashes[finalizationDataDataHashesLength - 1]
    ];

    if (finalBlockState == EMPTY_HASH) {
      revert FinalBlockStateEqualsZeroHash();
    }

    _addL2MerkleRoots(_finalizationData.l2MerkleRoots, _finalizationData.l2MerkleTreesDepth);
    _anchorL2MessagingBlocks(_finalizationData.l2MessagingBlocksOffsets, _lastFinalizedBlock);

    for (uint256 i = 1; i < finalizationDataDataHashesLength; ++i) {
      unchecked {
        if (dataParents[_finalizationData.dataHashes[i]] != _finalizationData.dataHashes[i - 1]) {
          revert DataHashesNotInSequence(
            _finalizationData.dataHashes[i - 1],
            dataParents[_finalizationData.dataHashes[i]]
          );
        }
      }
    }

    uint256 suppliedStartingBlock = dataStartingBlock[_finalizationData.dataHashes[0]];
    uint256 suppliedFinalBlock = dataEndingBlock[_finalizationData.dataHashes[finalizationDataDataHashesLength - 1]];

    // check final item supplied matches
    if (suppliedFinalBlock != _finalizationData.finalBlockNumber) {
      revert DataEndingBlockDoesNotMatch(suppliedFinalBlock, _finalizationData.finalBlockNumber);
    }

    // check suppliedStartingBlock is 1 more than the last finalized block
    if (suppliedStartingBlock != _lastFinalizedBlock + 1) {
      revert DataStartingBlockDoesNotMatch(_lastFinalizedBlock + 1, suppliedStartingBlock);
    }

    stateRootHashes[_finalizationData.finalBlockNumber] = finalBlockState;
    currentTimestamp = _finalizationData.finalTimestamp;
    currentL2BlockNumber = _finalizationData.finalBlockNumber;
    currentL2StoredL1MessageNumber = _finalizationData.l1RollingHashMessageNumber;
    currentL2StoredL1RollingHash = _finalizationData.l1RollingHash;

    emit DataFinalized(
      _finalizationData.finalBlockNumber,
      _finalizationData.parentStateRootHash,
      finalBlockState,
      _withProof
    );
  }

  /**
   * @notice Private function to validate l1 rolling hash.
   * @param _rollingHashMessageNumber Message number associated with the rolling hash as computed on L2.
   * @param _rollingHash L1 rolling hash as computed on L2.
   */
  function _validateL2ComputedRollingHash(uint256 _rollingHashMessageNumber, bytes32 _rollingHash) internal view {
    if (_rollingHashMessageNumber == 0) {
      if (_rollingHash != EMPTY_HASH) {
        revert MissingMessageNumberForRollingHash(_rollingHash);
      }
    } else {
      if (_rollingHash == EMPTY_HASH) {
        revert MissingRollingHashForMessageNumber(_rollingHashMessageNumber);
      }
      if (rollingHashes[_rollingHashMessageNumber] != _rollingHash) {
        revert L1RollingHashDoesNotExistOnL1(_rollingHashMessageNumber, _rollingHash);
      }
    }
  }

  /**
   * @notice Internal function to calculate Y for public input generation.
   * @param _data Compressed data from submission data.
   * @param _compressedDataComputedX Computed X for public input generation.
   * @dev Each chunk of 32 bytes must start with a 0 byte.
   * @dev The compressedDataComputedX value is modulo-ed down during the computation and scalar field checking is not needed.
   * @dev There is a hard constraint in the circuit to enforce the polynomial degree limit (4096), which will also be enforced with EIP-4844.
   * @return compressedDataComputedY The Y calculated value using the Horner method.
   */
  function _calculateY(
    bytes calldata _data,
    bytes32 _compressedDataComputedX
  ) internal pure returns (bytes32 compressedDataComputedY) {
    if (_data.length % 0x20 != 0) {
      revert BytesLengthNotMultipleOf32();
    }

    bytes4 errorSelector = ILineaRollup.FirstByteIsNotZero.selector;
    assembly {
      for {
        let i := _data.length
      } gt(i, 0) {

      } {
        i := sub(i, 0x20)
        let chunk := calldataload(add(_data.offset, i))
        if iszero(iszero(and(chunk, 0xFF00000000000000000000000000000000000000000000000000000000000000))) {
          let ptr := mload(0x40)
          mstore(ptr, errorSelector)
          revert(ptr, 0x4)
        }
        compressedDataComputedY := addmod(
          mulmod(compressedDataComputedY, _compressedDataComputedX, Y_MODULUS),
          chunk,
          Y_MODULUS
        )
      }
    }
  }
}

File 2 of 35 : AccessControlUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.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:
 *
 * ```solidity
 * 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}:
 *
 * ```solidity
 * 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. We recommend using {AccessControlDefaultAdminRules}
 * to enforce additional security measures for this role.
 */
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);
        _;
    }

    /**
     * @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 `_msgSender()` is missing `role`.
     * Overriding this function changes the behavior of the {onlyRole} modifier.
     *
     * Format of the revert message is described in {_checkRole}.
     *
     * _Available since v4.6._
     */
    function _checkRole(bytes32 role) internal view virtual {
        _checkRole(role, _msgSender());
    }

    /**
     * @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(account),
                        " 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.
     *
     * May emit a {RoleGranted} event.
     */
    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.
     *
     * May emit a {RoleRevoked} event.
     */
    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`.
     *
     * May emit a {RoleRevoked} event.
     */
    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.
     *
     * May emit a {RoleGranted} event.
     *
     * [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.
     *
     * May emit a {RoleGranted} event.
     */
    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.
     *
     * May emit a {RoleRevoked} event.
     */
    function _revokeRole(bytes32 role, address account) internal virtual {
        if (hasRole(role, account)) {
            _roles[role].members[account] = false;
            emit RoleRevoked(role, account, _msgSender());
        }
    }

    /**
     * @dev 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 3 of 35 : 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 4 of 35 : Initializable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (proxy/utils/Initializable.sol)

pragma solidity ^0.8.2;

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.
 *
 * The initialization functions use a version number. Once a version number is used, it is consumed and cannot be
 * reused. This mechanism prevents re-execution of each "step" but allows the creation of new initialization steps in
 * case an upgrade adds a module that needs to be initialized.
 *
 * For example:
 *
 * [.hljs-theme-light.nopadding]
 * ```solidity
 * contract MyToken is ERC20Upgradeable {
 *     function initialize() initializer public {
 *         __ERC20_init("MyToken", "MTK");
 *     }
 * }
 *
 * contract MyTokenV2 is MyToken, ERC20PermitUpgradeable {
 *     function initializeV2() reinitializer(2) public {
 *         __ERC20Permit_init("MyToken");
 *     }
 * }
 * ```
 *
 * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as
 * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}.
 *
 * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure
 * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity.
 *
 * [CAUTION]
 * ====
 * Avoid leaving a contract uninitialized.
 *
 * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation
 * contract, which may impact the proxy. To prevent the implementation contract from being used, you should invoke
 * the {_disableInitializers} function in the constructor to automatically lock it when it is deployed:
 *
 * [.hljs-theme-light.nopadding]
 * ```
 * /// @custom:oz-upgrades-unsafe-allow constructor
 * constructor() {
 *     _disableInitializers();
 * }
 * ```
 * ====
 */
abstract contract Initializable {
    /**
     * @dev Indicates that the contract has been initialized.
     * @custom:oz-retyped-from bool
     */
    uint8 private _initialized;

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

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

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

    /**
     * @dev A modifier that defines a protected reinitializer function that can be invoked at most once, and only if the
     * contract hasn't been initialized to a greater version before. In its scope, `onlyInitializing` functions can be
     * used to initialize parent contracts.
     *
     * A reinitializer may be used after the original initialization step. This is essential to configure modules that
     * are added through upgrades and that require initialization.
     *
     * When `version` is 1, this modifier is similar to `initializer`, except that functions marked with `reinitializer`
     * cannot be nested. If one is invoked in the context of another, execution will revert.
     *
     * Note that versions can jump in increments greater than 1; this implies that if multiple reinitializers coexist in
     * a contract, executing them in the right order is up to the developer or operator.
     *
     * WARNING: setting the version to 255 will prevent any future reinitialization.
     *
     * Emits an {Initialized} event.
     */
    modifier reinitializer(uint8 version) {
        require(!_initializing && _initialized < version, "Initializable: contract is already initialized");
        _initialized = version;
        _initializing = true;
        _;
        _initializing = false;
        emit Initialized(version);
    }

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

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

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

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

File 5 of 35 : ReentrancyGuardUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (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() {
        _nonReentrantBefore();
        _;
        _nonReentrantAfter();
    }

    function _nonReentrantBefore() private {
        // On the first call to nonReentrant, _status will be _NOT_ENTERED
        require(_status != _ENTERED, "ReentrancyGuard: reentrant call");

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

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

    /**
     * @dev Returns true if the reentrancy guard is currently set to "entered", which indicates there is a
     * `nonReentrant` function in the call stack.
     */
    function _reentrancyGuardEntered() internal view returns (bool) {
        return _status == _ENTERED;
    }

    /**
     * @dev 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 6 of 35 : AddressUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.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
     *
     * Furthermore, `isContract` will also return true if the target contract within
     * the same transaction is already scheduled for destruction by `SELFDESTRUCT`,
     * which only has an effect at the end of a transaction.
     * ====
     *
     * [IMPORTANT]
     * ====
     * You shouldn't rely on `isContract` to protect against flash loan attacks!
     *
     * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets
     * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract
     * constructor.
     * ====
     */
    function isContract(address account) internal view returns (bool) {
        // This method relies on extcodesize/address.code.length, which returns 0
        // for contracts in construction, since the code is only stored at the end
        // of the constructor execution.

        return account.code.length > 0;
    }

    /**
     * @dev 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://consensys.net/diligence/blog/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.8.0/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 functionCallWithValue(target, data, 0, "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");
        (bool success, bytes memory returndata) = target.call{value: value}(data);
        return verifyCallResultFromTarget(target, 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) {
        (bool success, bytes memory returndata) = target.staticcall(data);
        return verifyCallResultFromTarget(target, success, returndata, errorMessage);
    }

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

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
     * but performing a delegate call.
     *
     * _Available since v3.4._
     */
    function functionDelegateCall(
        address target,
        bytes memory data,
        string memory errorMessage
    ) internal returns (bytes memory) {
        (bool success, bytes memory returndata) = target.delegatecall(data);
        return verifyCallResultFromTarget(target, success, returndata, errorMessage);
    }

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

    /**
     * @dev Tool to verify that a low level call was successful, and revert if it wasn't, either by bubbling the
     * revert reason or 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 {
            _revert(returndata, errorMessage);
        }
    }

    function _revert(bytes memory returndata, string memory errorMessage) private pure {
        // Look for revert reason and bubble it up if present
        if (returndata.length > 0) {
            // The easiest way to bubble the revert reason is using memory via assembly
            /// @solidity memory-safe-assembly
            assembly {
                let returndata_size := mload(returndata)
                revert(add(32, returndata), returndata_size)
            }
        } else {
            revert(errorMessage);
        }
    }
}

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

    /**
     * @dev 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 35 : 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;
    }

    /**
     * @dev 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 9 of 35 : 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 10 of 35 : MathUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (utils/math/Math.sol)

pragma solidity ^0.8.0;

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

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

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

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

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

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

            // Handle non-overflow cases, 256 by 256 division.
            if (prod1 == 0) {
                // Solidity will revert if denominator == 0, unlike the div opcode on its own.
                // The surrounding unchecked block does not change this fact.
                // See https://docs.soliditylang.org/en/latest/control-structures.html#checked-or-unchecked-arithmetic.
                return prod0 / denominator;
            }

            // Make sure the result is less than 2^256. Also prevents denominator == 0.
            require(denominator > prod1, "Math: mulDiv overflow");

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

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

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

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

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

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

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

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

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

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

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

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

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

        // For our first guess, we get the biggest power of 2 which is smaller than the square root of the target.
        //
        // We know that the "msb" (most significant bit) of our target number `a` is a power of 2 such that we have
        // `msb(a) <= a < 2*msb(a)`. This value can be written `msb(a)=2**k` with `k=log2(a)`.
        //
        // This can be rewritten `2**log2(a) <= a < 2**(log2(a) + 1)`
        // → `sqrt(2**k) <= sqrt(a) < sqrt(2**(k+1))`
        // → `2**(k/2) <= sqrt(a) < 2**((k+1)/2) <= 2**(k/2 + 1)`
        //
        // Consequently, `2**(log2(a) / 2)` is a good first approximation of `sqrt(a)` with at least 1 correct bit.
        uint256 result = 1 << (log2(a) >> 1);

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

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

    /**
     * @dev Return the log in base 2, rounded down, of a positive value.
     * Returns 0 if given 0.
     */
    function log2(uint256 value) internal pure returns (uint256) {
        uint256 result = 0;
        unchecked {
            if (value >> 128 > 0) {
                value >>= 128;
                result += 128;
            }
            if (value >> 64 > 0) {
                value >>= 64;
                result += 64;
            }
            if (value >> 32 > 0) {
                value >>= 32;
                result += 32;
            }
            if (value >> 16 > 0) {
                value >>= 16;
                result += 16;
            }
            if (value >> 8 > 0) {
                value >>= 8;
                result += 8;
            }
            if (value >> 4 > 0) {
                value >>= 4;
                result += 4;
            }
            if (value >> 2 > 0) {
                value >>= 2;
                result += 2;
            }
            if (value >> 1 > 0) {
                result += 1;
            }
        }
        return result;
    }

    /**
     * @dev Return the log in base 2, following the selected rounding direction, of a positive value.
     * Returns 0 if given 0.
     */
    function log2(uint256 value, Rounding rounding) internal pure returns (uint256) {
        unchecked {
            uint256 result = log2(value);
            return result + (rounding == Rounding.Up && 1 << result < value ? 1 : 0);
        }
    }

    /**
     * @dev Return the log in base 10, rounded down, of a positive value.
     * Returns 0 if given 0.
     */
    function log10(uint256 value) internal pure returns (uint256) {
        uint256 result = 0;
        unchecked {
            if (value >= 10 ** 64) {
                value /= 10 ** 64;
                result += 64;
            }
            if (value >= 10 ** 32) {
                value /= 10 ** 32;
                result += 32;
            }
            if (value >= 10 ** 16) {
                value /= 10 ** 16;
                result += 16;
            }
            if (value >= 10 ** 8) {
                value /= 10 ** 8;
                result += 8;
            }
            if (value >= 10 ** 4) {
                value /= 10 ** 4;
                result += 4;
            }
            if (value >= 10 ** 2) {
                value /= 10 ** 2;
                result += 2;
            }
            if (value >= 10 ** 1) {
                result += 1;
            }
        }
        return result;
    }

    /**
     * @dev Return the log in base 10, following the selected rounding direction, of a positive value.
     * Returns 0 if given 0.
     */
    function log10(uint256 value, Rounding rounding) internal pure returns (uint256) {
        unchecked {
            uint256 result = log10(value);
            return result + (rounding == Rounding.Up && 10 ** result < value ? 1 : 0);
        }
    }

    /**
     * @dev Return the log in base 256, rounded down, of a positive value.
     * Returns 0 if given 0.
     *
     * Adding one to the result gives the number of pairs of hex symbols needed to represent `value` as a hex string.
     */
    function log256(uint256 value) internal pure returns (uint256) {
        uint256 result = 0;
        unchecked {
            if (value >> 128 > 0) {
                value >>= 128;
                result += 16;
            }
            if (value >> 64 > 0) {
                value >>= 64;
                result += 8;
            }
            if (value >> 32 > 0) {
                value >>= 32;
                result += 4;
            }
            if (value >> 16 > 0) {
                value >>= 16;
                result += 2;
            }
            if (value >> 8 > 0) {
                result += 1;
            }
        }
        return result;
    }

    /**
     * @dev Return the log in base 256, following the selected rounding direction, of a positive value.
     * Returns 0 if given 0.
     */
    function log256(uint256 value, Rounding rounding) internal pure returns (uint256) {
        unchecked {
            uint256 result = log256(value);
            return result + (rounding == Rounding.Up && 1 << (result << 3) < value ? 1 : 0);
        }
    }
}

File 11 of 35 : SignedMathUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (utils/math/SignedMath.sol)

pragma solidity ^0.8.0;

/**
 * @dev Standard signed math utilities missing in the Solidity language.
 */
library SignedMathUpgradeable {
    /**
     * @dev Returns the largest of two signed numbers.
     */
    function max(int256 a, int256 b) internal pure returns (int256) {
        return a > b ? a : b;
    }

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

    /**
     * @dev Returns the average of two signed numbers without overflow.
     * The result is rounded towards zero.
     */
    function average(int256 a, int256 b) internal pure returns (int256) {
        // Formula from the book "Hacker's Delight"
        int256 x = (a & b) + ((a ^ b) >> 1);
        return x + (int256(uint256(x) >> 255) & (a ^ b));
    }

    /**
     * @dev Returns the absolute unsigned value of a signed value.
     */
    function abs(int256 n) internal pure returns (uint256) {
        unchecked {
            // must be unchecked in order to support `n = type(int256).min`
            return uint256(n >= 0 ? n : -n);
        }
    }
}

File 12 of 35 : StringsUpgradeable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (utils/Strings.sol)

pragma solidity ^0.8.0;

import "./math/MathUpgradeable.sol";
import "./math/SignedMathUpgradeable.sol";

/**
 * @dev String operations.
 */
library StringsUpgradeable {
    bytes16 private constant _SYMBOLS = "0123456789abcdef";
    uint8 private constant _ADDRESS_LENGTH = 20;

    /**
     * @dev Converts a `uint256` to its ASCII `string` decimal representation.
     */
    function toString(uint256 value) internal pure returns (string memory) {
        unchecked {
            uint256 length = MathUpgradeable.log10(value) + 1;
            string memory buffer = new string(length);
            uint256 ptr;
            /// @solidity memory-safe-assembly
            assembly {
                ptr := add(buffer, add(32, length))
            }
            while (true) {
                ptr--;
                /// @solidity memory-safe-assembly
                assembly {
                    mstore8(ptr, byte(mod(value, 10), _SYMBOLS))
                }
                value /= 10;
                if (value == 0) break;
            }
            return buffer;
        }
    }

    /**
     * @dev Converts a `int256` to its ASCII `string` decimal representation.
     */
    function toString(int256 value) internal pure returns (string memory) {
        return string(abi.encodePacked(value < 0 ? "-" : "", toString(SignedMathUpgradeable.abs(value))));
    }

    /**
     * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation.
     */
    function toHexString(uint256 value) internal pure returns (string memory) {
        unchecked {
            return toHexString(value, MathUpgradeable.log256(value) + 1);
        }
    }

    /**
     * @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] = _SYMBOLS[value & 0xf];
            value >>= 4;
        }
        require(value == 0, "Strings: hex length insufficient");
        return string(buffer);
    }

    /**
     * @dev Converts an `address` with fixed length of 20 bytes to its not checksummed ASCII `string` hexadecimal representation.
     */
    function toHexString(address addr) internal pure returns (string memory) {
        return toHexString(uint256(uint160(addr)), _ADDRESS_LENGTH);
    }

    /**
     * @dev Returns true if the two strings are equal.
     */
    function equal(string memory a, string memory b) internal pure returns (bool) {
        return keccak256(bytes(a)) == keccak256(bytes(b));
    }
}

File 13 of 35 : BitMaps.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (utils/structs/BitMaps.sol)
pragma solidity ^0.8.0;

/**
 * @dev Library for managing uint256 to bool mapping in a compact and efficient way, providing the keys are sequential.
 * Largely inspired by Uniswap's https://github.com/Uniswap/merkle-distributor/blob/master/contracts/MerkleDistributor.sol[merkle-distributor].
 */
library BitMaps {
    struct BitMap {
        mapping(uint256 => uint256) _data;
    }

    /**
     * @dev Returns whether the bit at `index` is set.
     */
    function get(BitMap storage bitmap, uint256 index) internal view returns (bool) {
        uint256 bucket = index >> 8;
        uint256 mask = 1 << (index & 0xff);
        return bitmap._data[bucket] & mask != 0;
    }

    /**
     * @dev Sets the bit at `index` to the boolean `value`.
     */
    function setTo(BitMap storage bitmap, uint256 index, bool value) internal {
        if (value) {
            set(bitmap, index);
        } else {
            unset(bitmap, index);
        }
    }

    /**
     * @dev Sets the bit at `index`.
     */
    function set(BitMap storage bitmap, uint256 index) internal {
        uint256 bucket = index >> 8;
        uint256 mask = 1 << (index & 0xff);
        bitmap._data[bucket] |= mask;
    }

    /**
     * @dev Unsets the bit at `index`.
     */
    function unset(BitMap storage bitmap, uint256 index) internal {
        uint256 bucket = index >> 8;
        uint256 mask = 1 << (index & 0xff);
        bitmap._data[bucket] &= ~mask;
    }
}

File 14 of 35 : IGenericErrors.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity >=0.8.19 <=0.8.22;

/**
 * @title Interface declaring generic errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface IGenericErrors {
  /**
   * @dev Thrown when a parameter is the zero address.
   */
  error ZeroAddressNotAllowed();
}

File 15 of 35 : IMessageService.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity >=0.8.19 <=0.8.22;

/**
 * @title Interface declaring pre-existing cross-chain messaging functions, events and errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface IMessageService {
  /**
   * @dev Emitted when a message is sent.
   * @dev We include the message hash to save hashing costs on the rollup.
   */
  event MessageSent(
    address indexed _from,
    address indexed _to,
    uint256 _fee,
    uint256 _value,
    uint256 _nonce,
    bytes _calldata,
    bytes32 indexed _messageHash
  );

  /**
   * @dev Emitted when a message is claimed.
   */
  event MessageClaimed(bytes32 indexed _messageHash);

  /**
   * @dev Thrown when fees are lower than the minimum fee.
   */
  error FeeTooLow();

  /**
   * @dev Thrown when the value sent is less than the fee.
   * @dev Value to forward on is msg.value - _fee.
   */
  error ValueSentTooLow();

  /**
   * @dev Thrown when the destination address reverts.
   */
  error MessageSendingFailed(address destination);

  /**
   * @dev Thrown when the recipient address reverts.
   */
  error FeePaymentFailed(address recipient);

  /**
   * @notice Sends a message for transporting from the given chain.
   * @dev This function should be called with a msg.value = _value + _fee. The fee will be paid on the destination chain.
   * @param _to The destination address on the destination chain.
   * @param _fee The message service fee on the origin chain.
   * @param _calldata The calldata used by the destination message service to call the destination contract.
   */
  function sendMessage(address _to, uint256 _fee, bytes calldata _calldata) external payable;

  /**
   * @notice Deliver a message to the destination chain.
   * @notice Is called by the Postman, dApp or end user.
   * @param _from The msg.sender calling the origin message service.
   * @param _to The destination address on the destination chain.
   * @param _value The value to be transferred to the destination address.
   * @param _fee The message service fee on the origin chain.
   * @param _feeRecipient Address that will receive the fees.
   * @param _calldata The calldata used by the destination message service to call/forward to the destination contract.
   * @param _nonce Unique message number.
   */
  function claimMessage(
    address _from,
    address _to,
    uint256 _fee,
    uint256 _value,
    address payable _feeRecipient,
    bytes calldata _calldata,
    uint256 _nonce
  ) external;

  /**
   * @notice Returns the original sender of the message on the origin layer.
   * @return The original sender of the message on the origin layer.
   */
  function sender() external view returns (address);
}

File 16 of 35 : IPauseManager.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity >=0.8.19 <=0.8.22;

/**
 * @title Interface declaring pre-existing pausing functions, events and errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface IPauseManager {
  /**
   * @dev Thrown when a specific pause type is paused.
   */
  error IsPaused(uint256 pauseType);

  /**
   * @dev Thrown when a specific pause type is not paused and expected to be.
   */
  error IsNotPaused(uint256 pauseType);

  /**
   * @dev Emitted when a pause type is paused.
   */
  event Paused(address messageSender, uint256 indexed pauseType);

  /**
   * @dev Emitted when a pause type is unpaused.
   */
  event UnPaused(address messageSender, uint256 indexed pauseType);
}

File 17 of 35 : IRateLimiter.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity >=0.8.19 <=0.8.22;

/**
 * @title Interface declaring rate limiting messaging functions, events and errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface IRateLimiter {
  /**
   * @dev Thrown when an amount breaches the limit in the period.
   */
  error RateLimitExceeded();

  /**
   * @dev Thrown when the period is initialised to zero.
   */
  error PeriodIsZero();

  /**
   * @dev Thrown when the limit is initialised to zero.
   */
  error LimitIsZero();

  /**
   * @dev Emitted when the Rate Limit is initialized.
   */
  event RateLimitInitialized(uint256 periodInSeconds, uint256 limitInWei, uint256 currentPeriodEnd);

  /**
   * @dev Emitted when the amount in the period is reset to zero.
   */
  event AmountUsedInPeriodReset(address indexed resettingAddress);

  /**
   * @dev Emitted when the limit is changed.
   * @dev If the current used amount is higher than the new limit, the used amount is lowered to the limit.
   */
  event LimitAmountChanged(
    address indexed amountChangeBy,
    uint256 amount,
    bool amountUsedLoweredToLimit,
    bool usedAmountResetToZero
  );

  /**
   * @notice Resets the rate limit amount to the amount specified.
   * @param _amount sets the new limit amount.
   */
  function resetRateLimitAmount(uint256 _amount) external;

  /**
   * @notice Resets the amount used in the period to zero.
   */
  function resetAmountUsedInPeriod() external;
}

File 18 of 35 : IL1MessageManager.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.22;

/**
 * @title L1 Message manager interface for current functions, events and errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface IL1MessageManager {
  /**
   * @dev Emitted when a new message is sent and the rolling hash updated.
   */
  event RollingHashUpdated(uint256 indexed messageNumber, bytes32 indexed rollingHash, bytes32 indexed messageHash);

  /**
   * @dev Emitted when the l2 merkle root has been anchored on L1.
   */
  event L2MerkleRootAdded(bytes32 indexed l2MerkleRoot, uint256 indexed treeDepth);

  /**
   * @dev Emitted when the l2 block contains L2 messages during finalization
   */
  event L2MessagingBlockAnchored(uint256 indexed l2Block);

  /**
   * @dev Thrown when the message has already been claimed.
   */
  error MessageAlreadyClaimed(uint256 messageIndex);

  /**
   * @dev Thrown when the L2 merkle root has already been anchored on L1.
   */
  error L2MerkleRootAlreadyAnchored(bytes32 merkleRoot);

  /**
   * @dev Thrown when the L2 messaging blocks offsets bytes length is not a multiple of 2.
   */
  error BytesLengthNotMultipleOfTwo(uint256 bytesLength);

  /**
   * @notice Check if the L2->L1 message is claimed or not.
   * @param _messageNumber The message number on L2.
   */
  function isMessageClaimed(uint256 _messageNumber) external view returns (bool);
}

File 19 of 35 : IL1MessageManagerV1.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity 0.8.22;

/**
 * @title L1 Message manager V1 interface for pre-existing functions, events and errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface IL1MessageManagerV1 {
  /**
   * @dev Emitted when L2->L1 message hashes have been added to L1 storage.
   */
  event L2L1MessageHashAddedToInbox(bytes32 indexed messageHash);

  /**
   * @dev Emitted when L1->L2 messages have been anchored on L2 and updated on L1.
   */
  event L1L2MessagesReceivedOnL2(bytes32[] messageHashes);

  /**
   * @dev Thrown when the message has already been claimed.
   */
  error MessageDoesNotExistOrHasAlreadyBeenClaimed(bytes32 messageHash);

  /**
   * @dev Thrown when the message has already been received.
   */
  error MessageAlreadyReceived(bytes32 messageHash);

  /**
   * @dev Thrown when the L1->L2 message has not been sent.
   */
  error L1L2MessageNotSent(bytes32 messageHash);
}

File 20 of 35 : IL1MessageService.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity 0.8.22;

/**
 * @title L1 Message Service interface for pre-existing functions, events and errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */

interface IL1MessageService {
  /**
   * @dev Emitted when initializing Linea Rollup contract with a system migration block.
   */
  event SystemMigrationBlockInitialized(uint256 systemMigrationBlock);
  /**
   * @dev Thrown when L2 merkle root does not exist.
   */
  error L2MerkleRootDoesNotExist();

  /**
   * @dev Thrown when the merkle proof is invalid.
   */
  error InvalidMerkleProof();

  /**
   * @dev Thrown when merkle depth doesn't match proof length.
   */
  error ProofLengthDifferentThanMerkleDepth(uint256 actual, uint256 expected);

  /**
   * @dev Thrown when the system migration block is 0.
   */
  error SystemMigrationBlockZero();

  /**
   * @param proof The proof array related to the claimed message.
   * @param messageNumber The message number of the claimed message.
   * @param leafIndex The leaf index related to the merkle proof of the message.
   * @param from The address of the original sender.
   * @param to The address the message is intended for.
   * @param fee The fee being paid for the message delivery.
   * @param value The value to be transferred to the destination address.
   * @param feeRecipient The recipient for the fee.
   * @param merkleRoot The merkle root of the claimed message.
   * @param data The calldata to pass to the recipient.
   */
  struct ClaimMessageWithProofParams {
    bytes32[] proof;
    uint256 messageNumber;
    uint32 leafIndex;
    address from;
    address to;
    uint256 fee;
    uint256 value;
    address payable feeRecipient;
    bytes32 merkleRoot;
    bytes data;
  }
}

File 21 of 35 : ILineaRollup.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity 0.8.22;

/**
 * @title LineaRollup interface for current functions, events and errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface ILineaRollup {
  /**
   * @dev parentStateRootHash is the starting root hash.
   * @dev dataParentHash is used in order to link data.
   * @dev finalStateRootHash is used to set next data.
   * @dev firstBlockInData is the first block that is included in the data submitted.
   * @dev finalBlockInData is the last block that is included in the data submitted.
   * @dev snarkHash is the computed hash for compressed data (using a SNARK-friendly hash function) that aggregates per data submission to be used in public input.
   * @dev compressedData is the compressed transaction data. It contains ordered data for each L2 block - l2Timestamps, the encoded txData.
   */
  struct SubmissionData {
    bytes32 parentStateRootHash;
    bytes32 dataParentHash;
    bytes32 finalStateRootHash;
    uint256 firstBlockInData;
    uint256 finalBlockInData;
    bytes32 snarkHash;
    bytes compressedData;
  }

  /**
   * @dev parentStateRootHash is the expected last state root hash finalized.
   * @dev dataHashes is the optional previously submitted compressed data item hashes.
   * @dev dataParentHash is the last finalized compressed data item hash.
   * @dev finalBlockNumber is the last block that is being finalized.
   * @dev lastFinalizedTimestamp is the expected last finalized block's timestamp.
   * @dev finalTimestamp is the timestamp of the last block being finalized.
   * @dev l1RollingHash is the calculated rolling hash on L2 that is expected to match L1 at l1RollingHashMessageNumber.
   * This value will be used along with the stored last finalized L2 calculated rolling hash in the public input.
   * @dev l1RollingHashMessageNumber is the calculated message number on L2 that is expected to match the existing L1 rolling hash.
   * This value will be used along with the stored last finalized L2 calculated message number in the public input.
   * @dev l2MerkleRoots is an array of L2 message merkle roots of depth l2MerkleTreesDepth between last finalized block and finalBlockNumber.
   * @dev l2MerkleTreesDepth is the depth of all l2MerkleRoots.
   * @dev l2MessagingBlocksOffsets indicates by offset from currentL2BlockNumber which L2 blocks contain MessageSent events.
   */
  struct FinalizationData {
    bytes32 parentStateRootHash;
    bytes32[] dataHashes;
    bytes32 dataParentHash;
    uint256 finalBlockNumber;
    uint256 lastFinalizedTimestamp;
    uint256 finalTimestamp;
    bytes32 l1RollingHash;
    uint256 l1RollingHashMessageNumber;
    bytes32[] l2MerkleRoots;
    uint256 l2MerkleTreesDepth;
    bytes l2MessagingBlocksOffsets;
  }

  /**
   * @dev Emitted when a verifier is set for a particular proof type.
   */
  event VerifierAddressChanged(
    address indexed verifierAddress,
    uint256 indexed proofType,
    address indexed verifierSetBy,
    address oldVerifierAddress
  );

  /**
   * @dev Emitted when compressed data is being submitted and verified succesfully on L1.
   */
  event DataSubmitted(bytes32 indexed dataHash, uint256 indexed startBlock, uint256 indexed endBlock);

  /**
   * @dev Emitted when L2 blocks have been finalized on L1.
   */
  event DataFinalized(
    uint256 indexed lastBlockFinalized,
    bytes32 indexed startingRootHash,
    bytes32 indexed finalRootHash,
    bool withProof
  );

  /**
   * @dev Thrown when the starting block in the data item is out of sequence with the last block number.
   */
  error DataStartingBlockDoesNotMatch(uint256 expected, uint256 actual);

  /**
   * @dev Thrown when the ending block in the data item is out of sequence with the finalization data.
   */
  error DataEndingBlockDoesNotMatch(uint256 expected, uint256 actual);

  /**
   * @dev Thrown when the expected data item's shnarf is empty.
   */
  error DataParentHasEmptyShnarf();

  /**
   * @dev Thrown when the current data was already submitted.
   */
  error DataAlreadySubmitted(bytes32 currentDataHash);

  /**
   * @dev Thrown when parent stateRootHash does not match or is empty.
   */
  error StateRootHashInvalid(bytes32 expected, bytes32 actual);

  /**
   * @dev Thrown when submissionData is empty.
   */
  error EmptySubmissionData();

  /**
   * @dev Thrown when finalizationData.dataHashes is empty.
   */
  error FinalizationDataMissing();

  /**
   * @dev Thrown when finalizationData.l1RollingHash does not exist on L1 (Feedback loop).
   */
  error L1RollingHashDoesNotExistOnL1(uint256 messageNumber, bytes32 rollingHash);

  /**
   * @dev Thrown when finalizationData.lastFinalizedTimestamp does not match currentTimestamp.
   */
  error TimestampsNotInSequence(uint256 expected, uint256 value);

  /**
   * @dev Thrown when the last submissionData finalBlockInData does not match finalizationData.finalBlockNumber.
   */
  error FinalBlockNumberInvalid(uint256 expected, uint256 value);

  /**
   * @dev Thrown when finalizationData.dataParentHash does not match parent of _finalizationData.dataHashes[0].
   */
  error ParentHashesDoesNotMatch(bytes32 firstHash, bytes32 secondHash);

  /**
   * @dev Thrown when parent finalStateRootHash does not match _finalizationData.parentStateRootHash.
   */
  error FinalStateRootHashDoesNotMatch(bytes32 firstHash, bytes32 secondHash);

  /**
   * @dev Thrown when data hashes are not in sequence.
   */
  error DataHashesNotInSequence(bytes32 expected, bytes32 value);

  /**
   * @dev Thrown when the first block is greater than final block in submission data.
   */
  error FirstBlockGreaterThanFinalBlock(uint256 firstBlockNumber, uint256 finalBlockNumber);

  /**
   * @dev Thrown when the first block in data is less than or equal to the last finalized block during data submission.
   */
  error FirstBlockLessThanOrEqualToLastFinalizedBlock(uint256 firstBlockNumber, uint256 lastFinalizedBlock);

  /**
   * @dev Thrown when the final block number in finalization data is less than or equal to the last finalized block during finalization.
   */
  error FinalBlockNumberLessThanOrEqualToLastFinalizedBlock(uint256 finalBlockNumber, uint256 lastFinalizedBlock);

  /**
   * @dev Thrown when the final block state equals the zero hash during finalization.
   */
  error FinalBlockStateEqualsZeroHash();

  /**
   * @dev Thrown when final l2 block timestamp higher than current block.timestamp during finalization.
   */
  error FinalizationInTheFuture(uint256 l2BlockTimestamp, uint256 currentBlockTimestamp);

  /**
   * @dev Thrown when a rolling hash is provided without a corresponding message number.
   */
  error MissingMessageNumberForRollingHash(bytes32 rollingHash);

  /**
   * @dev Thrown when a message number is provided without a corresponding rolling hash.
   */
  error MissingRollingHashForMessageNumber(uint256 messageNumber);

  /**
   * @dev Thrown when the first byte is not zero.
   * @dev This is used explicitly with the four bytes in assembly 0x729eebce.
   */
  error FirstByteIsNotZero();

  /**
   * @dev Thrown when bytes length is not a multiple of 32.
   */
  error BytesLengthNotMultipleOf32();

  /**
   * @notice Adds or updated the verifier contract address for a proof type.
   * @dev VERIFIER_SETTER_ROLE is required to execute.
   * @param _newVerifierAddress The address for the verifier contract.
   * @param _proofType The proof type being set/updated.
   */
  function setVerifierAddress(address _newVerifierAddress, uint256 _proofType) external;

  /**
   * @notice Submit compressed data.
   * @dev OPERATOR_ROLE is required to execute.
   * @param _submissionData The full compressed data collection - parentStateRootHash, dataParentHash,
   * finalStateRootHash, firstBlockInData, finalBlockInData, snarkHash, compressedData.
   */
  function submitData(SubmissionData calldata _submissionData) external;

  /**
   * @notice Finalize compressed blocks without proof.
   * @dev DEFAULT_ADMIN_ROLE is required to execute.
   * @param _finalizationData The full finalization data.
   */
  function finalizeCompressedBlocksWithoutProof(FinalizationData calldata _finalizationData) external;

  /**
   * @notice Finalize compressed blocks with proof.
   * @dev OPERATOR_ROLE is required to execute.
   * @param _aggregatedProof The aggregated proof.
   * @param _proofType The proof type.
   * @param _finalizationData The full finalization data.
   */
  function finalizeCompressedBlocksWithProof(
    bytes calldata _aggregatedProof,
    uint256 _proofType,
    FinalizationData calldata _finalizationData
  ) external;
}

File 22 of 35 : IPlonkVerifier.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity 0.8.22;

/**
 * @title Interface declaring verifier functions.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface IPlonkVerifier {
  /**
   * @notice Interface for verifier contracts.
   * @param _proof The proof used to verify.
   * @param _public_inputs The computed public inputs for the proof verification.
   */
  function Verify(bytes calldata _proof, uint256[] calldata _public_inputs) external returns (bool);
}

File 23 of 35 : IZkEvmV2.sol
// SPDX-License-Identifier: Apache-2.0
pragma solidity 0.8.22;

/**
 * @title ZkEvm rollup interface for pre-existing functions, events and errors.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
interface IZkEvmV2 {
  /**
   * @dev blockRootHash is the calculated root hash of the block.
   * @dev l2BlockTimestamp corresponds to the time the block was produced.
   * @dev transactions is the transaction collection on the block RLP encoded.
   * @dev l2ToL1MsgHashes collection contains all the hashes for L2 to L1 anchoring.
   * @dev fromAddresses is a concatenation of all the from addresses for the transactions.
   * @dev batchReceptionIndices defines which transactions in the collection are L2 to L1 messages.
   */
  struct BlockData {
    bytes32 blockRootHash;
    uint32 l2BlockTimestamp;
    bytes[] transactions;
    bytes32[] l2ToL1MsgHashes;
    bytes fromAddresses;
    uint16[] batchReceptionIndices;
  }

  /**
   * @dev Emitted when a L2 block has been finalized on L1
   */
  event BlockFinalized(uint256 indexed blockNumber, bytes32 indexed stateRootHash, bool indexed finalizedWithProof);
  /**
   * @dev Emitted when a L2 blocks have been finalized on L1
   */
  event BlocksVerificationDone(uint256 indexed lastBlockFinalized, bytes32 startingRootHash, bytes32 finalRootHash);

  /**
   * @dev Thrown when l2 block timestamp is not correct
   */
  error BlockTimestampError(uint256 l2BlockTimestamp, uint256 currentBlockTimestamp);

  /**
   * @dev Thrown when the starting rootHash does not match the existing state
   */
  error StartingRootHashDoesNotMatch();

  /**
   * @dev Thrown when blockData is empty
   */
  error EmptyBlockDataArray();

  /**
   * @dev Thrown when block contains zero transactions
   */
  error EmptyBlock();

  /**
   * @dev Thrown when zk proof is empty bytes
   */
  error ProofIsEmpty();

  /**
   * @dev Thrown when zk proof type is invalid
   */
  error InvalidProofType();

  /**
   * @dev Thrown when zk proof is invalid
   */
  error InvalidProof();

  /**
   * @notice Finalizes blocks without using a proof
   * @dev DEFAULT_ADMIN_ROLE is required to execute
   * @param _calldata The full BlockData collection - block, transaction and log data
   */
  function finalizeBlocksWithoutProof(BlockData[] calldata _calldata) external;

  /**
   * @notice Finalizes blocks using a proof.
   * @dev OPERATOR_ROLE is required to execute.
   * @dev If the verifier based on proof type is not found, it reverts.
   * @param _blocksData The full BlockData collection - block, transaction and log data.
   * @param _proof The proof to be verified with the proof type verifier contract.
   * @param _proofType The proof type to determine which verifier contract to use.
   * @param _parentStateRootHash The starting roothash for the last known block.
   */
  function finalizeBlocks(
    BlockData[] calldata _blocksData,
    bytes calldata _proof,
    uint256 _proofType,
    bytes32 _parentStateRootHash
  ) external;
}

File 24 of 35 : Utils.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity >=0.8.19 <=0.8.22;

library Utils {
  /**
   * @notice Performs a gas optimized keccak hash.
   * @param _left Left value.
   * @param _right Right value.
   */
  function _efficientKeccak(bytes32 _left, bytes32 _right) internal pure returns (bytes32 value) {
    /// @solidity memory-safe-assembly
    assembly {
      mstore(0x00, _left)
      mstore(0x20, _right)
      value := keccak256(0x00, 0x40)
    }
  }
}

File 25 of 35 : L1MessageManager.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.22;

import { BitMaps } from "@openzeppelin/contracts/utils/structs/BitMaps.sol";
import { L1MessageManagerV1 } from "./v1/L1MessageManagerV1.sol";
import { IL1MessageManager } from "../../interfaces/l1/IL1MessageManager.sol";
import { Utils } from "../../lib/Utils.sol";

/**
 * @title Contract to manage cross-chain message rolling hash computation and storage on L1.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
abstract contract L1MessageManager is L1MessageManagerV1, IL1MessageManager {
  using BitMaps for BitMaps.BitMap;
  using Utils for *;

  mapping(uint256 messageNumber => bytes32 rollingHash) public rollingHashes;
  BitMaps.BitMap internal _messageClaimedBitMap;
  mapping(bytes32 merkleRoot => uint256 treeDepth) public l2MerkleRootsDepths;

  /// @dev Keep free storage slots for future implementation updates to avoid storage collision.
  uint256[50] private __gap_L1MessageManager;

  /**
   * @notice Take an existing message hash, calculates the rolling hash and stores at the message number.
   * @param _messageNumber The current message number being sent.
   * @param _messageHash The hash of the message being sent.
   */
  function _addRollingHash(uint256 _messageNumber, bytes32 _messageHash) internal {
    unchecked {
      bytes32 newRollingHash = Utils._efficientKeccak(rollingHashes[_messageNumber - 1], _messageHash);

      rollingHashes[_messageNumber] = newRollingHash;
      emit RollingHashUpdated(_messageNumber, newRollingHash, _messageHash);
    }
  }

  /**
   * @notice Set the L2->L1 message as claimed when a user claims a message on L1.
   * @param  _messageNumber The message number on L2.
   */
  function _setL2L1MessageToClaimed(uint256 _messageNumber) internal {
    if (_messageClaimedBitMap.get(_messageNumber)) {
      revert MessageAlreadyClaimed(_messageNumber);
    }
    _messageClaimedBitMap.set(_messageNumber);
  }

  /**
   * @notice Add the L2 merkle roots to the storage.
   * @dev This function is called during block finalization.
   * @param _newRoots New L2 merkle roots.
   */
  function _addL2MerkleRoots(bytes32[] calldata _newRoots, uint256 _treeDepth) internal {
    for (uint256 i; i < _newRoots.length; ++i) {
      if (l2MerkleRootsDepths[_newRoots[i]] != 0) {
        revert L2MerkleRootAlreadyAnchored(_newRoots[i]);
      }

      l2MerkleRootsDepths[_newRoots[i]] = _treeDepth;

      emit L2MerkleRootAdded(_newRoots[i], _treeDepth);
    }
  }

  /**
   * @notice Emit an event for each L2 block containing L2->L1 messages.
   * @dev This function is called during block finalization.
   * @param _l2MessagingBlocksOffsets Is a sequence of uint16 values, where each value plus the last finalized L2 block number.
   * indicates which L2 blocks have L2->L1 messages.
   * @param _currentL2BlockNumber Last L2 block number finalized on L1.
   */
  function _anchorL2MessagingBlocks(bytes calldata _l2MessagingBlocksOffsets, uint256 _currentL2BlockNumber) internal {
    if (_l2MessagingBlocksOffsets.length % 2 != 0) {
      revert BytesLengthNotMultipleOfTwo(_l2MessagingBlocksOffsets.length);
    }

    uint256 l2BlockOffset;
    unchecked {
      for (uint256 i; i < _l2MessagingBlocksOffsets.length; ) {
        assembly {
          l2BlockOffset := shr(240, calldataload(add(_l2MessagingBlocksOffsets.offset, i)))
        }
        emit L2MessagingBlockAnchored(_currentL2BlockNumber + l2BlockOffset);
        i += 2;
      }
    }
  }

  /**
   * @notice Check if the L2->L1 message is claimed or not.
   * @param _messageNumber The message number on L2.
   */
  function isMessageClaimed(uint256 _messageNumber) external view returns (bool) {
    return _messageClaimedBitMap.get(_messageNumber);
  }
}

File 26 of 35 : L1MessageService.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.22;

import { AccessControlUpgradeable } from "@openzeppelin/contracts-upgradeable/access/AccessControlUpgradeable.sol";
import { L1MessageServiceV1 } from "./v1/L1MessageServiceV1.sol";
import { L1MessageManager } from "./L1MessageManager.sol";
import { IL1MessageService } from "../../interfaces/l1/IL1MessageService.sol";
import { IGenericErrors } from "../../interfaces/IGenericErrors.sol";
import { SparseMerkleTreeVerifier } from "../lib/SparseMerkleTreeVerifier.sol";

/**
 * @title Contract to manage cross-chain messaging on L1.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
abstract contract L1MessageService is
  AccessControlUpgradeable,
  L1MessageServiceV1,
  L1MessageManager,
  IL1MessageService,
  IGenericErrors
{
  using SparseMerkleTreeVerifier for *;

  uint256 public systemMigrationBlock;

  // Keep free storage slots for future implementation updates to avoid storage collision.
  uint256[50] private __gap_L1MessageService;

  /**
   * @notice Initialises underlying message service dependencies.
   * @dev _messageSender is initialised to a non-zero value for gas efficiency on claiming.
   * @param _limitManagerAddress The address owning the rate limiting management role.
   * @param _pauseManagerAddress The address owning the pause management role.
   * @param _rateLimitPeriod The period to rate limit against.
   * @param _rateLimitAmount The limit allowed for withdrawing the period.
   * @param _systemMigrationBlock The service migration block.
   */
  function __MessageService_init(
    address _limitManagerAddress,
    address _pauseManagerAddress,
    uint256 _rateLimitPeriod,
    uint256 _rateLimitAmount,
    uint256 _systemMigrationBlock
  ) internal onlyInitializing {
    if (_limitManagerAddress == address(0)) {
      revert ZeroAddressNotAllowed();
    }

    if (_pauseManagerAddress == address(0)) {
      revert ZeroAddressNotAllowed();
    }

    __ERC165_init();
    __Context_init();
    __AccessControl_init();
    __RateLimiter_init(_rateLimitPeriod, _rateLimitAmount);

    _grantRole(RATE_LIMIT_SETTER_ROLE, _limitManagerAddress);
    _grantRole(PAUSE_MANAGER_ROLE, _pauseManagerAddress);

    __SystemMigrationBlock_init(_systemMigrationBlock);

    nextMessageNumber = 1;
    _messageSender = DEFAULT_SENDER_ADDRESS;
  }

  /**
   * @notice Initializer function when upgrading.
   * @dev Sets the systemMigrationBlock when the migration will occur.
   * @param _systemMigrationBlock The future migration block.
   */
  function __SystemMigrationBlock_init(uint256 _systemMigrationBlock) internal onlyInitializing {
    if (_systemMigrationBlock == 0) {
      revert SystemMigrationBlockZero();
    }

    systemMigrationBlock = _systemMigrationBlock;

    emit SystemMigrationBlockInitialized(systemMigrationBlock);
  }

  /**
   * @notice Adds a message for sending cross-chain and emits MessageSent.
   * @dev The message number is preset (nextMessageNumber) and only incremented at the end if successful for the next caller.
   * @dev This function should be called with a msg.value = _value + _fee. The fee will be paid on the destination chain.
   * @param _to The address the message is intended for.
   * @param _fee The fee being paid for the message delivery.
   * @param _calldata The calldata to pass to the recipient.
   */
  function sendMessage(
    address _to,
    uint256 _fee,
    bytes calldata _calldata
  ) external payable whenTypeAndGeneralNotPaused(L1_L2_PAUSE_TYPE) {
    if (_to == address(0)) {
      revert ZeroAddressNotAllowed();
    }

    if (_fee > msg.value) {
      revert ValueSentTooLow();
    }

    uint256 messageNumber = nextMessageNumber++;
    uint256 valueSent = msg.value - _fee;

    bytes32 messageHash = keccak256(abi.encode(msg.sender, _to, _fee, valueSent, messageNumber, _calldata));

    if (systemMigrationBlock > block.number) {
      _addL1L2MessageHash(messageHash);
    } else {
      _addRollingHash(messageNumber, messageHash);
    }

    emit MessageSent(msg.sender, _to, _fee, valueSent, messageNumber, _calldata, messageHash);
  }

  /**
   * @notice Claims and delivers a cross-chain message using merkle proof.
   * @dev if merkle depth is empty, it will revert with L2MerkleRootDoesNotExist.
   * @dev if merkle depth is different than proof size, it will revert with ProofLengthDifferentThanMerkleDepth.
   * @param _params Collection of claim data with proof and supporting data.
   */
  function claimMessageWithProof(
    ClaimMessageWithProofParams calldata _params
  ) external nonReentrant distributeFees(_params.fee, _params.to, _params.data, _params.feeRecipient) {
    _requireTypeAndGeneralNotPaused(L2_L1_PAUSE_TYPE);

    uint256 merkleDepth = l2MerkleRootsDepths[_params.merkleRoot];

    if (merkleDepth == 0) {
      revert L2MerkleRootDoesNotExist();
    }

    if (merkleDepth != _params.proof.length) {
      revert ProofLengthDifferentThanMerkleDepth(merkleDepth, _params.proof.length);
    }

    _setL2L1MessageToClaimed(_params.messageNumber);

    _addUsedAmount(_params.fee + _params.value);

    bytes32 messageLeafHash = keccak256(
      abi.encode(_params.from, _params.to, _params.fee, _params.value, _params.messageNumber, _params.data)
    );

    if (
      !SparseMerkleTreeVerifier._verifyMerkleProof(
        messageLeafHash,
        _params.proof,
        _params.leafIndex,
        _params.merkleRoot
      )
    ) {
      revert InvalidMerkleProof();
    }

    _messageSender = _params.from;

    (bool callSuccess, bytes memory returnData) = _params.to.call{ value: _params.value }(_params.data);
    if (!callSuccess) {
      if (returnData.length > 0) {
        assembly {
          let data_size := mload(returnData)
          revert(add(32, returnData), data_size)
        }
      } else {
        revert MessageSendingFailed(_params.to);
      }
    }

    _messageSender = DEFAULT_SENDER_ADDRESS;

    emit MessageClaimed(messageLeafHash);
  }

  /**
   * @notice Claims and delivers a cross-chain message.
   * @dev _messageSender is set temporarily when claiming.
   */
  function sender() external view returns (address) {
    return _messageSender;
  }
}

File 27 of 35 : L1MessageManagerV1.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.22;

import { IL1MessageManagerV1 } from "../../../interfaces/l1/IL1MessageManagerV1.sol";

/**
 * @title Contract to manage cross-chain message hashes storage and status on L1.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
abstract contract L1MessageManagerV1 is IL1MessageManagerV1 {
  uint8 public constant INBOX_STATUS_UNKNOWN = 0;
  uint8 public constant INBOX_STATUS_RECEIVED = 1;

  uint8 public constant OUTBOX_STATUS_UNKNOWN = 0;
  uint8 public constant OUTBOX_STATUS_SENT = 1;
  uint8 public constant OUTBOX_STATUS_RECEIVED = 2;

  /// @dev Mapping to store L1->L2 message hashes status.
  /// @dev messageHash => messageStatus (0: unknown, 1: sent, 2: received).
  mapping(bytes32 messageHash => uint256 messageStatus) public outboxL1L2MessageStatus;

  /// @dev Mapping to store L2->L1 message hashes status.
  /// @dev messageHash => messageStatus (0: unknown, 1: received).
  mapping(bytes32 messageHash => uint256 messageStatus) public inboxL2L1MessageStatus;

  /// @dev Keep free storage slots for future implementation updates to avoid storage collision.
  // *******************************************************************************************
  // NB: THIS GAP HAS BEEN PUSHED OUT IN FAVOUR OF THE GAP INSIDE THE REENTRANCY CODE
  //uint256[50] private __gap;
  // NB: DO NOT USE THIS GAP
  // *******************************************************************************************

  /**
   * @notice Add cross-chain L2->L1 message hash in storage.
   * @dev Once the event is emitted, it should be ready for claiming (post block finalization).
   * @param  _messageHash Hash of the message.
   */
  function _addL2L1MessageHash(bytes32 _messageHash) internal {
    if (inboxL2L1MessageStatus[_messageHash] != INBOX_STATUS_UNKNOWN) {
      revert MessageAlreadyReceived(_messageHash);
    }

    inboxL2L1MessageStatus[_messageHash] = INBOX_STATUS_RECEIVED;

    emit L2L1MessageHashAddedToInbox(_messageHash);
  }

  /**
   * @notice Update the status of L2->L1 message when a user claims a message on L1.
   * @dev The L2->L1 message is removed from storage.
   * @dev Due to the nature of the rollup, we should not get a second entry of this.
   * @param  _messageHash Hash of the message.
   */
  function _updateL2L1MessageStatusToClaimed(bytes32 _messageHash) internal {
    if (inboxL2L1MessageStatus[_messageHash] != INBOX_STATUS_RECEIVED) {
      revert MessageDoesNotExistOrHasAlreadyBeenClaimed(_messageHash);
    }

    delete inboxL2L1MessageStatus[_messageHash];
  }

  /**
   * @notice Add L1->L2 message hash in storage when a message is sent on L1.
   * @param  _messageHash Hash of the message.
   */
  function _addL1L2MessageHash(bytes32 _messageHash) internal {
    outboxL1L2MessageStatus[_messageHash] = OUTBOX_STATUS_SENT;
  }

  /**
   * @notice Update the status of L1->L2 messages as received when messages have been stored on L2.
   * @dev The expectation here is that the rollup is limited to 100 hashes being added here - array is not open ended.
   * @param  _messageHashes List of message hashes.
   */
  function _updateL1L2MessageStatusToReceived(bytes32[] memory _messageHashes) internal {
    uint256 messageHashArrayLength = _messageHashes.length;

    for (uint256 i; i < messageHashArrayLength; ++i) {
      bytes32 messageHash = _messageHashes[i];
      uint256 existingStatus = outboxL1L2MessageStatus[messageHash];

      if (existingStatus == OUTBOX_STATUS_UNKNOWN) {
        revert L1L2MessageNotSent(messageHash);
      }

      if (existingStatus != OUTBOX_STATUS_RECEIVED) {
        outboxL1L2MessageStatus[messageHash] = OUTBOX_STATUS_RECEIVED;
      }
    }

    emit L1L2MessagesReceivedOnL2(_messageHashes);
  }
}

File 28 of 35 : L1MessageServiceV1.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.22;

import { Initializable } from "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol";
import { ReentrancyGuardUpgradeable } from "@openzeppelin/contracts-upgradeable/security/ReentrancyGuardUpgradeable.sol";
import { PauseManager } from "../../lib/PauseManager.sol";
import { RateLimiter } from "../../lib/RateLimiter.sol";
import { L1MessageManagerV1 } from "./L1MessageManagerV1.sol";
import { IMessageService } from "../../../interfaces/IMessageService.sol";

/**
 * @title Contract to manage cross-chain messaging on L1.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
abstract contract L1MessageServiceV1 is
  Initializable,
  RateLimiter,
  L1MessageManagerV1,
  ReentrancyGuardUpgradeable,
  PauseManager,
  IMessageService
{
  // @dev This is initialised to save user cost with existing slot.
  uint256 public nextMessageNumber;

  address internal _messageSender;

  // Keep free storage slots for future implementation updates to avoid storage collision.
  uint256[50] private __gap;

  // @dev adding these should not affect storage as they are constants and are stored in bytecode.
  uint256 internal constant REFUND_OVERHEAD_IN_GAS = 48252;

  address internal constant DEFAULT_SENDER_ADDRESS = address(123456789);

  /**
   * @notice The unspent fee is refunded if applicable.
   * @param _feeInWei The fee paid for delivery in Wei.
   * @param _to The recipient of the message and gas refund.
   * @param _calldata The calldata of the message.
   */
  modifier distributeFees(
    uint256 _feeInWei,
    address _to,
    bytes calldata _calldata,
    address _feeRecipient
  ) {
    //pre-execution
    uint256 startingGas = gasleft();
    _;
    //post-execution

    // we have a fee
    if (_feeInWei > 0) {
      // default postman fee
      uint256 deliveryFee = _feeInWei;

      // do we have empty calldata?
      if (_calldata.length == 0) {
        bool isDestinationEOA;

        assembly {
          isDestinationEOA := iszero(extcodesize(_to))
        }

        // are we calling an EOA
        if (isDestinationEOA) {
          // initial + cost to call and refund minus gasleft
          deliveryFee = (startingGas + REFUND_OVERHEAD_IN_GAS - gasleft()) * tx.gasprice;

          if (_feeInWei > deliveryFee) {
            payable(_to).send(_feeInWei - deliveryFee);
          } else {
            deliveryFee = _feeInWei;
          }
        }
      }

      address feeReceiver = _feeRecipient == address(0) ? msg.sender : _feeRecipient;

      bool callSuccess = payable(feeReceiver).send(deliveryFee);
      if (!callSuccess) {
        revert FeePaymentFailed(feeReceiver);
      }
    }
  }

  /**
   * @notice Claims and delivers a cross-chain message.
   * @dev _feeRecipient can be set to address(0) to receive as msg.sender.
   * @dev _messageSender is set temporarily when claiming and reset post. Used in sender().
   * @dev _messageSender is reset to DEFAULT_SENDER_ADDRESS to be more gas efficient.
   * @param _from The address of the original sender.
   * @param _to The address the message is intended for.
   * @param _fee The fee being paid for the message delivery.
   * @param _value The value to be transferred to the destination address.
   * @param _feeRecipient The recipient for the fee.
   * @param _calldata The calldata to pass to the recipient.
   * @param _nonce The unique auto generated nonce used when sending the message.
   */
  function claimMessage(
    address _from,
    address _to,
    uint256 _fee,
    uint256 _value,
    address payable _feeRecipient,
    bytes calldata _calldata,
    uint256 _nonce
  ) external nonReentrant distributeFees(_fee, _to, _calldata, _feeRecipient) {
    _requireTypeAndGeneralNotPaused(L2_L1_PAUSE_TYPE);

    bytes32 messageHash = keccak256(abi.encode(_from, _to, _fee, _value, _nonce, _calldata));

    // @dev Status check and revert is in the message manager.
    _updateL2L1MessageStatusToClaimed(messageHash);

    _addUsedAmount(_fee + _value);

    _messageSender = _from;

    (bool callSuccess, bytes memory returnData) = _to.call{ value: _value }(_calldata);
    if (!callSuccess) {
      if (returnData.length > 0) {
        assembly {
          let data_size := mload(returnData)
          revert(add(32, returnData), data_size)
        }
      } else {
        revert MessageSendingFailed(_to);
      }
    }

    _messageSender = DEFAULT_SENDER_ADDRESS;

    emit MessageClaimed(messageHash);
  }
}

File 29 of 35 : Codec.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity >=0.8.19 <=0.8.22;

/**
 * @title Decoding functions for message service anchoring and bytes slicing.
 * @author ConsenSys Software Inc.
 * @notice You can use this to slice bytes and extract anchoring hashes from calldata.
 * @custom:security-contact [email protected]
 */
library CodecV2 {
  /**
   * @notice Decodes a collection of bytes32 (hashes) from the calldata of a transaction.
   * @dev Extracts and decodes skipping the function selector (selector is expected in the input).
   * @dev A check beforehand must be performed to confirm this is the correct type of transaction.
   * @dev NB: A memory manipulation strips out the function signature, do not reuse.
   * @param _calldataWithSelector The calldata for the transaction.
   * @return bytes32[] - array of message hashes.
   */
  function _extractXDomainAddHashes(bytes memory _calldataWithSelector) internal pure returns (bytes32[] memory) {
    assembly {
      let len := sub(mload(_calldataWithSelector), 4)
      _calldataWithSelector := add(_calldataWithSelector, 0x4)
      mstore(_calldataWithSelector, len)
    }

    return abi.decode(_calldataWithSelector, (bytes32[]));
  }
}

File 30 of 35 : PauseManager.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity >=0.8.19 <=0.8.22;

import { Initializable } from "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol";
import { AccessControlUpgradeable } from "@openzeppelin/contracts-upgradeable/access/AccessControlUpgradeable.sol";
import { IPauseManager } from "../../interfaces/IPauseManager.sol";

/**
 * @title Contract to manage cross-chain function pausing.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
abstract contract PauseManager is Initializable, IPauseManager, AccessControlUpgradeable {
  bytes32 public constant PAUSE_MANAGER_ROLE = keccak256("PAUSE_MANAGER_ROLE");

  uint8 public constant GENERAL_PAUSE_TYPE = 1;
  uint8 public constant L1_L2_PAUSE_TYPE = 2;
  uint8 public constant L2_L1_PAUSE_TYPE = 3;
  uint8 public constant PROVING_SYSTEM_PAUSE_TYPE = 4;

  // @dev DEPRECATED. USE _pauseTypeStatusesBitMap INSTEAD
  mapping(bytes32 pauseType => bool pauseStatus) public pauseTypeStatuses;

  uint256 private _pauseTypeStatusesBitMap;
  uint256[9] private __gap;

  /**
   * @dev Modifier to make a function callable only when the specific and general types are not paused.
   * @param _pauseType The pause type value being checked.
   * Requirements:
   *
   * - The type must not be paused.
   */
  modifier whenTypeAndGeneralNotPaused(uint8 _pauseType) {
    _requireTypeAndGeneralNotPaused(_pauseType);
    _;
  }

  /**
   * @dev Modifier to make a function callable only when the type is not paused.
   * @param _pauseType The pause type value being checked.
   * Requirements:
   *
   * - The type must not be paused.
   */
  modifier whenTypeNotPaused(uint8 _pauseType) {
    _requireTypeNotPaused(_pauseType);
    _;
  }

  /**
   * @dev Throws if the specific or general types are paused.
   * @dev Checks the specific and general pause types.
   * @param _pauseType The pause type value being checked.
   */
  function _requireTypeAndGeneralNotPaused(uint8 _pauseType) internal view virtual {
    uint256 pauseBitMap = _pauseTypeStatusesBitMap;

    if (pauseBitMap & (1 << uint256(_pauseType)) != 0) {
      revert IsPaused(_pauseType);
    }

    if (pauseBitMap & (1 << uint256(GENERAL_PAUSE_TYPE)) != 0) {
      revert IsPaused(GENERAL_PAUSE_TYPE);
    }
  }

  /**
   * @dev Throws if the type is paused.
   * @dev Checks the specific pause type.
   * @param _pauseType The pause type value being checked.
   */
  function _requireTypeNotPaused(uint8 _pauseType) internal view virtual {
    if (isPaused(_pauseType)) {
      revert IsPaused(_pauseType);
    }
  }

  /**
   * @notice Pauses functionality by specific type.
   * @dev Requires PAUSE_MANAGER_ROLE.
   * @param _pauseType The pause type value.
   */
  function pauseByType(uint8 _pauseType) external onlyRole(PAUSE_MANAGER_ROLE) {
    if (isPaused(_pauseType)) {
      revert IsPaused(_pauseType);
    }

    _pauseTypeStatusesBitMap |= 1 << uint256(_pauseType);
    emit Paused(_msgSender(), _pauseType);
  }

  /**
   * @notice Unpauses functionality by specific type.
   * @dev Requires PAUSE_MANAGER_ROLE.
   * @param _pauseType The pause type value.
   */
  function unPauseByType(uint8 _pauseType) external onlyRole(PAUSE_MANAGER_ROLE) {
    if (!isPaused(_pauseType)) {
      revert IsNotPaused(_pauseType);
    }

    _pauseTypeStatusesBitMap &= ~(1 << uint256(_pauseType));
    emit UnPaused(_msgSender(), _pauseType);
  }

  /**
   * @notice Check if a pause type is enabled.
   * @param _pauseType The pause type value.
   * @return boolean True if the pause type if enabled, false otherwise.
   */
  function isPaused(uint8 _pauseType) public view returns (bool) {
    return (_pauseTypeStatusesBitMap & (1 << uint256(_pauseType))) != 0;
  }
}

File 31 of 35 : RateLimiter.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity >=0.8.19 <=0.8.22;

import { Initializable } from "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol";
import { AccessControlUpgradeable } from "@openzeppelin/contracts-upgradeable/access/AccessControlUpgradeable.sol";
import { IRateLimiter } from "../../interfaces/IRateLimiter.sol";

/**
 * @title Rate Limiter by period and amount using the block timestamp.
 * @author ConsenSys Software Inc.
 * @notice You can use this control numeric limits over a period using timestamp.
 * @custom:security-contact [email protected]
 */
contract RateLimiter is Initializable, IRateLimiter, AccessControlUpgradeable {
  bytes32 public constant RATE_LIMIT_SETTER_ROLE = keccak256("RATE_LIMIT_SETTER_ROLE");

  uint256 public periodInSeconds; // how much time before limit resets.
  uint256 public limitInWei; // max ether to withdraw per period.

  // @dev Public for ease of consumption.
  // @notice The time at which the current period ends at.
  uint256 public currentPeriodEnd;

  // @dev Public for ease of consumption.
  // @notice Amounts already withdrawn this period.
  uint256 public currentPeriodAmountInWei;

  uint256[10] private __gap;

  /**
   * @notice Initialises the limits and period for the rate limiter.
   * @param _periodInSeconds The length of the period in seconds.
   * @param _limitInWei The limit allowed in the period in Wei.
   */
  function __RateLimiter_init(uint256 _periodInSeconds, uint256 _limitInWei) internal onlyInitializing {
    if (_periodInSeconds == 0) {
      revert PeriodIsZero();
    }

    if (_limitInWei == 0) {
      revert LimitIsZero();
    }

    periodInSeconds = _periodInSeconds;
    limitInWei = _limitInWei;
    currentPeriodEnd = block.timestamp + _periodInSeconds;

    emit RateLimitInitialized(periodInSeconds, limitInWei, currentPeriodEnd);
  }

  /**
   * @notice Increments the amount used in the period.
   * @dev The amount determining logic is external to this (e.g. fees are included when calling here).
   * @dev Reverts if the limit is breached.
   * @param _usedAmount The amount used to be added.
   */
  function _addUsedAmount(uint256 _usedAmount) internal {
    uint256 currentPeriodAmountTemp;

    if (currentPeriodEnd < block.timestamp) {
      currentPeriodEnd = block.timestamp + periodInSeconds;
      currentPeriodAmountTemp = _usedAmount;
    } else {
      currentPeriodAmountTemp = currentPeriodAmountInWei + _usedAmount;
    }

    if (currentPeriodAmountTemp > limitInWei) {
      revert RateLimitExceeded();
    }

    currentPeriodAmountInWei = currentPeriodAmountTemp;
  }

  /**
   * @notice Resets the rate limit amount.
   * @dev If the used amount is higher, it is set to the limit to avoid confusion/issues.
   * @dev Only the RATE_LIMIT_SETTER_ROLE is allowed to execute this function.
   * @dev Emits the LimitAmountChanged event.
   * @dev usedLimitAmountToSet will use the default value of zero if period has expired
   * @param _amount The amount to reset the limit to.
   */
  function resetRateLimitAmount(uint256 _amount) external onlyRole(RATE_LIMIT_SETTER_ROLE) {
    uint256 usedLimitAmountToSet;
    bool amountUsedLoweredToLimit;
    bool usedAmountResetToZero;

    if (currentPeriodEnd < block.timestamp) {
      currentPeriodEnd = block.timestamp + periodInSeconds;
      usedAmountResetToZero = true;
    } else {
      if (_amount < currentPeriodAmountInWei) {
        usedLimitAmountToSet = _amount;
        amountUsedLoweredToLimit = true;
      }
    }

    limitInWei = _amount;

    if (usedAmountResetToZero || amountUsedLoweredToLimit) {
      currentPeriodAmountInWei = usedLimitAmountToSet;
    }

    emit LimitAmountChanged(_msgSender(), _amount, amountUsedLoweredToLimit, usedAmountResetToZero);
  }

  /**
   * @notice Resets the amount used to zero.
   * @dev Only the RATE_LIMIT_SETTER_ROLE is allowed to execute this function.
   * @dev Emits the AmountUsedInPeriodReset event.
   */
  function resetAmountUsedInPeriod() external onlyRole(RATE_LIMIT_SETTER_ROLE) {
    currentPeriodAmountInWei = 0;

    emit AmountUsedInPeriodReset(_msgSender());
  }
}

File 32 of 35 : Rlp.sol
// SPDX-License-Identifier: Apache-2.0

/**
 * @author Hamdi Allam [email protected]
 * @notice Please reach out with any questions or concerns.
 * @custom:security-contact [email protected]
 */
pragma solidity 0.8.22;

error NotList();
error WrongBytesLength();
error NoNext();
error MemoryOutOfBounds(uint256 inde);

library RLPReader {
  uint8 internal constant STRING_SHORT_START = 0x80;
  uint8 internal constant STRING_LONG_START = 0xb8;
  uint8 internal constant LIST_SHORT_START = 0xc0;
  uint8 internal constant LIST_LONG_START = 0xf8;
  uint8 internal constant LIST_SHORT_START_MAX = 0xf7;
  uint8 internal constant WORD_SIZE = 32;

  struct RLPItem {
    uint256 len;
    uint256 memPtr;
  }

  struct Iterator {
    RLPItem item; // Item that's being iterated over.
    uint256 nextPtr; // Position of the next item in the list.
  }

  /**
   * @dev Returns the next element in the iteration. Reverts if it has no next element.
   * @param _self The iterator.
   * @return nextItem The next element in the iteration.
   */
  function _next(Iterator memory _self) internal pure returns (RLPItem memory nextItem) {
    if (!_hasNext(_self)) {
      revert NoNext();
    }

    uint256 ptr = _self.nextPtr;
    uint256 itemLength = _itemLength(ptr);
    _self.nextPtr = ptr + itemLength;

    nextItem.len = itemLength;
    nextItem.memPtr = ptr;
  }

  /**
   * @dev Returns the number 'skiptoNum' element in the iteration.
   * @param _self The iterator.
   * @param _skipToNum Element position in the RLP item iterator to return.
   * @return item The number 'skipToNum' element in the iteration.
   */
  function _skipTo(Iterator memory _self, uint256 _skipToNum) internal pure returns (RLPItem memory item) {
    uint256 lenX;
    uint256 memPtrStart = _self.item.memPtr;
    uint256 endPtr;
    uint256 byte0;
    uint256 byteLen;

    assembly {
      // get first byte to know if it is a short/long list
      byte0 := byte(0, mload(memPtrStart))

      // yul has no if/else so if it a short list ( < long list start )
      switch lt(byte0, LIST_LONG_START)
      case 1 {
        // the length is just the difference in bytes
        lenX := sub(byte0, 0xc0)
      }
      case 0 {
        // at this point we care only about lists, so this is the default
        // get how many next bytes indicate the list length
        byteLen := sub(byte0, 0xf7)

        // move one over to the list length start
        memPtrStart := add(memPtrStart, 1)

        // shift over grabbing the bytelen elements
        lenX := div(mload(memPtrStart), exp(256, sub(32, byteLen)))
      }

      // get the end
      endPtr := add(memPtrStart, lenX)
    }

    uint256 ptr = _self.nextPtr;
    uint256 itemLength = _itemLength(ptr);
    _self.nextPtr = ptr + itemLength;

    for (uint256 i; i < _skipToNum - 1; ) {
      ptr = _self.nextPtr;
      if (ptr > endPtr) revert MemoryOutOfBounds(endPtr);
      itemLength = _itemLength(ptr);
      _self.nextPtr = ptr + itemLength;

      unchecked {
        i++;
      }
    }

    item.len = itemLength;
    item.memPtr = ptr;
  }

  /**
   * @dev Returns true if the iteration has more elements.
   * @param _self The iterator.
   * @return True if the iteration has more elements.
   */
  function _hasNext(Iterator memory _self) internal pure returns (bool) {
    RLPItem memory item = _self.item;
    return _self.nextPtr < item.memPtr + item.len;
  }

  /**
   * @param item RLP encoded bytes.
   * @return newItem The RLP item.
   */
  function _toRlpItem(bytes memory item) internal pure returns (RLPItem memory newItem) {
    uint256 memPtr;

    assembly {
      memPtr := add(item, 0x20)
    }

    newItem.len = item.length;
    newItem.memPtr = memPtr;
  }

  /**
   * @dev Creates an iterator. Reverts if item is not a list.
   * @param _self The RLP item.
   * @return iterator 'Iterator' over the item.
   */
  function _iterator(RLPItem memory _self) internal pure returns (Iterator memory iterator) {
    if (!_isList(_self)) {
      revert NotList();
    }

    uint256 ptr = _self.memPtr + _payloadOffset(_self.memPtr);
    iterator.item = _self;
    iterator.nextPtr = ptr;
  }

  /**
   * @param _item The RLP item.
   * @return (memPtr, len) Tuple: Location of the item's payload in memory.
   */
  function _payloadLocation(RLPItem memory _item) internal pure returns (uint256, uint256) {
    uint256 offset = _payloadOffset(_item.memPtr);
    uint256 memPtr = _item.memPtr + offset;
    uint256 len = _item.len - offset; // data length
    return (memPtr, len);
  }

  /**
   * @param _item The RLP item.
   * @return Indicator whether encoded payload is a list.
   */
  function _isList(RLPItem memory _item) internal pure returns (bool) {
    if (_item.len == 0) return false;

    uint8 byte0;
    uint256 memPtr = _item.memPtr;
    assembly {
      byte0 := byte(0, mload(memPtr))
    }

    if (byte0 < LIST_SHORT_START) return false;
    return true;
  }

  /**
   * @param _item The RLP item.
   * @return result Returns the item as an address.
   */
  function _toAddress(RLPItem memory _item) internal pure returns (address) {
    // 1 byte for the length prefix
    if (_item.len != 21) {
      revert WrongBytesLength();
    }

    return address(uint160(_toUint(_item)));
  }

  /**
   * @param _item The RLP item.
   * @return result Returns the item as a uint256.
   */
  function _toUint(RLPItem memory _item) internal pure returns (uint256 result) {
    if (_item.len == 0 || _item.len > 33) {
      revert WrongBytesLength();
    }

    (uint256 memPtr, uint256 len) = _payloadLocation(_item);

    assembly {
      result := mload(memPtr)

      // Shfit to the correct location if neccesary.
      if lt(len, 32) {
        result := div(result, exp(256, sub(32, len)))
      }
    }
  }

  /**
   * @param _item The RLP item.
   * @return result Returns the item as bytes.
   */
  function _toBytes(RLPItem memory _item) internal pure returns (bytes memory result) {
    if (_item.len == 0) {
      revert WrongBytesLength();
    }

    (uint256 memPtr, uint256 len) = _payloadLocation(_item);
    result = new bytes(len);

    uint256 destPtr;
    assembly {
      destPtr := add(0x20, result)
    }

    _copy(memPtr, destPtr, len);
  }

  /**
   * Private Helpers
   */

  /**
   * @param _memPtr Item memory pointer.
   * @return Entire RLP item byte length.
   */
  function _itemLength(uint256 _memPtr) private pure returns (uint256) {
    uint256 itemLen;
    uint256 dataLen;
    uint256 byte0;
    assembly {
      byte0 := byte(0, mload(_memPtr))
    }

    if (byte0 < STRING_SHORT_START) itemLen = 1;
    else if (byte0 < STRING_LONG_START) itemLen = byte0 - STRING_SHORT_START + 1;
    else if (byte0 < LIST_SHORT_START) {
      assembly {
        let byteLen := sub(byte0, 0xb7) // # Of bytes the actual length is.
        _memPtr := add(_memPtr, 1) // Skip over the first byte.

        /* 32 byte word size */
        dataLen := div(mload(_memPtr), exp(256, sub(32, byteLen))) // Right shifting to get the len.
        itemLen := add(dataLen, add(byteLen, 1))
      }
    } else if (byte0 < LIST_LONG_START) {
      itemLen = byte0 - LIST_SHORT_START + 1;
    } else {
      assembly {
        let byteLen := sub(byte0, 0xf7)
        _memPtr := add(_memPtr, 1)

        dataLen := div(mload(_memPtr), exp(256, sub(32, byteLen))) // Right shifting to the correct length.
        itemLen := add(dataLen, add(byteLen, 1))
      }
    }

    return itemLen;
  }

  /**
   * @param _memPtr Item memory pointer.
   * @return Number of bytes until the data.
   */
  function _payloadOffset(uint256 _memPtr) private pure returns (uint256) {
    uint256 byte0;
    assembly {
      byte0 := byte(0, mload(_memPtr))
    }

    if (byte0 < STRING_SHORT_START) return 0;
    else if (byte0 < STRING_LONG_START || (byte0 >= LIST_SHORT_START && byte0 < LIST_LONG_START)) return 1;
    else if (byte0 < LIST_SHORT_START)
      // being explicit
      return byte0 - (STRING_LONG_START - 1) + 1;
    else return byte0 - (LIST_LONG_START - 1) + 1;
  }

  /**
   * @param _src Pointer to source.
   * @param _dest Pointer to destination.
   * @param _len Amount of memory to copy from the source.
   */
  function _copy(uint256 _src, uint256 _dest, uint256 _len) private pure {
    if (_len == 0) return;

    // copy as many word sizes as possible
    for (; _len >= WORD_SIZE; _len -= WORD_SIZE) {
      assembly {
        mstore(_dest, mload(_src))
      }

      _src += WORD_SIZE;
      _dest += WORD_SIZE;
    }

    if (_len > 0) {
      // Left over bytes. Mask is used to remove unwanted bytes from the word.
      uint256 mask = 256 ** (WORD_SIZE - _len) - 1;
      assembly {
        let srcpart := and(mload(_src), not(mask)) // Zero out src.
        let destpart := and(mload(_dest), mask) // Retrieve the bytes.
        mstore(_dest, or(destpart, srcpart))
      }
    }
  }
}

File 33 of 35 : SparseMerkleTreeVerifier.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.22;

/**
 * @title Library to verify sparse merkle proofs and to get the leaf hash value
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
library SparseMerkleTreeVerifier {
  /**
   * @notice Verify merkle proof
   * @param _leafHash Leaf hash.
   * @param _proof Sparse merkle tree proof.
   * @param _leafIndex Index of the leaf.
   * @param _root Merkle root.
   */
  function _verifyMerkleProof(
    bytes32 _leafHash,
    bytes32[] calldata _proof,
    uint32 _leafIndex,
    bytes32 _root
  ) internal pure returns (bool) {
    bytes32 node = _leafHash;

    for (uint256 height; height < _proof.length; ++height) {
      if (((_leafIndex >> height) & 1) == 1) {
        node = _efficientKeccak(_proof[height], node);
      } else {
        node = _efficientKeccak(node, _proof[height]);
      }
    }
    return node == _root;
  }

  /**
   * @notice Performs a gas optimized keccak hash
   * @param _left Left value.
   * @param _right Right value.
   */
  function _efficientKeccak(bytes32 _left, bytes32 _right) internal pure returns (bytes32 value) {
    assembly {
      mstore(0x00, _left)
      mstore(0x20, _right)
      value := keccak256(0x00, 0x40)
    }
  }
}

File 34 of 35 : TransactionDecoder.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity >=0.8.19 <=0.8.22;

import { RLPReader } from "./Rlp.sol";

using RLPReader for RLPReader.RLPItem;
using RLPReader for RLPReader.Iterator;
using RLPReader for bytes;

/**
 * dev Thrown when the transaction data length is too short.
 */
error TransactionShort();

/**
 * dev Thrown when the transaction type is unknown.
 */
error UnknownTransactionType(bytes1 versionByte);

/**
 * @title Contract to decode RLP formatted transactions.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
library TransactionDecoder {
  /**
   * @notice Decodes the transaction extracting the calldata.
   * @param _transaction The RLP transaction.
   * @return data Returns the transaction calldata as bytes.
   */
  function decodeTransaction(bytes calldata _transaction) internal pure returns (bytes memory) {
    if (_transaction.length < 1) {
      revert TransactionShort();
    }

    bytes1 version = _transaction[0];

    if (version == 0x01) {
      return _decodeEIP2930Transaction(_transaction);
    }

    if (version == 0x02) {
      return _decodeEIP1559Transaction(_transaction);
    }

    if (version >= 0xc0) {
      return _decodeLegacyTransaction(_transaction);
    }

    revert UnknownTransactionType(version);
  }

  /**
   * @notice Decodes the EIP1559 transaction extracting the calldata.
   * @param _transaction The RLP transaction.
   * @return data Returns the transaction calldata as bytes.
   */
  function _decodeEIP1559Transaction(bytes calldata _transaction) private pure returns (bytes memory data) {
    bytes memory txData = _transaction[1:]; // skip the version byte

    RLPReader.RLPItem memory rlp = txData._toRlpItem();
    RLPReader.Iterator memory it = rlp._iterator();

    data = it._skipTo(8)._toBytes();
  }

  /**
   * @notice Decodes the EIP2930 transaction extracting the calldata.
   * @param _transaction The RLP transaction.
   * @return data Returns the transaction calldata as bytes.
   */
  function _decodeEIP2930Transaction(bytes calldata _transaction) private pure returns (bytes memory data) {
    bytes memory txData = _transaction[1:]; // skip the version byte

    RLPReader.RLPItem memory rlp = txData._toRlpItem();
    RLPReader.Iterator memory it = rlp._iterator();

    data = it._skipTo(7)._toBytes();
  }

  /**
   * @notice Decodes the legacy transaction extracting the calldata.
   * @param _transaction The RLP transaction.
   * @return data Returns the transaction calldata as bytes.
   */
  function _decodeLegacyTransaction(bytes calldata _transaction) private pure returns (bytes memory data) {
    bytes memory txData = _transaction;

    RLPReader.RLPItem memory rlp = txData._toRlpItem();
    RLPReader.Iterator memory it = rlp._iterator();

    data = it._skipTo(6)._toBytes();
  }
}

File 35 of 35 : ZkEvmV2.sol
// SPDX-License-Identifier: AGPL-3.0
pragma solidity 0.8.22;

import { Initializable } from "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol";
import { AccessControlUpgradeable } from "@openzeppelin/contracts-upgradeable/access/AccessControlUpgradeable.sol";
import { L1MessageServiceV1 } from "./messageService/l1/v1/L1MessageServiceV1.sol";
import { IZkEvmV2 } from "./interfaces/l1/IZkEvmV2.sol";
import { TransactionDecoder } from "./messageService/lib/TransactionDecoder.sol";
import { CodecV2 } from "./messageService/lib/Codec.sol";
import { IPlonkVerifier } from "./interfaces/l1/IPlonkVerifier.sol";

/**
 * @title Contract to manage cross-chain messaging on L1 and rollup proving.
 * @author ConsenSys Software Inc.
 * @custom:security-contact [email protected]
 */
abstract contract ZkEvmV2 is Initializable, AccessControlUpgradeable, L1MessageServiceV1, IZkEvmV2 {
  using TransactionDecoder for *;
  using CodecV2 for *;

  uint256 internal constant MODULO_R = 21888242871839275222246405745257275088548364400416034343698204186575808495617;
  bytes32 public constant OPERATOR_ROLE = keccak256("OPERATOR_ROLE");

  uint256 public currentTimestamp;
  uint256 public currentL2BlockNumber;

  mapping(uint256 blockNumber => bytes32 stateRootHash) public stateRootHashes;
  mapping(uint256 proofType => address verifierAddress) public verifiers;

  uint256[50] private __gap;

  /**
   * @notice Finalizes blocks without using a proof.
   * @dev DEFAULT_ADMIN_ROLE is required to execute.
   * @dev _blocksData[0].fromAddresses is a temporary workaround to pass bytes calldata.
   * @param _blocksData The full BlockData collection - block, transaction and log data.
   */
  function finalizeBlocksWithoutProof(
    BlockData[] calldata _blocksData
  ) external whenTypeNotPaused(GENERAL_PAUSE_TYPE) onlyRole(DEFAULT_ADMIN_ROLE) {
    _finalizeBlocks(_blocksData, _blocksData[0].fromAddresses, 0, bytes32(0), false);
  }

  /**
   * @notice Finalizes blocks using a proof.
   * @dev OPERATOR_ROLE is required to execute.
   * @dev If the verifier based on proof type is not found, it reverts.
   * @param _blocksData The full BlockData collection - block, transaction and log data.
   * @param _proof The proof to be verified with the proof type verifier contract.
   * @param _proofType The proof type to determine which verifier contract to use.
   * @param _parentStateRootHash The starting roothash for the last known block.
   */
  function finalizeBlocks(
    BlockData[] calldata _blocksData,
    bytes calldata _proof,
    uint256 _proofType,
    bytes32 _parentStateRootHash
  ) external whenTypeAndGeneralNotPaused(PROVING_SYSTEM_PAUSE_TYPE) onlyRole(OPERATOR_ROLE) {
    if (stateRootHashes[currentL2BlockNumber] != _parentStateRootHash) {
      revert StartingRootHashDoesNotMatch();
    }

    _finalizeBlocks(_blocksData, _proof, _proofType, _parentStateRootHash, true);
  }

  /**
   * @notice Finalizes blocks with or without using a proof depending on _withProof.
   * @dev OPERATOR_ROLE is required to execute.
   * @dev If the verifier based on proof type is not found, it reverts.
   * @param _blocksData The full BlockData collection - block, transaction and log data.
   * @param _proof The proof to be verified with the proof type verifier contract.
   * @param _proofType The proof type to determine which verifier contract to use.
   * @param _parentStateRootHash The starting roothash for the last known block.
   */
  function _finalizeBlocks(
    BlockData[] calldata _blocksData,
    bytes calldata _proof,
    uint256 _proofType,
    bytes32 _parentStateRootHash,
    bool _withProof
  ) private {
    if (_blocksData.length == 0) {
      revert EmptyBlockDataArray();
    }

    uint256 currentBlockNumberTemp = currentL2BlockNumber;

    uint256 firstBlockNumber;
    unchecked {
      firstBlockNumber = currentBlockNumberTemp + 1;
    }

    uint256[] memory timestamps = new uint256[](_blocksData.length);
    bytes32[] memory blockHashes = new bytes32[](_blocksData.length);
    bytes32[] memory rootHashes;

    unchecked {
      rootHashes = new bytes32[](_blocksData.length + 1);
    }

    rootHashes[0] = _parentStateRootHash;

    bytes32 hashOfTxHashes;
    bytes32 hashOfMessageHashes;

    for (uint256 i; i < _blocksData.length; ++i) {
      BlockData calldata blockInfo = _blocksData[i];

      if (blockInfo.l2BlockTimestamp >= block.timestamp) {
        revert BlockTimestampError(blockInfo.l2BlockTimestamp, block.timestamp);
      }

      hashOfTxHashes = _processBlockTransactions(blockInfo.transactions, blockInfo.batchReceptionIndices);
      hashOfMessageHashes = _processMessageHashes(blockInfo.l2ToL1MsgHashes);
      unchecked {
        ++currentBlockNumberTemp;
      }
      blockHashes[i] = keccak256(
        abi.encodePacked(
          hashOfTxHashes,
          hashOfMessageHashes,
          keccak256(abi.encodePacked(blockInfo.batchReceptionIndices)),
          keccak256(blockInfo.fromAddresses)
        )
      );

      timestamps[i] = blockInfo.l2BlockTimestamp;
      unchecked {
        rootHashes[i + 1] = blockInfo.blockRootHash;
      }
      emit BlockFinalized(currentBlockNumberTemp, blockInfo.blockRootHash, _withProof);
    }

    unchecked {
      uint256 arrayIndex = _blocksData.length - 1;
      stateRootHashes[currentBlockNumberTemp] = _blocksData[arrayIndex].blockRootHash;
      currentTimestamp = _blocksData[arrayIndex].l2BlockTimestamp;
      currentL2BlockNumber = currentBlockNumberTemp;
    }

    if (_withProof) {
      uint256 publicInput = uint256(
        keccak256(
          abi.encode(
            keccak256(abi.encodePacked(blockHashes)),
            firstBlockNumber,
            keccak256(abi.encodePacked(timestamps)),
            keccak256(abi.encodePacked(rootHashes))
          )
        )
      );

      assembly {
        publicInput := mod(publicInput, MODULO_R)
      }

      _verifyProof(publicInput, _proofType, _proof, _parentStateRootHash);
    }
  }

  /**
   * @notice Hashes all transactions individually and then hashes the packed hash array.
   * @dev Updates the outbox status on L1 as received.
   * @param _transactions The transactions in a particular block.
   * @param _batchReceptionIndices The indexes where the transaction type is the L1->L2 anchoring message hashes transaction.
   */
  function _processBlockTransactions(
    bytes[] calldata _transactions,
    uint16[] calldata _batchReceptionIndices
  ) internal returns (bytes32 hashOfTxHashes) {
    bytes32[] memory transactionHashes = new bytes32[](_transactions.length);

    if (_transactions.length == 0) {
      revert EmptyBlock();
    }

    for (uint256 i; i < _batchReceptionIndices.length; ++i) {
      _updateL1L2MessageStatusToReceived(
        TransactionDecoder.decodeTransaction(_transactions[_batchReceptionIndices[i]])._extractXDomainAddHashes()
      );
    }

    for (uint256 i; i < _transactions.length; ++i) {
      transactionHashes[i] = keccak256(_transactions[i]);
    }
    hashOfTxHashes = keccak256(abi.encodePacked(transactionHashes));
  }

  /**
   * @notice Anchors message hashes and hashes the packed hash array.
   * @dev Also adds L2->L1 sent message hashes for later claiming.
   * @param _messageHashes The hashes in the message sent event logs.
   */
  function _processMessageHashes(bytes32[] calldata _messageHashes) internal returns (bytes32 hashOfLogHashes) {
    for (uint256 i; i < _messageHashes.length; ++i) {
      _addL2L1MessageHash(_messageHashes[i]);
    }
    hashOfLogHashes = keccak256(abi.encodePacked(_messageHashes));
  }

  /**
   * @notice Verifies the proof with locally computed public inputs.
   * @dev If the verifier based on proof type is not found, it reverts with InvalidProofType.
   * @param _publicInputHash The full BlockData collection - block, transaction and log data.
   * @param _proofType The proof type to determine which verifier contract to use.
   * @param _proof The proof to be verified with the proof type verifier contract.
   * @param _parentStateRootHash The beginning roothash to start with.
   */
  function _verifyProof(
    uint256 _publicInputHash,
    uint256 _proofType,
    bytes calldata _proof,
    bytes32 _parentStateRootHash
  ) internal {
    uint256[] memory input = new uint256[](1);
    input[0] = _publicInputHash;

    address verifierToUse = verifiers[_proofType];

    if (verifierToUse == address(0)) {
      revert InvalidProofType();
    }

    bool success = IPlonkVerifier(verifierToUse).Verify(_proof, input);
    if (!success) {
      revert InvalidProof();
    }

    emit BlocksVerificationDone(currentL2BlockNumber, _parentStateRootHash, stateRootHashes[currentL2BlockNumber]);
  }
}

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

Contract Security Audit

Contract ABI

[{"inputs":[],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[{"internalType":"uint256","name":"l2BlockTimestamp","type":"uint256"},{"internalType":"uint256","name":"currentBlockTimestamp","type":"uint256"}],"name":"BlockTimestampError","type":"error"},{"inputs":[],"name":"BytesLengthNotMultipleOf32","type":"error"},{"inputs":[{"internalType":"uint256","name":"bytesLength","type":"uint256"}],"name":"BytesLengthNotMultipleOfTwo","type":"error"},{"inputs":[{"internalType":"bytes32","name":"currentDataHash","type":"bytes32"}],"name":"DataAlreadySubmitted","type":"error"},{"inputs":[{"internalType":"uint256","name":"expected","type":"uint256"},{"internalType":"uint256","name":"actual","type":"uint256"}],"name":"DataEndingBlockDoesNotMatch","type":"error"},{"inputs":[{"internalType":"bytes32","name":"expected","type":"bytes32"},{"internalType":"bytes32","name":"value","type":"bytes32"}],"name":"DataHashesNotInSequence","type":"error"},{"inputs":[],"name":"DataParentHasEmptyShnarf","type":"error"},{"inputs":[{"internalType":"uint256","name":"expected","type":"uint256"},{"internalType":"uint256","name":"actual","type":"uint256"}],"name":"DataStartingBlockDoesNotMatch","type":"error"},{"inputs":[],"name":"EmptyBlock","type":"error"},{"inputs":[],"name":"EmptyBlockDataArray","type":"error"},{"inputs":[],"name":"EmptySubmissionData","type":"error"},{"inputs":[{"internalType":"address","name":"recipient","type":"address"}],"name":"FeePaymentFailed","type":"error"},{"inputs":[],"name":"FeeTooLow","type":"error"},{"inputs":[{"internalType":"uint256","name":"expected","type":"uint256"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"FinalBlockNumberInvalid","type":"error"},{"inputs":[{"internalType":"uint256","name":"finalBlockNumber","type":"uint256"},{"internalType":"uint256","name":"lastFinalizedBlock","type":"uint256"}],"name":"FinalBlockNumberLessThanOrEqualToLastFinalizedBlock","type":"error"},{"inputs":[],"name":"FinalBlockStateEqualsZeroHash","type":"error"},{"inputs":[{"internalType":"bytes32","name":"firstHash","type":"bytes32"},{"internalType":"bytes32","name":"secondHash","type":"bytes32"}],"name":"FinalStateRootHashDoesNotMatch","type":"error"},{"inputs":[],"name":"FinalizationDataMissing","type":"error"},{"inputs":[{"internalType":"uint256","name":"l2BlockTimestamp","type":"uint256"},{"internalType":"uint256","name":"currentBlockTimestamp","type":"uint256"}],"name":"FinalizationInTheFuture","type":"error"},{"inputs":[{"internalType":"uint256","name":"firstBlockNumber","type":"uint256"},{"internalType":"uint256","name":"finalBlockNumber","type":"uint256"}],"name":"FirstBlockGreaterThanFinalBlock","type":"error"},{"inputs":[{"internalType":"uint256","name":"firstBlockNumber","type":"uint256"},{"internalType":"uint256","name":"lastFinalizedBlock","type":"uint256"}],"name":"FirstBlockLessThanOrEqualToLastFinalizedBlock","type":"error"},{"inputs":[],"name":"FirstByteIsNotZero","type":"error"},{"inputs":[],"name":"InvalidMerkleProof","type":"error"},{"inputs":[],"name":"InvalidProof","type":"error"},{"inputs":[],"name":"InvalidProofType","type":"error"},{"inputs":[{"internalType":"uint256","name":"pauseType","type":"uint256"}],"name":"IsNotPaused","type":"error"},{"inputs":[{"internalType":"uint256","name":"pauseType","type":"uint256"}],"name":"IsPaused","type":"error"},{"inputs":[{"internalType":"bytes32","name":"messageHash","type":"bytes32"}],"name":"L1L2MessageNotSent","type":"error"},{"inputs":[{"internalType":"uint256","name":"messageNumber","type":"uint256"},{"internalType":"bytes32","name":"rollingHash","type":"bytes32"}],"name":"L1RollingHashDoesNotExistOnL1","type":"error"},{"inputs":[{"internalType":"bytes32","name":"merkleRoot","type":"bytes32"}],"name":"L2MerkleRootAlreadyAnchored","type":"error"},{"inputs":[],"name":"L2MerkleRootDoesNotExist","type":"error"},{"inputs":[],"name":"LimitIsZero","type":"error"},{"inputs":[{"internalType":"uint256","name":"inde","type":"uint256"}],"name":"MemoryOutOfBounds","type":"error"},{"inputs":[{"internalType":"uint256","name":"messageIndex","type":"uint256"}],"name":"MessageAlreadyClaimed","type":"error"},{"inputs":[{"internalType":"bytes32","name":"messageHash","type":"bytes32"}],"name":"MessageAlreadyReceived","type":"error"},{"inputs":[{"internalType":"bytes32","name":"messageHash","type":"bytes32"}],"name":"MessageDoesNotExistOrHasAlreadyBeenClaimed","type":"error"},{"inputs":[{"internalType":"address","name":"destination","type":"address"}],"name":"MessageSendingFailed","type":"error"},{"inputs":[{"internalType":"bytes32","name":"rollingHash","type":"bytes32"}],"name":"MissingMessageNumberForRollingHash","type":"error"},{"inputs":[{"internalType":"uint256","name":"messageNumber","type":"uint256"}],"name":"MissingRollingHashForMessageNumber","type":"error"},{"inputs":[],"name":"NotList","type":"error"},{"inputs":[{"internalType":"bytes32","name":"firstHash","type":"bytes32"},{"internalType":"bytes32","name":"secondHash","type":"bytes32"}],"name":"ParentHashesDoesNotMatch","type":"error"},{"inputs":[],"name":"PeriodIsZero","type":"error"},{"inputs":[],"name":"ProofIsEmpty","type":"error"},{"inputs":[{"internalType":"uint256","name":"actual","type":"uint256"},{"internalType":"uint256","name":"expected","type":"uint256"}],"name":"ProofLengthDifferentThanMerkleDepth","type":"error"},{"inputs":[],"name":"RateLimitExceeded","type":"error"},{"inputs":[],"name":"StartingRootHashDoesNotMatch","type":"error"},{"inputs":[{"internalType":"bytes32","name":"expected","type":"bytes32"},{"internalType":"bytes32","name":"actual","type":"bytes32"}],"name":"StateRootHashInvalid","type":"error"},{"inputs":[],"name":"SystemMigrationBlockZero","type":"error"},{"inputs":[{"internalType":"uint256","name":"expected","type":"uint256"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"TimestampsNotInSequence","type":"error"},{"inputs":[],"name":"TransactionShort","type":"error"},{"inputs":[{"internalType":"bytes1","name":"versionByte","type":"bytes1"}],"name":"UnknownTransactionType","type":"error"},{"inputs":[],"name":"ValueSentTooLow","type":"error"},{"inputs":[],"name":"WrongBytesLength","type":"error"},{"inputs":[],"name":"ZeroAddressNotAllowed","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"resettingAddress","type":"address"}],"name":"AmountUsedInPeriodReset","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"blockNumber","type":"uint256"},{"indexed":true,"internalType":"bytes32","name":"stateRootHash","type":"bytes32"},{"indexed":true,"internalType":"bool","name":"finalizedWithProof","type":"bool"}],"name":"BlockFinalized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"lastBlockFinalized","type":"uint256"},{"indexed":false,"internalType":"bytes32","name":"startingRootHash","type":"bytes32"},{"indexed":false,"internalType":"bytes32","name":"finalRootHash","type":"bytes32"}],"name":"BlocksVerificationDone","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"lastBlockFinalized","type":"uint256"},{"indexed":true,"internalType":"bytes32","name":"startingRootHash","type":"bytes32"},{"indexed":true,"internalType":"bytes32","name":"finalRootHash","type":"bytes32"},{"indexed":false,"internalType":"bool","name":"withProof","type":"bool"}],"name":"DataFinalized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"dataHash","type":"bytes32"},{"indexed":true,"internalType":"uint256","name":"startBlock","type":"uint256"},{"indexed":true,"internalType":"uint256","name":"endBlock","type":"uint256"}],"name":"DataSubmitted","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint8","name":"version","type":"uint8"}],"name":"Initialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"bytes32[]","name":"messageHashes","type":"bytes32[]"}],"name":"L1L2MessagesReceivedOnL2","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"messageHash","type":"bytes32"}],"name":"L2L1MessageHashAddedToInbox","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"l2MerkleRoot","type":"bytes32"},{"indexed":true,"internalType":"uint256","name":"treeDepth","type":"uint256"}],"name":"L2MerkleRootAdded","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"l2Block","type":"uint256"}],"name":"L2MessagingBlockAnchored","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"amountChangeBy","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"},{"indexed":false,"internalType":"bool","name":"amountUsedLoweredToLimit","type":"bool"},{"indexed":false,"internalType":"bool","name":"usedAmountResetToZero","type":"bool"}],"name":"LimitAmountChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"_messageHash","type":"bytes32"}],"name":"MessageClaimed","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"_from","type":"address"},{"indexed":true,"internalType":"address","name":"_to","type":"address"},{"indexed":false,"internalType":"uint256","name":"_fee","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_value","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_nonce","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"_calldata","type":"bytes"},{"indexed":true,"internalType":"bytes32","name":"_messageHash","type":"bytes32"}],"name":"MessageSent","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"messageSender","type":"address"},{"indexed":true,"internalType":"uint256","name":"pauseType","type":"uint256"}],"name":"Paused","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"periodInSeconds","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"limitInWei","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"currentPeriodEnd","type":"uint256"}],"name":"RateLimitInitialized","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":true,"internalType":"uint256","name":"messageNumber","type":"uint256"},{"indexed":true,"internalType":"bytes32","name":"rollingHash","type":"bytes32"},{"indexed":true,"internalType":"bytes32","name":"messageHash","type":"bytes32"}],"name":"RollingHashUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"systemMigrationBlock","type":"uint256"}],"name":"SystemMigrationBlockInitialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"messageSender","type":"address"},{"indexed":true,"internalType":"uint256","name":"pauseType","type":"uint256"}],"name":"UnPaused","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"verifierAddress","type":"address"},{"indexed":true,"internalType":"uint256","name":"proofType","type":"uint256"},{"indexed":true,"internalType":"address","name":"verifierSetBy","type":"address"},{"indexed":false,"internalType":"address","name":"oldVerifierAddress","type":"address"}],"name":"VerifierAddressChanged","type":"event"},{"inputs":[],"name":"DEFAULT_ADMIN_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"GENERAL_PAUSE_TYPE","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"INBOX_STATUS_RECEIVED","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"INBOX_STATUS_UNKNOWN","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"L1_L2_PAUSE_TYPE","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"L2_L1_PAUSE_TYPE","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"OPERATOR_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"OUTBOX_STATUS_RECEIVED","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"OUTBOX_STATUS_SENT","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"OUTBOX_STATUS_UNKNOWN","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"PAUSE_MANAGER_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"PROVING_SYSTEM_PAUSE_TYPE","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"RATE_LIMIT_SETTER_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"VERIFIER_SETTER_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_from","type":"address"},{"internalType":"address","name":"_to","type":"address"},{"internalType":"uint256","name":"_fee","type":"uint256"},{"internalType":"uint256","name":"_value","type":"uint256"},{"internalType":"address payable","name":"_feeRecipient","type":"address"},{"internalType":"bytes","name":"_calldata","type":"bytes"},{"internalType":"uint256","name":"_nonce","type":"uint256"}],"name":"claimMessage","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"components":[{"internalType":"bytes32[]","name":"proof","type":"bytes32[]"},{"internalType":"uint256","name":"messageNumber","type":"uint256"},{"internalType":"uint32","name":"leafIndex","type":"uint32"},{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"fee","type":"uint256"},{"internalType":"uint256","name":"value","type":"uint256"},{"internalType":"address payable","name":"feeRecipient","type":"address"},{"internalType":"bytes32","name":"merkleRoot","type":"bytes32"},{"internalType":"bytes","name":"data","type":"bytes"}],"internalType":"struct IL1MessageService.ClaimMessageWithProofParams","name":"_params","type":"tuple"}],"name":"claimMessageWithProof","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"currentL2BlockNumber","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"currentL2StoredL1MessageNumber","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"currentL2StoredL1RollingHash","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"currentPeriodAmountInWei","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"currentPeriodEnd","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"currentTimestamp","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"dataHash","type":"bytes32"}],"name":"dataEndingBlock","outputs":[{"internalType":"uint256","name":"endingBlock","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"dataHash","type":"bytes32"}],"name":"dataFinalStateRootHashes","outputs":[{"internalType":"bytes32","name":"finalStateRootHash","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"dataHash","type":"bytes32"}],"name":"dataParents","outputs":[{"internalType":"bytes32","name":"parentHash","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"dataHash","type":"bytes32"}],"name":"dataShnarfHashes","outputs":[{"internalType":"bytes32","name":"shnarfHash","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"dataHash","type":"bytes32"}],"name":"dataStartingBlock","outputs":[{"internalType":"uint256","name":"startingBlock","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"components":[{"internalType":"bytes32","name":"blockRootHash","type":"bytes32"},{"internalType":"uint32","name":"l2BlockTimestamp","type":"uint32"},{"internalType":"bytes[]","name":"transactions","type":"bytes[]"},{"internalType":"bytes32[]","name":"l2ToL1MsgHashes","type":"bytes32[]"},{"internalType":"bytes","name":"fromAddresses","type":"bytes"},{"internalType":"uint16[]","name":"batchReceptionIndices","type":"uint16[]"}],"internalType":"struct IZkEvmV2.BlockData[]","name":"_blocksData","type":"tuple[]"},{"internalType":"bytes","name":"_proof","type":"bytes"},{"internalType":"uint256","name":"_proofType","type":"uint256"},{"internalType":"bytes32","name":"_parentStateRootHash","type":"bytes32"}],"name":"finalizeBlocks","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"components":[{"internalType":"bytes32","name":"blockRootHash","type":"bytes32"},{"internalType":"uint32","name":"l2BlockTimestamp","type":"uint32"},{"internalType":"bytes[]","name":"transactions","type":"bytes[]"},{"internalType":"bytes32[]","name":"l2ToL1MsgHashes","type":"bytes32[]"},{"internalType":"bytes","name":"fromAddresses","type":"bytes"},{"internalType":"uint16[]","name":"batchReceptionIndices","type":"uint16[]"}],"internalType":"struct IZkEvmV2.BlockData[]","name":"_blocksData","type":"tuple[]"}],"name":"finalizeBlocksWithoutProof","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes","name":"_aggregatedProof","type":"bytes"},{"internalType":"uint256","name":"_proofType","type":"uint256"},{"components":[{"internalType":"bytes32","name":"parentStateRootHash","type":"bytes32"},{"internalType":"bytes32[]","name":"dataHashes","type":"bytes32[]"},{"internalType":"bytes32","name":"dataParentHash","type":"bytes32"},{"internalType":"uint256","name":"finalBlockNumber","type":"uint256"},{"internalType":"uint256","name":"lastFinalizedTimestamp","type":"uint256"},{"internalType":"uint256","name":"finalTimestamp","type":"uint256"},{"internalType":"bytes32","name":"l1RollingHash","type":"bytes32"},{"internalType":"uint256","name":"l1RollingHashMessageNumber","type":"uint256"},{"internalType":"bytes32[]","name":"l2MerkleRoots","type":"bytes32[]"},{"internalType":"uint256","name":"l2MerkleTreesDepth","type":"uint256"},{"internalType":"bytes","name":"l2MessagingBlocksOffsets","type":"bytes"}],"internalType":"struct ILineaRollup.FinalizationData","name":"_finalizationData","type":"tuple"}],"name":"finalizeCompressedBlocksWithProof","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"components":[{"internalType":"bytes32","name":"parentStateRootHash","type":"bytes32"},{"internalType":"bytes32[]","name":"dataHashes","type":"bytes32[]"},{"internalType":"bytes32","name":"dataParentHash","type":"bytes32"},{"internalType":"uint256","name":"finalBlockNumber","type":"uint256"},{"internalType":"uint256","name":"lastFinalizedTimestamp","type":"uint256"},{"internalType":"uint256","name":"finalTimestamp","type":"uint256"},{"internalType":"bytes32","name":"l1RollingHash","type":"bytes32"},{"internalType":"uint256","name":"l1RollingHashMessageNumber","type":"uint256"},{"internalType":"bytes32[]","name":"l2MerkleRoots","type":"bytes32[]"},{"internalType":"uint256","name":"l2MerkleTreesDepth","type":"uint256"},{"internalType":"bytes","name":"l2MessagingBlocksOffsets","type":"bytes"}],"internalType":"struct ILineaRollup.FinalizationData","name":"_finalizationData","type":"tuple"}],"name":"finalizeCompressedBlocksWithoutProof","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"}],"name":"getRoleAdmin","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"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":"bytes32","name":"messageHash","type":"bytes32"}],"name":"inboxL2L1MessageStatus","outputs":[{"internalType":"uint256","name":"messageStatus","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"_initialStateRootHash","type":"bytes32"},{"internalType":"uint256","name":"_initialL2BlockNumber","type":"uint256"},{"internalType":"address","name":"_defaultVerifier","type":"address"},{"internalType":"address","name":"_securityCouncil","type":"address"},{"internalType":"address[]","name":"_operators","type":"address[]"},{"internalType":"uint256","name":"_rateLimitPeriodInSeconds","type":"uint256"},{"internalType":"uint256","name":"_rateLimitAmountInWei","type":"uint256"},{"internalType":"uint256","name":"_systemMigrationBlock","type":"uint256"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_systemMigrationBlock","type":"uint256"}],"name":"initializeSystemMigrationBlock","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_messageNumber","type":"uint256"}],"name":"isMessageClaimed","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint8","name":"_pauseType","type":"uint8"}],"name":"isPaused","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"merkleRoot","type":"bytes32"}],"name":"l2MerkleRootsDepths","outputs":[{"internalType":"uint256","name":"treeDepth","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"limitInWei","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"nextMessageNumber","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"messageHash","type":"bytes32"}],"name":"outboxL1L2MessageStatus","outputs":[{"internalType":"uint256","name":"messageStatus","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint8","name":"_pauseType","type":"uint8"}],"name":"pauseByType","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"pauseType","type":"bytes32"}],"name":"pauseTypeStatuses","outputs":[{"internalType":"bool","name":"pauseStatus","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"periodInSeconds","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"renounceRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"resetAmountUsedInPeriod","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_amount","type":"uint256"}],"name":"resetRateLimitAmount","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":"messageNumber","type":"uint256"}],"name":"rollingHashes","outputs":[{"internalType":"bytes32","name":"rollingHash","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_to","type":"address"},{"internalType":"uint256","name":"_fee","type":"uint256"},{"internalType":"bytes","name":"_calldata","type":"bytes"}],"name":"sendMessage","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[],"name":"sender","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_newVerifierAddress","type":"address"},{"internalType":"uint256","name":"_proofType","type":"uint256"}],"name":"setVerifierAddress","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"blockNumber","type":"uint256"}],"name":"stateRootHashes","outputs":[{"internalType":"bytes32","name":"stateRootHash","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"components":[{"internalType":"bytes32","name":"parentStateRootHash","type":"bytes32"},{"internalType":"bytes32","name":"dataParentHash","type":"bytes32"},{"internalType":"bytes32","name":"finalStateRootHash","type":"bytes32"},{"internalType":"uint256","name":"firstBlockInData","type":"uint256"},{"internalType":"uint256","name":"finalBlockInData","type":"uint256"},{"internalType":"bytes32","name":"snarkHash","type":"bytes32"},{"internalType":"bytes","name":"compressedData","type":"bytes"}],"internalType":"struct ILineaRollup.SubmissionData","name":"_submissionData","type":"tuple"}],"name":"submitData","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes4","name":"interfaceId","type":"bytes4"}],"name":"supportsInterface","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"systemMigrationBlock","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint8","name":"_pauseType","type":"uint8"}],"name":"unPauseByType","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"proofType","type":"uint256"}],"name":"verifiers","outputs":[{"internalType":"address","name":"verifierAddress","type":"address"}],"stateMutability":"view","type":"function"}]

60806040523480156200001157600080fd5b506200001c62000022565b620000e3565b600054610100900460ff16156200008f5760405162461bcd60e51b815260206004820152602760248201527f496e697469616c697a61626c653a20636f6e747261637420697320696e697469604482015266616c697a696e6760c81b606482015260840160405180910390fd5b60005460ff90811614620000e1576000805460ff191660ff9081179091556040519081527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb38474024989060200160405180910390a15b565b615d2480620000f36000396000f3fe6080604052600436106103975760003560e01c80637a776315116101dc578063b837dbe911610102578063cc5782f6116100a0578063d84f91e81161006f578063d84f91e814610afe578063e196fb5d14610b32578063f5b541a614610b52578063f9f4828414610b8657600080fd5b8063cc5782f614610a77578063d547741f14610aa7578063d5d4b83514610ac7578063d630280f14610ade57600080fd5b8063c0729ab1116100dc578063c0729ab114610a0b578063c1dc0f0714610a21578063c211697414610a37578063cbe4183914610a5757600080fd5b8063b837dbe914610992578063bc61e733146109a8578063bf3e7505146109d757600080fd5b80639ee8b2111161017a578063ac1eff6811610149578063ac1eff681461090e578063ad422ff014610952578063aea4f74514610968578063b4a5a4b71461097d57600080fd5b80639ee8b211146108b15780639f3ce55a146108d1578063a217fddf146108e4578063abd6230d146108f957600080fd5b806390dad3f6116101b657806390dad3f614610810578063914e57eb1461083057806391d148541461085e578063986fcddd146107cd57600080fd5b80637a776315146107ad5780637d1e8c55146107cd5780638be745d1146107e257600080fd5b80635355420e116102c157806360e83cf31161025f578063695378f51161022e578063695378f5146107625780636a637967146105585780636e6738431461077957806373bd07b71461041857600080fd5b806360e83cf31461069a5780636463fb2a146106c857806366f96e98146106e857806367e404ce1461071657600080fd5b80635b7eb4bd1161029b5780635b7eb4bd146105585780635c721a0c146106115780635ed73ceb1461063e5780636078bfd81461066c57600080fd5b80635355420e146105bb578063557eac73146105db57806358794456146105fb57600080fd5b80632c70645c116103395780634165d6dd116103085780634165d6dd1461053857806348922ab714610558578063491e09361461056d5780634cdd389b1461058d57600080fd5b80632c70645c146104b45780632f2ff15d146104cb57806336568abe146104eb5780633fc08b651461050b57600080fd5b806311314d0f1161037557806311314d0f146104185780631e2ff94f1461043f5780631f443da014610456578063248a9ca31461048457600080fd5b806301ffc9a71461039c57806305861180146103d15780631065a399146103f6575b600080fd5b3480156103a857600080fd5b506103bc6103b7366004614ff8565b610ba6565b60405190151581526020015b60405180910390f35b3480156103dd57600080fd5b506103e86101bb5481565b6040519081526020016103c8565b34801561040257600080fd5b5061041661041136600461503a565b610c3f565b005b34801561042457600080fd5b5061042d600281565b60405160ff90911681526020016103c8565b34801561044b57600080fd5b506103e86101185481565b34801561046257600080fd5b506103e861047136600461505d565b6101b96020526000908152604090205481565b34801561049057600080fd5b506103e861049f36600461505d565b60009081526065602052604090206001015490565b3480156104c057600080fd5b506103e86101835481565b3480156104d757600080fd5b506104166104e6366004615098565b610d17565b3480156104f757600080fd5b50610416610506366004615098565b610d41565b34801561051757600080fd5b506103e861052636600461505d565b60a56020526000908152604090205481565b34801561054457600080fd5b50610416610553366004615156565b610dda565b34801561056457600080fd5b5061042d600181565b34801561057957600080fd5b506104166105883660046151d4565b610e75565b34801561059957600080fd5b506103e86105a836600461505d565b6101b76020526000908152604090205481565b3480156105c757600080fd5b506104166105d636600461526a565b6111a8565b3480156105e757600080fd5b506104166105f636600461505d565b611509565b34801561060757600080fd5b506103e860995481565b34801561061d57600080fd5b506103e861062c36600461505d565b60a66020526000908152604090205481565b34801561064a57600080fd5b506103e861065936600461505d565b6101ba6020526000908152604090205481565b34801561067857600080fd5b506103e861068736600461505d565b6101b66020526000908152604090205481565b3480156106a657600080fd5b506103e86106b536600461505d565b6101506020526000908152604090205481565b3480156106d457600080fd5b506104166106e33660046152ff565b6115d1565b3480156106f457600080fd5b506103e861070336600461505d565b6101b86020526000908152604090205481565b34801561072257600080fd5b5060e55473ffffffffffffffffffffffffffffffffffffffff165b60405173ffffffffffffffffffffffffffffffffffffffff90911681526020016103c8565b34801561076e57600080fd5b506103e86101195481565b34801561078557600080fd5b506103e87f32937fd5162e282df7e9a14a5073a2425321c7966eaf70ed6c838a1006d84c4c81565b3480156107b957600080fd5b506104166107c836600461533b565b611abd565b3480156107d957600080fd5b5061042d600081565b3480156107ee57600080fd5b506103e86107fd36600461505d565b61011a6020526000908152604090205481565b34801561081c57600080fd5b5061041661082b366004615376565b611b01565b34801561083c57600080fd5b506103e861084b36600461505d565b61014e6020526000908152604090205481565b34801561086a57600080fd5b506103bc610879366004615098565b600091825260656020908152604080842073ffffffffffffffffffffffffffffffffffffffff93909316845291905290205460ff1690565b3480156108bd57600080fd5b506103bc6108cc36600461505d565b611b58565b6104166108df3660046153b8565b611b7c565b3480156108f057600080fd5b506103e8600081565b34801561090557600080fd5b5061042d600381565b34801561091a57600080fd5b5061073d61092936600461505d565b61011b6020526000908152604090205473ffffffffffffffffffffffffffffffffffffffff1681565b34801561095e57600080fd5b506103e860985481565b34801561097457600080fd5b50610416611d0e565b34801561098957600080fd5b5061042d600481565b34801561099e57600080fd5b506103e860e45481565b3480156109b457600080fd5b506103bc6109c336600461503a565b60da54600160ff9092169190911b16151590565b3480156109e357600080fd5b506103e87f1185e52d62bfbbea270e57d3d09733d221b53ab7a18bae82bb3c6c74bab16d8281565b348015610a1757600080fd5b506103e8609a5481565b348015610a2d57600080fd5b506103e860975481565b348015610a4357600080fd5b50610416610a52366004615414565b611d6a565b348015610a6357600080fd5b50610416610a7236600461505d565b611e99565b348015610a8357600080fd5b506103bc610a9236600461505d565b60d96020526000908152604090205460ff1681565b348015610ab357600080fd5b50610416610ac2366004615098565b611fca565b348015610ad357600080fd5b506103e86101bc5481565b348015610aea57600080fd5b50610416610af9366004615459565b611fef565b348015610b0a57600080fd5b506103e87f356a809dfdea9198dd76fb76bf6d403ecf13ea675eb89e1eda2db2c4a4676a2681565b348015610b3e57600080fd5b50610416610b4d36600461503a565b612285565b348015610b5e57600080fd5b506103e87f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b92981565b348015610b9257600080fd5b50610416610ba13660046154cc565b612330565b60007fffffffff0000000000000000000000000000000000000000000000000000000082167f7965db0b000000000000000000000000000000000000000000000000000000001480610c3957507f01ffc9a7000000000000000000000000000000000000000000000000000000007fffffffff000000000000000000000000000000000000000000000000000000008316145b92915050565b7f356a809dfdea9198dd76fb76bf6d403ecf13ea675eb89e1eda2db2c4a4676a26610c6981612356565b60da54600160ff84161b16610cb4576040517fb015579f00000000000000000000000000000000000000000000000000000000815260ff831660048201526024015b60405180910390fd5b60da8054600160ff851690811b199091169091557fef04ba2036ccaeab3a59717b51d2b9146b0b0904077177f1148a5418bf1eae23335b60405173ffffffffffffffffffffffffffffffffffffffff909116815260200160405180910390a25050565b600082815260656020526040902060010154610d3281612356565b610d3c8383612360565b505050565b73ffffffffffffffffffffffffffffffffffffffff81163314610dcc5760405162461bcd60e51b815260206004820152602f60248201527f416363657373436f6e74726f6c3a2063616e206f6e6c792072656e6f756e636560448201527f20726f6c657320666f722073656c6600000000000000000000000000000000006064820152608401610cab565b610dd68282612454565b5050565b6004610de58161250f565b7f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b929610e0f81612356565b61011954600090815261011a60205260409020548314610e5b576040517fead4c30e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b610e6b8888888888886001612595565b5050505050505050565b610e7d612a7b565b858784848760005a9050610e91600361250f565b60008e8e8e8e8b8e8e604051602001610eb09796959493929190615534565b604051602081830303815290604052805190602001209050610ed181612ad4565b610ee3610ede8d8f6155bc565b612b30565b8e60e560006101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055506000808f73ffffffffffffffffffffffffffffffffffffffff168e8d8d604051610f4f9291906155cf565b60006040518083038185875af1925050503d8060008114610f8c576040519150601f19603f3d011682016040523d82523d6000602084013e610f91565b606091505b509150915081610ffb57805115610fab5780518082602001fd5b8f6040517f54613443000000000000000000000000000000000000000000000000000000008152600401610cab919073ffffffffffffffffffffffffffffffffffffffff91909116815260200190565b60e580547fffffffffffffffffffffffff00000000000000000000000000000000000000001663075bcd1517905560405183907fa4c827e719e911e8f19393ccdb85b5102f08f0910604d340ba38390b7ff2ab0e90600090a2505086159050611198578560008490036110e457853b1580156110e2573a5a61107f61bc7c866155bc565b61108991906155df565b61109391906155f2565b9150818811156110de5773ffffffffffffffffffffffffffffffffffffffff87166108fc6110c1848b6155df565b6040518115909202916000818181858888f19350505050506110e2565b8791505b505b600073ffffffffffffffffffffffffffffffffffffffff841615611108578361110a565b335b905060008173ffffffffffffffffffffffffffffffffffffffff166108fc849081150290604051600060405180830381858888f19350505050905080611194576040517fa57c4df400000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff83166004820152602401610cab565b5050505b505050505050610e6b600160a755565b600054610100900460ff16158080156111c85750600054600160ff909116105b806111e25750303b1580156111e2575060005460ff166001145b6112545760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201527f647920696e697469616c697a65640000000000000000000000000000000000006064820152608401610cab565b600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0016600117905580156112b257600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff166101001790555b73ffffffffffffffffffffffffffffffffffffffff88166112ff576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60005b858110156113d857600087878381811061131e5761131e615609565b90506020020160208101906113339190615638565b73ffffffffffffffffffffffffffffffffffffffff1603611380576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6113d07f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b9298888848181106113b6576113b6615609565b90506020020160208101906113cb9190615638565b612360565b600101611302565b506113e4600088612360565b61140e7f32937fd5162e282df7e9a14a5073a2425321c7966eaf70ed6c838a1006d84c4c88612360565b611416612bad565b6114238788868686612c34565b7f033d11f27e62ab919708ec716731da80d261a6e4253259b7acde9bf89d28ec1880547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff8a16179055610119899055600089815261011a602052604090208a905580156114fd57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff169055604051600181527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb38474024989060200160405180910390a15b50505050505050505050565b7f1185e52d62bfbbea270e57d3d09733d221b53ab7a18bae82bb3c6c74bab16d8261153381612356565b600080600042609954101561155a5760975461154f90426155bc565b60995550600161156c565b609a5485101561156c57849250600191505b6098859055808061157a5750815b1561158557609a8390555b60408051868152831515602082015282151581830152905133917fbc3dc0cb5c15c51c81316450d44048838bb478b9809447d01c766a06f3e9f2c8919081900360600190a25050505050565b6115d9612a7b565b60a081018035906115ed9060808401615638565b6115fb610120840184615655565b61160c610100860160e08701615638565b60005a905061161b600361250f565b610100870135600090815261015060205260408120549081900361166b576040517f4e68667500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61167588806156ba565b905081146116c4578061168889806156ba565b6040517f5e3fd6ad0000000000000000000000000000000000000000000000000000000081526004810193909352602483015250604401610cab565b6116d18860200135612e04565b6116e6610ede60c08a013560a08b01356155bc565b60006116f860808a0160608b01615638565b61170860a08b0160808c01615638565b60a08b013560c08c013560208d01356117256101208f018f615655565b60405160200161173b9796959493929190615534565b60408051601f198184030181529190528051602090910120905061177e816117638b806156ba565b61177360608e0160408f01615722565b8d6101000135612e7e565b6117b4576040517fb05e92fa00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6117c460808a0160608b01615638565b60e580547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff9290921691909117905560008061181c60a08c0160808d01615638565b73ffffffffffffffffffffffffffffffffffffffff1660c08c01356118456101208e018e615655565b6040516118539291906155cf565b60006040518083038185875af1925050503d8060008114611890576040519150601f19603f3d011682016040523d82523d6000602084013e611895565b606091505b50915091508161190a578051156118af5780518082602001fd5b6118bf60a08c0160808d01615638565b6040517f5461344300000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff9091166004820152602401610cab565b60e580547fffffffffffffffffffffffff00000000000000000000000000000000000000001663075bcd1517905560405183907fa4c827e719e911e8f19393ccdb85b5102f08f0910604d340ba38390b7ff2ab0e90600090a2505050506000861115611aaa578560008490036119f657853b1580156119f4573a5a61199161bc7c866155bc565b61199b91906155df565b6119a591906155f2565b9150818811156119f05773ffffffffffffffffffffffffffffffffffffffff87166108fc6119d3848b6155df565b6040518115909202916000818181858888f19350505050506119f4565b8791505b505b600073ffffffffffffffffffffffffffffffffffffffff841615611a1a5783611a1c565b335b905060008173ffffffffffffffffffffffffffffffffffffffff166108fc849081150290604051600060405180830381858888f19350505050905080611aa6576040517fa57c4df400000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff83166004820152602401610cab565b5050505b505050505050611aba600160a755565b50565b6004611ac88161250f565b7f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b929611af281612356565b611afb83612f15565b50505050565b6001611b0c81613329565b6000611b1781612356565b611afb848486866000818110611b2f57611b2f615609565b9050602002810190611b419190615748565b611b4f906080810190615655565b60008080612595565b600881901c600090815261014f6020526040812054600160ff84161b161515610c39565b6002611b878161250f565b73ffffffffffffffffffffffffffffffffffffffff8516611bd4576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b34841115611c0e576040517fb03b693200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60e4805460009182611c1f83615786565b9091555090506000611c3186346155df565b9050600033888884868a8a604051602001611c529796959493929190615534565b60405160208183030381529060405280519060200120905043610183541115611c8c57600081815260a56020526040902060019055611c96565b611c968382613370565b808873ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff167fe856c2b8bd4eb0027ce32eeaf595c21b0b6b4644b326e5b7bd80a1cf8db72e6c8a86888c8c604051611cfc9594939291906157a0565b60405180910390a45050505050505050565b7f1185e52d62bfbbea270e57d3d09733d221b53ab7a18bae82bb3c6c74bab16d82611d3881612356565b6000609a81905560405133917fba88c025b0cbb77022c0c487beef24f759f1e4be2f51a205bc427cee19c2eaa691a250565b7f32937fd5162e282df7e9a14a5073a2425321c7966eaf70ed6c838a1006d84c4c611d9481612356565b73ffffffffffffffffffffffffffffffffffffffff8316611de1576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600082815261011b602090815260409182902054915173ffffffffffffffffffffffffffffffffffffffff928316815233928592908716917f4a29db3fc6b42bda201e4b4d69ce8d575eeeba5f153509c0d0a342af0f1bd021910160405180910390a450600090815261011b6020526040902080547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b600054600290610100900460ff16158015611ebb575060005460ff8083169116105b611f2d5760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201527f647920696e697469616c697a65640000000000000000000000000000000000006064820152608401610cab565b600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00001660ff831617610100179055611f67826133cf565b600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff16905560405160ff821681527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb3847402498906020015b60405180910390a15050565b600082815260656020526040902060010154611fe581612356565b610d3c8383612454565b6004611ffa8161250f565b7f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b92961202481612356565b600085900361205f576040517f7907d79b00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61011954600081815261011a60205260409020548435146120ac576040517fead4c30e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6101bb546101bc546120c0868460016134c2565b60006101b8816120d360208a018a6156ba565b60016120e260208d018d6156ba565b9050038181106120f4576120f4615609565b9050602002013581526020019081526020016000205490506000801b8103612148576040517f5548c6b300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b604080516020810183905288359181019190915260808089013560608084019190915260a0808b01359284019290925290820186905288013560c082015260009060e00160408051601f198184030181529190528360c08a01358660e08c01356101208d01356121bc6101008f018f6156ba565b6040516020016121cd9291906157d1565b60408051601f198184030181528282528051602091820120908301979097528101949094526060840192909252608083015260a082015260c081019190915260e00160408051601f198184030181529082905261222d9291602001615837565b60408051601f1981840301815291905280516020909101207f30644e72e131a029b85045b68181585d2833e84879b9709143e1f593f000000190069050612278818a8d8d8c35613a60565b5050505050505050505050565b7f356a809dfdea9198dd76fb76bf6d403ecf13ea675eb89e1eda2db2c4a4676a266122af81612356565b60da54600160ff84161b16156122f6576040517fdb246dde00000000000000000000000000000000000000000000000000000000815260ff83166004820152602401610cab565b60da8054600160ff851690811b9091179091557fab40a374bc51de372200a8bc981af8c9ecdc08dfdaef0bb6e09f88f3c616ef3d33610ceb565b600161233b81613329565b600061234681612356565b61011954611afb848260006134c2565b611aba8133613c2d565b600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff8516845290915290205460ff16610dd657600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff85168452909152902080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001660011790556123f63390565b73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45050565b600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff8516845290915290205460ff1615610dd657600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff8516808552925280832080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0016905551339285917ff6391f5c32d9c69d2a47ea670b442974b53935d1edc7fd64eb21e047a839171b9190a45050565b60da54600160ff83161b811615612557576040517fdb246dde00000000000000000000000000000000000000000000000000000000815260ff83166004820152602401610cab565b6002811615610dd6576040517fdb246dde00000000000000000000000000000000000000000000000000000000815260016004820152602401610cab565b60008690036125d0576040517fe98cfd2f00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b610119546001810160008867ffffffffffffffff8111156125f3576125f3615866565b60405190808252806020026020018201604052801561261c578160200160208202803683370190505b50905060008967ffffffffffffffff81111561263a5761263a615866565b604051908082528060200260200182016040528015612663578160200160208202803683370190505b509050606060018b0167ffffffffffffffff81111561268457612684615866565b6040519080825280602002602001820160405280156126ad578160200160208202803683370190505b50905086816000815181106126c4576126c4615609565b60200260200101818152505060008060005b8d8110156128ff57368f8f838181106126f1576126f1615609565b90506020028101906127039190615748565b9050426127166040830160208401615722565b63ffffffff1610612772576127316040820160208301615722565b6040517fa75d20db00000000000000000000000000000000000000000000000000000000815263ffffffff9091166004820152426024820152604401610cab565b61279461278260408301836156ba565b61278f60a08501856156ba565b613caf565b93506127ab6127a660608301836156ba565b613e49565b600190990198925083836127c260a08401846156ba565b6040516020016127d39291906158ac565b60408051601f1981840301815291905280516020909101206127f86080850185615655565b6040516128069291906155cf565b6040519081900381206128349493929160200193845260208401929092526040830152606082015260800190565b6040516020818303038152906040528051906020012086838151811061285c5761285c615609565b60200260200101818152505080602001602081019061287b9190615722565b63ffffffff1687838151811061289357612893615609565b60200260200101818152505080600001358583600101815181106128b9576128b9615609565b60209081029190910101526040518a1515908235908b907f047c6ce79802b16b6527cedd89156bb59f2da26867b4f218fa60c9521ddcce5590600090a4506001016126d6565b506000198d018e8e8281811061291757612917615609565b90506020028101906129299190615748565b600089815261011a60205260409020903590558e8e8281811061294e5761294e615609565b90506020028101906129609190615748565b612971906040810190602001615722565b63ffffffff1661011855506101198790558715612a6b5760008460405160200161299b91906158e7565b6040516020818303038152906040528051906020012087876040516020016129c391906158e7565b60405160208183030381529060405280519060200120866040516020016129ea91906158e7565b60408051601f198184030181528282528051602091820120908301959095528101929092526060820152608081019190915260a00160408051601f1981840301815291905280516020909101207f30644e72e131a029b85045b68181585d2833e84879b9709143e1f593f000000190069050612a69818c8f8f8e613a60565b505b5050505050505050505050505050565b600260a75403612acd5760405162461bcd60e51b815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c006044820152606401610cab565b600260a755565b600081815260a66020526040902054600114612b1f576040517f992d87c300000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b600090815260a66020526040812055565b6000426099541015612b5357609754612b4990426155bc565b6099555080612b64565b81609a54612b6191906155bc565b90505b609854811115612ba0576040517fa74c1c5f00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b609a5550565b600160a755565b600054610100900460ff16612c2a5760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b612c32613eb0565b565b600054610100900460ff16612cb15760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b73ffffffffffffffffffffffffffffffffffffffff8516612cfe576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8416612d4b576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b612d53613f2d565b612d5b613f2d565b612d63613f2d565b612d6d8383613faa565b612d977f1185e52d62bfbbea270e57d3d09733d221b53ab7a18bae82bb3c6c74bab16d8286612360565b612dc17f356a809dfdea9198dd76fb76bf6d403ecf13ea675eb89e1eda2db2c4a4676a2685612360565b612dca816133cf565b5050600160e455505060e580547fffffffffffffffffffffffff00000000000000000000000000000000000000001663075bcd1517905550565b600881901c600090815261014f6020526040902054600160ff83161b1615612e5b576040517f335a4a9000000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b600881901c600090815261014f602052604090208054600160ff84161b17905550565b600085815b85811015612f0857600163ffffffff8616821c81169003612ed157612eca878783818110612eb357612eb3615609565b905060200201358360009182526020526040902090565b9150612f00565b612efd82888884818110612ee757612ee7615609565b9050602002013560009182526020526040902090565b91505b600101612e83565b5090911495945050505050565b6000612f2460c0830183615655565b9050600003612f5f576040517fc01eab5600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6040820135612f9a576040517f2898482a00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5060208082013560008181526101b883526040808220546101b6855281832054610119546101ba909652919092205491939092909190156130a85782613016576040517fd5aa5ad60000000000000000000000000000000000000000000000000000000081526004810184905285356024820152604401610cab565b60006130238260016155bc565b90508560600135811461306f576040517fabefa5e80000000000000000000000000000000000000000000000000000000081526004810182905260608701356024820152604401610cab565b846130a6576040517f5548c6b300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b505b818560600135116130f2576040517fa386ed700000000000000000000000000000000000000000000000000000000081526060860135600482015260248101839052604401610cab565b846080013585606001351115613144576040517fcbbd79530000000000000000000000000000000000000000000000000000000081526060860135600482015260808601356024820152604401610cab565b84358314613188576040517fd5aa5ad60000000000000000000000000000000000000000000000000000000081526004810184905285356024820152604401610cab565b600061319760c0870187615655565b6040516131a59291906155cf565b604080519182900390912060008181526101b66020529190912054909150156131fd576040517f0f06cd1500000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b60008181526101b760209081526040808320828a013590556101b68252808320818a013590556101b9825280832060608a013590556101ba825280832060808a013590555161325d9160a08a013591859101918252602082015260400190565b604051602081830303815290604052805190602001209050858760a0013588604001358361329a8b8060c001906132949190615655565b876140f9565b6040805160208101969096528501939093526060840191909152608083015260a082015260c00160408051601f19818403018152828252805160209182012060008681526101b890925291812082905590975060808901359160608a01359185917f174b4a2e83ebebaf6824e559d2bab7b7e229c80d211e98298a1224970b719a429190a45050505050919050565b60da54600160ff83161b1615611aba576040517fdb246dde00000000000000000000000000000000000000000000000000000000815260ff82166004820152602401610cab565b6000198201600090815261014e60208181526040808420548452848252808420868552929091528083208290555190918391839186917fea3b023b4c8680d4b4824f0143132c95476359a2bb70a81d6c5a36f6918f63399190a4505050565b600054610100900460ff1661344c5760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b80600003613486576040517f9b0f0c2800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6101838190556040518181527f405b3b16b9190c1e995514c13ab4e8e7d895d9103e91c3a8c8f12df6cd50aa2c9060200160405180910390a150565b60006134d160208501856156ba565b905090508060000361350f576040517fdcb2388500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b82846060013511613559576040517f706144050000000000000000000000000000000000000000000000000000000081526060850135600482015260248101849052604401610cab565b61356b8460e001358560c001356141fb565b836080013561011854146135bd57610118546040517f3211d9be000000000000000000000000000000000000000000000000000000008152600481019190915260808501356024820152604401610cab565b428460a0013510613606576040517fbf81c6e000000000000000000000000000000000000000000000000000000000815260a08501356004820152426024820152604401610cab565b60006101b78161361960208801886156ba565b600081811061362a5761362a615609565b9050602002013581526020019081526020016000205490508460400135811461368c57604080517f9a89a75800000000000000000000000000000000000000000000000000000000815260048101839052908601356024820152604401610cab565b60008181526101b6602052604090205481156136e657853581146136e6576040517fe1cb6e600000000000000000000000000000000000000000000000000000000081526004810182905286356024820152604401610cab565b60006101b6816136f960208a018a6156ba565b6137046001896155df565b81811061371357613713615609565b9050602002013581526020019081526020016000205490506000801b8103613767576040517f2898482a00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6137836137786101008901896156ba565b8961012001356142ca565b61379a613794610140890189615655565b886143d6565b60015b848110156138b3576137b260208901896156ba565b600183038181106137c5576137c5615609565b905060200201356101b760008a80602001906137e191906156ba565b858181106137f1576137f1615609565b90506020020135815260200190815260200160002054146138ab5761381960208901896156ba565b6001830381811061382c5761382c615609565b905060200201356101b760008a806020019061384891906156ba565b8581811061385857613858615609565b905060200201358152602001908152602001600020546040517f710cd580000000000000000000000000000000000000000000000000000000008152600401610cab929190918252602082015260400190565b60010161379d565b5060006101b9816138c760208b018b6156ba565b60008181106138d8576138d8615609565b90506020020135815260200190815260200160002054905060006101ba60008a806020019061390791906156ba565b61391260018b6155df565b81811061392157613921615609565b90506020020135815260200190815260200160002054905088606001358114613983576040517f9f6adc690000000000000000000000000000000000000000000000000000000081526004810182905260608a01356024820152604401610cab565b61398e8860016155bc565b82146139dc5761399f8860016155bc565b6040517fabefa5e8000000000000000000000000000000000000000000000000000000008152600481019190915260248101839052604401610cab565b6060890135600081815261011a60205260409081902085905560a08b01356101185561011982905560e08b01356101bb5560c08b01356101bc555184918b35917f1335f1a2b3ff25f07f5fef07dd35d8fb4312c3c73b138e2fad9347b3319ab53c90613a4d908c1515815260200190565b60405180910390a4505050505050505050565b604080516001808252818301909252600091602080830190803683370190505090508581600081518110613a9657613a96615609565b602090810291909101810191909152600086815261011b909152604090205473ffffffffffffffffffffffffffffffffffffffff1680613b02576040517f69ed70ab00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6040517f7e4f7a8a00000000000000000000000000000000000000000000000000000000815260009073ffffffffffffffffffffffffffffffffffffffff831690637e4f7a8a90613b5b9089908990889060040161591d565b6020604051808303816000875af1158015613b7a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613b9e9190615976565b905080613bd7576040517f09bde33900000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61011954600081815261011a6020908152604091829020548251888152918201527f5c885a794662ebe3b08ae0874fc2c88b5343b0223ba9cd2cad92b69c0d0c901f910160405180910390a25050505050505050565b600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff8516845290915290205460ff16610dd657613c6d8161446c565b613c7883602061448b565b604051602001613c89929190615998565b60408051601f198184030181529082905262461bcd60e51b8252610cab91600401615a19565b6000808467ffffffffffffffff811115613ccb57613ccb615866565b604051908082528060200260200182016040528015613cf4578160200160208202803683370190505b5090506000859003613d32576040517f8999649c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60005b83811015613dab57613da3613d9e613d998989898987818110613d5a57613d5a615609565b9050602002016020810190613d6f9190615a4c565b61ffff16818110613d8257613d82615609565b9050602002810190613d949190615655565b6146bb565b61486c565b6148af565b600101613d35565b5060005b85811015613e1657868682818110613dc957613dc9615609565b9050602002810190613ddb9190615655565b604051613de99291906155cf565b6040518091039020828281518110613e0357613e03615609565b6020908102919091010152600101613daf565b5080604051602001613e2891906158e7565b60405160208183030381529060405280519060200120915050949350505050565b6000805b82811015613e7e57613e76848483818110613e6a57613e6a615609565b9050602002013561497e565b600101613e4d565b508282604051602001613e929291906157d1565b60405160208183030381529060405280519060200120905092915050565b600054610100900460ff16612ba65760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b600054610100900460ff16612c325760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b600054610100900460ff166140275760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b81600003614061576040517fb5ed5a3b00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b8060000361409b576040517fd10d72bb00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b609782905560988190556140af82426155bc565b60998190556097546098546040805192835260208301919091528101919091527f8f805c372b66240792580418b7328c0c554ae235f0932475c51b026887fe26a990606001611fbe565b6000614106602084615a67565b1561413d576040517f6426c6c500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b7f729eebce00000000000000000000000000000000000000000000000000000000835b80156141f257602081039050808601357fff000000000000000000000000000000000000000000000000000000000000008116156141a357604051838152600481fd5b7f73eda753299d7d483339d80809a1d80553bda402fffe5bfeffffffff00000001817f73eda753299d7d483339d80809a1d80553bda402fffe5bfeffffffff0000000187870908935050614160565b50509392505050565b8160000361423e578015610dd6576040517f0c25659200000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b80614278576040517f5228f4c800000000000000000000000000000000000000000000000000000000815260048101839052602401610cab565b600082815261014e60205260409020548114610dd6576040517f36459fa00000000000000000000000000000000000000000000000000000000081526004810183905260248101829052604401610cab565b60005b82811015611afb5761015060008585848181106142ec576142ec615609565b905060200201358152602001908152602001600020546000146143575783838281811061431b5761431b615609565b905060200201356040517fe5d14425000000000000000000000000000000000000000000000000000000008152600401610cab91815260200190565b81610150600086868581811061436f5761436f615609565b905060200201358152602001908152602001600020819055508184848381811061439b5761439b615609565b905060200201357f300e6f978eee6a4b0bba78dd8400dc64fd5652dbfc868a2258e16d0977be222b60405160405180910390a36001016142cd565b6143e1600283615a67565b1561441b576040517f0c91d77600000000000000000000000000000000000000000000000000000000815260048101839052602401610cab565b6000805b83811015614465576040518582013560f01c9250838301907f3c116827db9db3a30c1a25db8b0ee4bab9d2b223560209cfd839601b621c726d90600090a260020161441f565b5050505050565b6060610c3973ffffffffffffffffffffffffffffffffffffffff831660145b6060600061449a8360026155f2565b6144a59060026155bc565b67ffffffffffffffff8111156144bd576144bd615866565b6040519080825280601f01601f1916602001820160405280156144e7576020820181803683370190505b5090507f30000000000000000000000000000000000000000000000000000000000000008160008151811061451e5761451e615609565b60200101907effffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff1916908160001a9053507f78000000000000000000000000000000000000000000000000000000000000008160018151811061458157614581615609565b60200101907effffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff1916908160001a90535060006145bd8460026155f2565b6145c89060016155bc565b90505b6001811115614665577f303132333435363738396162636465660000000000000000000000000000000085600f166010811061460957614609615609565b1a60f81b82828151811061461f5761461f615609565b60200101907effffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff1916908160001a90535060049490941c9361465e81615aa2565b90506145cb565b5083156146b45760405162461bcd60e51b815260206004820181905260248201527f537472696e67733a20686578206c656e67746820696e73756666696369656e746044820152606401610cab565b9392505050565b606060018210156146f8576040517fbac5bf1b00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60008383600081811061470d5761470d615609565b909101357fff00000000000000000000000000000000000000000000000000000000000000169150507f0100000000000000000000000000000000000000000000000000000000000000819003614770576147688484614a03565b915050610c39565b7fff0000000000000000000000000000000000000000000000000000000000000081167f0200000000000000000000000000000000000000000000000000000000000000036147c3576147688484614a82565b7fc0000000000000000000000000000000000000000000000000000000000000007fff00000000000000000000000000000000000000000000000000000000000000821610614816576147688484614af2565b6040517f37003cd30000000000000000000000000000000000000000000000000000000081527fff0000000000000000000000000000000000000000000000000000000000000082166004820152602401610cab565b80517ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc81016004830190815291606091610c399190810160200190602401615ab9565b805160005b8181101561494e5760008382815181106148d0576148d0615609565b602090810291909101810151600081815260a590925260409091205490915080614929576040517f62a064c500000000000000000000000000000000000000000000000000000000815260048101839052602401610cab565b6002811461494457600082815260a560205260409020600290555b50506001016148b4565b507f95e84bb4317676921a29fd1d13f8f0153508473b899c12b3cd08314348801d6482604051611fbe9190615b77565b600081815260a66020526040902054156149c7576040517fee49e00100000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b600081815260a66020526040808220600190555182917f810484e22f73d8f099aaee1edb851ec6be6d84d43045d0a7803e5f7b3612edce91a250565b60606000614a148360018187615bbb565b8080601f0160208091040260200160405190810160405280939291908181526020018383808284376000920182905250939450614a569250849150614b579050565b90506000614a6382614b7c565b9050614a78614a73826007614c0b565b614d1f565b9695505050505050565b60606000614a938360018187615bbb565b8080601f0160208091040260200160405190810160405280939291908181526020018383808284376000920182905250939450614ad59250849150614b579050565b90506000614ae282614b7c565b9050614a78614a73826008614c0b565b6060600083838080601f0160208091040260200160405190810160405280939291908181526020018383808284376000920182905250939450614b3a9250849150614b579050565b90506000614b4782614b7c565b9050614a78614a73826006614c0b565b6040805180820190915260008082526020808301918252835183529290920190915290565b6040805160808101825260009181018281526060820183905281526020810191909152614ba882614dca565b614bde576040517f0600783200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000614bed8360200151614e05565b8360200151614bfc91906155bc565b92825250602081019190915290565b60408051808201909152600080825260208083018290528451015180518290811a8160f8821060018114614c44578015614c4f57614c69565b60c083039550614c69565b60f783039150600185019450816020036101000a85510495505b50602088015184860193506000614c7f82614e80565b9050614c8b81836155bc565b60208b015260005b614c9e60018b6155df565b811015614d0b578a60200151925085831115614ce9576040517f78268bbb00000000000000000000000000000000000000000000000000000000815260048101879052602401610cab565b614cf283614e80565b9150614cfe82846155bc565b60208c0152600101614c93565b508752602087015250939695505050505050565b8051606090600003614d5d576040517f5780864900000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600080614d6984614f2f565b915091508067ffffffffffffffff811115614d8657614d86615866565b6040519080825280601f01601f191660200182016040528015614db0576020820181803683370190505b50925060208301614dc2838284614f76565b505050919050565b80516000908103614ddd57506000919050565b6020820151805160001a9060c0821015614dfb575060009392505050565b5060019392505050565b8051600090811a6080811015614e1e5750600092915050565b60b8811080614e39575060c08110801590614e39575060f881105b15614e475750600192915050565b60c0811015614e7457614e5c600160b8615be5565b614e699060ff16826155df565b6146b49060016155bc565b614e5c600160f8615be5565b805160009081908190811a6080811015614e9d5760019250614f26565b60b8811015614ec357614eb16080826155df565b614ebc9060016155bc565b9250614f26565b60c0811015614ef15760b78103600186019550806020036101000a8651049250600181018301935050614f26565b60f8811015614f0557614eb160c0826155df565b60f78103600186019550806020036101000a86510492506001810183019350505b50909392505050565b6000806000614f418460200151614e05565b90506000818560200151614f5591906155bc565b90506000828660000151614f6991906155df565b9196919550909350505050565b80600003614f8357505050565b60208110614fbb5782518252614f9a6020846155bc565b9250614fa76020836155bc565b9150614fb46020826155df565b9050614f83565b8015610d3c5760006001614fd08360206155df565b614fdc90610100615ce2565b614fe691906155df565b84518451821691191617835250505050565b60006020828403121561500a57600080fd5b81357fffffffff00000000000000000000000000000000000000000000000000000000811681146146b457600080fd5b60006020828403121561504c57600080fd5b813560ff811681146146b457600080fd5b60006020828403121561506f57600080fd5b5035919050565b73ffffffffffffffffffffffffffffffffffffffff81168114611aba57600080fd5b600080604083850312156150ab57600080fd5b8235915060208301356150bd81615076565b809150509250929050565b60008083601f8401126150da57600080fd5b50813567ffffffffffffffff8111156150f257600080fd5b6020830191508360208260051b850101111561510d57600080fd5b9250929050565b60008083601f84011261512657600080fd5b50813567ffffffffffffffff81111561513e57600080fd5b60208301915083602082850101111561510d57600080fd5b6000806000806000806080878903121561516f57600080fd5b863567ffffffffffffffff8082111561518757600080fd5b6151938a838b016150c8565b909850965060208901359150808211156151ac57600080fd5b506151b989828a01615114565b979a9699509760408101359660609091013595509350505050565b60008060008060008060008060e0898b0312156151f057600080fd5b88356151fb81615076565b9750602089013561520b81615076565b96506040890135955060608901359450608089013561522981615076565b935060a089013567ffffffffffffffff81111561524557600080fd5b6152518b828c01615114565b999c989b50969995989497949560c00135949350505050565b60008060008060008060008060006101008a8c03121561528957600080fd5b8935985060208a0135975060408a01356152a281615076565b965060608a01356152b281615076565b955060808a013567ffffffffffffffff8111156152ce57600080fd5b6152da8c828d016150c8565b9a9d999c50979a9699979860a08801359760c0810135975060e0013595509350505050565b60006020828403121561531157600080fd5b813567ffffffffffffffff81111561532857600080fd5b820161014081850312156146b457600080fd5b60006020828403121561534d57600080fd5b813567ffffffffffffffff81111561536457600080fd5b820160e081850312156146b457600080fd5b6000806020838503121561538957600080fd5b823567ffffffffffffffff8111156153a057600080fd5b6153ac858286016150c8565b90969095509350505050565b600080600080606085870312156153ce57600080fd5b84356153d981615076565b935060208501359250604085013567ffffffffffffffff8111156153fc57600080fd5b61540887828801615114565b95989497509550505050565b6000806040838503121561542757600080fd5b823561543281615076565b946020939093013593505050565b6000610160828403121561545357600080fd5b50919050565b6000806000806060858703121561546f57600080fd5b843567ffffffffffffffff8082111561548757600080fd5b61549388838901615114565b90965094506020870135935060408701359150808211156154b357600080fd5b506154c087828801615440565b91505092959194509250565b6000602082840312156154de57600080fd5b813567ffffffffffffffff8111156154f557600080fd5b61550184828501615440565b949350505050565b818352818160208501375060006020828401015260006020601f19601f840116840101905092915050565b600073ffffffffffffffffffffffffffffffffffffffff808a16835280891660208401525086604083015285606083015284608083015260c060a083015261558060c083018486615509565b9998505050505050505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b80820180821115610c3957610c3961558d565b8183823760009101908152919050565b81810381811115610c3957610c3961558d565b8082028115828204841417610c3957610c3961558d565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052603260045260246000fd5b60006020828403121561564a57600080fd5b81356146b481615076565b60008083357fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe184360301811261568a57600080fd5b83018035915067ffffffffffffffff8211156156a557600080fd5b60200191503681900382131561510d57600080fd5b60008083357fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe18436030181126156ef57600080fd5b83018035915067ffffffffffffffff82111561570a57600080fd5b6020019150600581901b360382131561510d57600080fd5b60006020828403121561573457600080fd5b813563ffffffff811681146146b457600080fd5b600082357fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff4183360301811261577c57600080fd5b9190910192915050565b600060001982036157995761579961558d565b5060010190565b8581528460208201528360408201526080606082015260006157c6608083018486615509565b979650505050505050565b60007f07ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff83111561580057600080fd5b8260051b80858437919091019392505050565b60005b8381101561582e578181015183820152602001615816565b50506000910152565b60008351615849818460208801615813565b83519083019061585d818360208801615813565b01949350505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b803561ffff811681146158a757600080fd5b919050565b60008184825b858110156158dc5761ffff6158c683615895565b16835260209283019291909101906001016158b2565b509095945050505050565b815160009082906020808601845b83811015615911578151855293820193908201906001016158f5565b50929695505050505050565b604081526000615931604083018587615509565b82810360208481019190915284518083528582019282019060005b818110156159685784518352938301939183019160010161594c565b509098975050505050505050565b60006020828403121561598857600080fd5b815180151581146146b457600080fd5b7f416363657373436f6e74726f6c3a206163636f756e74200000000000000000008152600083516159d0816017850160208801615813565b7f206973206d697373696e6720726f6c65200000000000000000000000000000006017918401918201528351615a0d816028840160208801615813565b01602801949350505050565b6020815260008251806020840152615a38816040850160208701615813565b601f01601f19169190910160400192915050565b600060208284031215615a5e57600080fd5b6146b482615895565b600082615a9d577f4e487b7100000000000000000000000000000000000000000000000000000000600052601260045260246000fd5b500690565b600081615ab157615ab161558d565b506000190190565b60006020808385031215615acc57600080fd5b825167ffffffffffffffff80821115615ae457600080fd5b818501915085601f830112615af857600080fd5b815181811115615b0a57615b0a615866565b8060051b604051601f19603f83011681018181108582111715615b2f57615b2f615866565b604052918252848201925083810185019188831115615b4d57600080fd5b938501935b82851015615b6b57845184529385019392850192615b52565b98975050505050505050565b6020808252825182820181905260009190848201906040850190845b81811015615baf57835183529284019291840191600101615b93565b50909695505050505050565b60008085851115615bcb57600080fd5b83861115615bd857600080fd5b5050820193919092039150565b60ff8281168282160390811115610c3957610c3961558d565b600181815b80851115615c39578160001904821115615c1f57615c1f61558d565b80851615615c2c57918102915b93841c9390800290615c03565b509250929050565b600082615c5057506001610c39565b81615c5d57506000610c39565b8160018114615c735760028114615c7d57615c99565b6001915050610c39565b60ff841115615c8e57615c8e61558d565b50506001821b610c39565b5060208310610133831016604e8410600b8410161715615cbc575081810a610c39565b615cc68383615bfe565b8060001904821115615cda57615cda61558d565b029392505050565b60006146b48383615c4156fea2646970667358221220ce1b527ffc3bab997b9f594c98432e66cc83c4d492ad425afe0d8cd2b95cc53164736f6c63430008160033

Deployed Bytecode

0x6080604052600436106103975760003560e01c80637a776315116101dc578063b837dbe911610102578063cc5782f6116100a0578063d84f91e81161006f578063d84f91e814610afe578063e196fb5d14610b32578063f5b541a614610b52578063f9f4828414610b8657600080fd5b8063cc5782f614610a77578063d547741f14610aa7578063d5d4b83514610ac7578063d630280f14610ade57600080fd5b8063c0729ab1116100dc578063c0729ab114610a0b578063c1dc0f0714610a21578063c211697414610a37578063cbe4183914610a5757600080fd5b8063b837dbe914610992578063bc61e733146109a8578063bf3e7505146109d757600080fd5b80639ee8b2111161017a578063ac1eff6811610149578063ac1eff681461090e578063ad422ff014610952578063aea4f74514610968578063b4a5a4b71461097d57600080fd5b80639ee8b211146108b15780639f3ce55a146108d1578063a217fddf146108e4578063abd6230d146108f957600080fd5b806390dad3f6116101b657806390dad3f614610810578063914e57eb1461083057806391d148541461085e578063986fcddd146107cd57600080fd5b80637a776315146107ad5780637d1e8c55146107cd5780638be745d1146107e257600080fd5b80635355420e116102c157806360e83cf31161025f578063695378f51161022e578063695378f5146107625780636a637967146105585780636e6738431461077957806373bd07b71461041857600080fd5b806360e83cf31461069a5780636463fb2a146106c857806366f96e98146106e857806367e404ce1461071657600080fd5b80635b7eb4bd1161029b5780635b7eb4bd146105585780635c721a0c146106115780635ed73ceb1461063e5780636078bfd81461066c57600080fd5b80635355420e146105bb578063557eac73146105db57806358794456146105fb57600080fd5b80632c70645c116103395780634165d6dd116103085780634165d6dd1461053857806348922ab714610558578063491e09361461056d5780634cdd389b1461058d57600080fd5b80632c70645c146104b45780632f2ff15d146104cb57806336568abe146104eb5780633fc08b651461050b57600080fd5b806311314d0f1161037557806311314d0f146104185780631e2ff94f1461043f5780631f443da014610456578063248a9ca31461048457600080fd5b806301ffc9a71461039c57806305861180146103d15780631065a399146103f6575b600080fd5b3480156103a857600080fd5b506103bc6103b7366004614ff8565b610ba6565b60405190151581526020015b60405180910390f35b3480156103dd57600080fd5b506103e86101bb5481565b6040519081526020016103c8565b34801561040257600080fd5b5061041661041136600461503a565b610c3f565b005b34801561042457600080fd5b5061042d600281565b60405160ff90911681526020016103c8565b34801561044b57600080fd5b506103e86101185481565b34801561046257600080fd5b506103e861047136600461505d565b6101b96020526000908152604090205481565b34801561049057600080fd5b506103e861049f36600461505d565b60009081526065602052604090206001015490565b3480156104c057600080fd5b506103e86101835481565b3480156104d757600080fd5b506104166104e6366004615098565b610d17565b3480156104f757600080fd5b50610416610506366004615098565b610d41565b34801561051757600080fd5b506103e861052636600461505d565b60a56020526000908152604090205481565b34801561054457600080fd5b50610416610553366004615156565b610dda565b34801561056457600080fd5b5061042d600181565b34801561057957600080fd5b506104166105883660046151d4565b610e75565b34801561059957600080fd5b506103e86105a836600461505d565b6101b76020526000908152604090205481565b3480156105c757600080fd5b506104166105d636600461526a565b6111a8565b3480156105e757600080fd5b506104166105f636600461505d565b611509565b34801561060757600080fd5b506103e860995481565b34801561061d57600080fd5b506103e861062c36600461505d565b60a66020526000908152604090205481565b34801561064a57600080fd5b506103e861065936600461505d565b6101ba6020526000908152604090205481565b34801561067857600080fd5b506103e861068736600461505d565b6101b66020526000908152604090205481565b3480156106a657600080fd5b506103e86106b536600461505d565b6101506020526000908152604090205481565b3480156106d457600080fd5b506104166106e33660046152ff565b6115d1565b3480156106f457600080fd5b506103e861070336600461505d565b6101b86020526000908152604090205481565b34801561072257600080fd5b5060e55473ffffffffffffffffffffffffffffffffffffffff165b60405173ffffffffffffffffffffffffffffffffffffffff90911681526020016103c8565b34801561076e57600080fd5b506103e86101195481565b34801561078557600080fd5b506103e87f32937fd5162e282df7e9a14a5073a2425321c7966eaf70ed6c838a1006d84c4c81565b3480156107b957600080fd5b506104166107c836600461533b565b611abd565b3480156107d957600080fd5b5061042d600081565b3480156107ee57600080fd5b506103e86107fd36600461505d565b61011a6020526000908152604090205481565b34801561081c57600080fd5b5061041661082b366004615376565b611b01565b34801561083c57600080fd5b506103e861084b36600461505d565b61014e6020526000908152604090205481565b34801561086a57600080fd5b506103bc610879366004615098565b600091825260656020908152604080842073ffffffffffffffffffffffffffffffffffffffff93909316845291905290205460ff1690565b3480156108bd57600080fd5b506103bc6108cc36600461505d565b611b58565b6104166108df3660046153b8565b611b7c565b3480156108f057600080fd5b506103e8600081565b34801561090557600080fd5b5061042d600381565b34801561091a57600080fd5b5061073d61092936600461505d565b61011b6020526000908152604090205473ffffffffffffffffffffffffffffffffffffffff1681565b34801561095e57600080fd5b506103e860985481565b34801561097457600080fd5b50610416611d0e565b34801561098957600080fd5b5061042d600481565b34801561099e57600080fd5b506103e860e45481565b3480156109b457600080fd5b506103bc6109c336600461503a565b60da54600160ff9092169190911b16151590565b3480156109e357600080fd5b506103e87f1185e52d62bfbbea270e57d3d09733d221b53ab7a18bae82bb3c6c74bab16d8281565b348015610a1757600080fd5b506103e8609a5481565b348015610a2d57600080fd5b506103e860975481565b348015610a4357600080fd5b50610416610a52366004615414565b611d6a565b348015610a6357600080fd5b50610416610a7236600461505d565b611e99565b348015610a8357600080fd5b506103bc610a9236600461505d565b60d96020526000908152604090205460ff1681565b348015610ab357600080fd5b50610416610ac2366004615098565b611fca565b348015610ad357600080fd5b506103e86101bc5481565b348015610aea57600080fd5b50610416610af9366004615459565b611fef565b348015610b0a57600080fd5b506103e87f356a809dfdea9198dd76fb76bf6d403ecf13ea675eb89e1eda2db2c4a4676a2681565b348015610b3e57600080fd5b50610416610b4d36600461503a565b612285565b348015610b5e57600080fd5b506103e87f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b92981565b348015610b9257600080fd5b50610416610ba13660046154cc565b612330565b60007fffffffff0000000000000000000000000000000000000000000000000000000082167f7965db0b000000000000000000000000000000000000000000000000000000001480610c3957507f01ffc9a7000000000000000000000000000000000000000000000000000000007fffffffff000000000000000000000000000000000000000000000000000000008316145b92915050565b7f356a809dfdea9198dd76fb76bf6d403ecf13ea675eb89e1eda2db2c4a4676a26610c6981612356565b60da54600160ff84161b16610cb4576040517fb015579f00000000000000000000000000000000000000000000000000000000815260ff831660048201526024015b60405180910390fd5b60da8054600160ff851690811b199091169091557fef04ba2036ccaeab3a59717b51d2b9146b0b0904077177f1148a5418bf1eae23335b60405173ffffffffffffffffffffffffffffffffffffffff909116815260200160405180910390a25050565b600082815260656020526040902060010154610d3281612356565b610d3c8383612360565b505050565b73ffffffffffffffffffffffffffffffffffffffff81163314610dcc5760405162461bcd60e51b815260206004820152602f60248201527f416363657373436f6e74726f6c3a2063616e206f6e6c792072656e6f756e636560448201527f20726f6c657320666f722073656c6600000000000000000000000000000000006064820152608401610cab565b610dd68282612454565b5050565b6004610de58161250f565b7f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b929610e0f81612356565b61011954600090815261011a60205260409020548314610e5b576040517fead4c30e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b610e6b8888888888886001612595565b5050505050505050565b610e7d612a7b565b858784848760005a9050610e91600361250f565b60008e8e8e8e8b8e8e604051602001610eb09796959493929190615534565b604051602081830303815290604052805190602001209050610ed181612ad4565b610ee3610ede8d8f6155bc565b612b30565b8e60e560006101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055506000808f73ffffffffffffffffffffffffffffffffffffffff168e8d8d604051610f4f9291906155cf565b60006040518083038185875af1925050503d8060008114610f8c576040519150601f19603f3d011682016040523d82523d6000602084013e610f91565b606091505b509150915081610ffb57805115610fab5780518082602001fd5b8f6040517f54613443000000000000000000000000000000000000000000000000000000008152600401610cab919073ffffffffffffffffffffffffffffffffffffffff91909116815260200190565b60e580547fffffffffffffffffffffffff00000000000000000000000000000000000000001663075bcd1517905560405183907fa4c827e719e911e8f19393ccdb85b5102f08f0910604d340ba38390b7ff2ab0e90600090a2505086159050611198578560008490036110e457853b1580156110e2573a5a61107f61bc7c866155bc565b61108991906155df565b61109391906155f2565b9150818811156110de5773ffffffffffffffffffffffffffffffffffffffff87166108fc6110c1848b6155df565b6040518115909202916000818181858888f19350505050506110e2565b8791505b505b600073ffffffffffffffffffffffffffffffffffffffff841615611108578361110a565b335b905060008173ffffffffffffffffffffffffffffffffffffffff166108fc849081150290604051600060405180830381858888f19350505050905080611194576040517fa57c4df400000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff83166004820152602401610cab565b5050505b505050505050610e6b600160a755565b600054610100900460ff16158080156111c85750600054600160ff909116105b806111e25750303b1580156111e2575060005460ff166001145b6112545760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201527f647920696e697469616c697a65640000000000000000000000000000000000006064820152608401610cab565b600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0016600117905580156112b257600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff166101001790555b73ffffffffffffffffffffffffffffffffffffffff88166112ff576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60005b858110156113d857600087878381811061131e5761131e615609565b90506020020160208101906113339190615638565b73ffffffffffffffffffffffffffffffffffffffff1603611380576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6113d07f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b9298888848181106113b6576113b6615609565b90506020020160208101906113cb9190615638565b612360565b600101611302565b506113e4600088612360565b61140e7f32937fd5162e282df7e9a14a5073a2425321c7966eaf70ed6c838a1006d84c4c88612360565b611416612bad565b6114238788868686612c34565b7f033d11f27e62ab919708ec716731da80d261a6e4253259b7acde9bf89d28ec1880547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff8a16179055610119899055600089815261011a602052604090208a905580156114fd57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff169055604051600181527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb38474024989060200160405180910390a15b50505050505050505050565b7f1185e52d62bfbbea270e57d3d09733d221b53ab7a18bae82bb3c6c74bab16d8261153381612356565b600080600042609954101561155a5760975461154f90426155bc565b60995550600161156c565b609a5485101561156c57849250600191505b6098859055808061157a5750815b1561158557609a8390555b60408051868152831515602082015282151581830152905133917fbc3dc0cb5c15c51c81316450d44048838bb478b9809447d01c766a06f3e9f2c8919081900360600190a25050505050565b6115d9612a7b565b60a081018035906115ed9060808401615638565b6115fb610120840184615655565b61160c610100860160e08701615638565b60005a905061161b600361250f565b610100870135600090815261015060205260408120549081900361166b576040517f4e68667500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61167588806156ba565b905081146116c4578061168889806156ba565b6040517f5e3fd6ad0000000000000000000000000000000000000000000000000000000081526004810193909352602483015250604401610cab565b6116d18860200135612e04565b6116e6610ede60c08a013560a08b01356155bc565b60006116f860808a0160608b01615638565b61170860a08b0160808c01615638565b60a08b013560c08c013560208d01356117256101208f018f615655565b60405160200161173b9796959493929190615534565b60408051601f198184030181529190528051602090910120905061177e816117638b806156ba565b61177360608e0160408f01615722565b8d6101000135612e7e565b6117b4576040517fb05e92fa00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6117c460808a0160608b01615638565b60e580547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff9290921691909117905560008061181c60a08c0160808d01615638565b73ffffffffffffffffffffffffffffffffffffffff1660c08c01356118456101208e018e615655565b6040516118539291906155cf565b60006040518083038185875af1925050503d8060008114611890576040519150601f19603f3d011682016040523d82523d6000602084013e611895565b606091505b50915091508161190a578051156118af5780518082602001fd5b6118bf60a08c0160808d01615638565b6040517f5461344300000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff9091166004820152602401610cab565b60e580547fffffffffffffffffffffffff00000000000000000000000000000000000000001663075bcd1517905560405183907fa4c827e719e911e8f19393ccdb85b5102f08f0910604d340ba38390b7ff2ab0e90600090a2505050506000861115611aaa578560008490036119f657853b1580156119f4573a5a61199161bc7c866155bc565b61199b91906155df565b6119a591906155f2565b9150818811156119f05773ffffffffffffffffffffffffffffffffffffffff87166108fc6119d3848b6155df565b6040518115909202916000818181858888f19350505050506119f4565b8791505b505b600073ffffffffffffffffffffffffffffffffffffffff841615611a1a5783611a1c565b335b905060008173ffffffffffffffffffffffffffffffffffffffff166108fc849081150290604051600060405180830381858888f19350505050905080611aa6576040517fa57c4df400000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff83166004820152602401610cab565b5050505b505050505050611aba600160a755565b50565b6004611ac88161250f565b7f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b929611af281612356565b611afb83612f15565b50505050565b6001611b0c81613329565b6000611b1781612356565b611afb848486866000818110611b2f57611b2f615609565b9050602002810190611b419190615748565b611b4f906080810190615655565b60008080612595565b600881901c600090815261014f6020526040812054600160ff84161b161515610c39565b6002611b878161250f565b73ffffffffffffffffffffffffffffffffffffffff8516611bd4576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b34841115611c0e576040517fb03b693200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60e4805460009182611c1f83615786565b9091555090506000611c3186346155df565b9050600033888884868a8a604051602001611c529796959493929190615534565b60405160208183030381529060405280519060200120905043610183541115611c8c57600081815260a56020526040902060019055611c96565b611c968382613370565b808873ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff167fe856c2b8bd4eb0027ce32eeaf595c21b0b6b4644b326e5b7bd80a1cf8db72e6c8a86888c8c604051611cfc9594939291906157a0565b60405180910390a45050505050505050565b7f1185e52d62bfbbea270e57d3d09733d221b53ab7a18bae82bb3c6c74bab16d82611d3881612356565b6000609a81905560405133917fba88c025b0cbb77022c0c487beef24f759f1e4be2f51a205bc427cee19c2eaa691a250565b7f32937fd5162e282df7e9a14a5073a2425321c7966eaf70ed6c838a1006d84c4c611d9481612356565b73ffffffffffffffffffffffffffffffffffffffff8316611de1576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600082815261011b602090815260409182902054915173ffffffffffffffffffffffffffffffffffffffff928316815233928592908716917f4a29db3fc6b42bda201e4b4d69ce8d575eeeba5f153509c0d0a342af0f1bd021910160405180910390a450600090815261011b6020526040902080547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b600054600290610100900460ff16158015611ebb575060005460ff8083169116105b611f2d5760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201527f647920696e697469616c697a65640000000000000000000000000000000000006064820152608401610cab565b600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00001660ff831617610100179055611f67826133cf565b600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff16905560405160ff821681527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb3847402498906020015b60405180910390a15050565b600082815260656020526040902060010154611fe581612356565b610d3c8383612454565b6004611ffa8161250f565b7f97667070c54ef182b0f5858b034beac1b6f3089aa2d3188bb1e8929f4fa9b92961202481612356565b600085900361205f576040517f7907d79b00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61011954600081815261011a60205260409020548435146120ac576040517fead4c30e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6101bb546101bc546120c0868460016134c2565b60006101b8816120d360208a018a6156ba565b60016120e260208d018d6156ba565b9050038181106120f4576120f4615609565b9050602002013581526020019081526020016000205490506000801b8103612148576040517f5548c6b300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b604080516020810183905288359181019190915260808089013560608084019190915260a0808b01359284019290925290820186905288013560c082015260009060e00160408051601f198184030181529190528360c08a01358660e08c01356101208d01356121bc6101008f018f6156ba565b6040516020016121cd9291906157d1565b60408051601f198184030181528282528051602091820120908301979097528101949094526060840192909252608083015260a082015260c081019190915260e00160408051601f198184030181529082905261222d9291602001615837565b60408051601f1981840301815291905280516020909101207f30644e72e131a029b85045b68181585d2833e84879b9709143e1f593f000000190069050612278818a8d8d8c35613a60565b5050505050505050505050565b7f356a809dfdea9198dd76fb76bf6d403ecf13ea675eb89e1eda2db2c4a4676a266122af81612356565b60da54600160ff84161b16156122f6576040517fdb246dde00000000000000000000000000000000000000000000000000000000815260ff83166004820152602401610cab565b60da8054600160ff851690811b9091179091557fab40a374bc51de372200a8bc981af8c9ecdc08dfdaef0bb6e09f88f3c616ef3d33610ceb565b600161233b81613329565b600061234681612356565b61011954611afb848260006134c2565b611aba8133613c2d565b600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff8516845290915290205460ff16610dd657600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff85168452909152902080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001660011790556123f63390565b73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45050565b600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff8516845290915290205460ff1615610dd657600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff8516808552925280832080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0016905551339285917ff6391f5c32d9c69d2a47ea670b442974b53935d1edc7fd64eb21e047a839171b9190a45050565b60da54600160ff83161b811615612557576040517fdb246dde00000000000000000000000000000000000000000000000000000000815260ff83166004820152602401610cab565b6002811615610dd6576040517fdb246dde00000000000000000000000000000000000000000000000000000000815260016004820152602401610cab565b60008690036125d0576040517fe98cfd2f00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b610119546001810160008867ffffffffffffffff8111156125f3576125f3615866565b60405190808252806020026020018201604052801561261c578160200160208202803683370190505b50905060008967ffffffffffffffff81111561263a5761263a615866565b604051908082528060200260200182016040528015612663578160200160208202803683370190505b509050606060018b0167ffffffffffffffff81111561268457612684615866565b6040519080825280602002602001820160405280156126ad578160200160208202803683370190505b50905086816000815181106126c4576126c4615609565b60200260200101818152505060008060005b8d8110156128ff57368f8f838181106126f1576126f1615609565b90506020028101906127039190615748565b9050426127166040830160208401615722565b63ffffffff1610612772576127316040820160208301615722565b6040517fa75d20db00000000000000000000000000000000000000000000000000000000815263ffffffff9091166004820152426024820152604401610cab565b61279461278260408301836156ba565b61278f60a08501856156ba565b613caf565b93506127ab6127a660608301836156ba565b613e49565b600190990198925083836127c260a08401846156ba565b6040516020016127d39291906158ac565b60408051601f1981840301815291905280516020909101206127f86080850185615655565b6040516128069291906155cf565b6040519081900381206128349493929160200193845260208401929092526040830152606082015260800190565b6040516020818303038152906040528051906020012086838151811061285c5761285c615609565b60200260200101818152505080602001602081019061287b9190615722565b63ffffffff1687838151811061289357612893615609565b60200260200101818152505080600001358583600101815181106128b9576128b9615609565b60209081029190910101526040518a1515908235908b907f047c6ce79802b16b6527cedd89156bb59f2da26867b4f218fa60c9521ddcce5590600090a4506001016126d6565b506000198d018e8e8281811061291757612917615609565b90506020028101906129299190615748565b600089815261011a60205260409020903590558e8e8281811061294e5761294e615609565b90506020028101906129609190615748565b612971906040810190602001615722565b63ffffffff1661011855506101198790558715612a6b5760008460405160200161299b91906158e7565b6040516020818303038152906040528051906020012087876040516020016129c391906158e7565b60405160208183030381529060405280519060200120866040516020016129ea91906158e7565b60408051601f198184030181528282528051602091820120908301959095528101929092526060820152608081019190915260a00160408051601f1981840301815291905280516020909101207f30644e72e131a029b85045b68181585d2833e84879b9709143e1f593f000000190069050612a69818c8f8f8e613a60565b505b5050505050505050505050505050565b600260a75403612acd5760405162461bcd60e51b815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c006044820152606401610cab565b600260a755565b600081815260a66020526040902054600114612b1f576040517f992d87c300000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b600090815260a66020526040812055565b6000426099541015612b5357609754612b4990426155bc565b6099555080612b64565b81609a54612b6191906155bc565b90505b609854811115612ba0576040517fa74c1c5f00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b609a5550565b600160a755565b600054610100900460ff16612c2a5760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b612c32613eb0565b565b600054610100900460ff16612cb15760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b73ffffffffffffffffffffffffffffffffffffffff8516612cfe576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b73ffffffffffffffffffffffffffffffffffffffff8416612d4b576040517f8579befe00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b612d53613f2d565b612d5b613f2d565b612d63613f2d565b612d6d8383613faa565b612d977f1185e52d62bfbbea270e57d3d09733d221b53ab7a18bae82bb3c6c74bab16d8286612360565b612dc17f356a809dfdea9198dd76fb76bf6d403ecf13ea675eb89e1eda2db2c4a4676a2685612360565b612dca816133cf565b5050600160e455505060e580547fffffffffffffffffffffffff00000000000000000000000000000000000000001663075bcd1517905550565b600881901c600090815261014f6020526040902054600160ff83161b1615612e5b576040517f335a4a9000000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b600881901c600090815261014f602052604090208054600160ff84161b17905550565b600085815b85811015612f0857600163ffffffff8616821c81169003612ed157612eca878783818110612eb357612eb3615609565b905060200201358360009182526020526040902090565b9150612f00565b612efd82888884818110612ee757612ee7615609565b9050602002013560009182526020526040902090565b91505b600101612e83565b5090911495945050505050565b6000612f2460c0830183615655565b9050600003612f5f576040517fc01eab5600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6040820135612f9a576040517f2898482a00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5060208082013560008181526101b883526040808220546101b6855281832054610119546101ba909652919092205491939092909190156130a85782613016576040517fd5aa5ad60000000000000000000000000000000000000000000000000000000081526004810184905285356024820152604401610cab565b60006130238260016155bc565b90508560600135811461306f576040517fabefa5e80000000000000000000000000000000000000000000000000000000081526004810182905260608701356024820152604401610cab565b846130a6576040517f5548c6b300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b505b818560600135116130f2576040517fa386ed700000000000000000000000000000000000000000000000000000000081526060860135600482015260248101839052604401610cab565b846080013585606001351115613144576040517fcbbd79530000000000000000000000000000000000000000000000000000000081526060860135600482015260808601356024820152604401610cab565b84358314613188576040517fd5aa5ad60000000000000000000000000000000000000000000000000000000081526004810184905285356024820152604401610cab565b600061319760c0870187615655565b6040516131a59291906155cf565b604080519182900390912060008181526101b66020529190912054909150156131fd576040517f0f06cd1500000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b60008181526101b760209081526040808320828a013590556101b68252808320818a013590556101b9825280832060608a013590556101ba825280832060808a013590555161325d9160a08a013591859101918252602082015260400190565b604051602081830303815290604052805190602001209050858760a0013588604001358361329a8b8060c001906132949190615655565b876140f9565b6040805160208101969096528501939093526060840191909152608083015260a082015260c00160408051601f19818403018152828252805160209182012060008681526101b890925291812082905590975060808901359160608a01359185917f174b4a2e83ebebaf6824e559d2bab7b7e229c80d211e98298a1224970b719a429190a45050505050919050565b60da54600160ff83161b1615611aba576040517fdb246dde00000000000000000000000000000000000000000000000000000000815260ff82166004820152602401610cab565b6000198201600090815261014e60208181526040808420548452848252808420868552929091528083208290555190918391839186917fea3b023b4c8680d4b4824f0143132c95476359a2bb70a81d6c5a36f6918f63399190a4505050565b600054610100900460ff1661344c5760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b80600003613486576040517f9b0f0c2800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6101838190556040518181527f405b3b16b9190c1e995514c13ab4e8e7d895d9103e91c3a8c8f12df6cd50aa2c9060200160405180910390a150565b60006134d160208501856156ba565b905090508060000361350f576040517fdcb2388500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b82846060013511613559576040517f706144050000000000000000000000000000000000000000000000000000000081526060850135600482015260248101849052604401610cab565b61356b8460e001358560c001356141fb565b836080013561011854146135bd57610118546040517f3211d9be000000000000000000000000000000000000000000000000000000008152600481019190915260808501356024820152604401610cab565b428460a0013510613606576040517fbf81c6e000000000000000000000000000000000000000000000000000000000815260a08501356004820152426024820152604401610cab565b60006101b78161361960208801886156ba565b600081811061362a5761362a615609565b9050602002013581526020019081526020016000205490508460400135811461368c57604080517f9a89a75800000000000000000000000000000000000000000000000000000000815260048101839052908601356024820152604401610cab565b60008181526101b6602052604090205481156136e657853581146136e6576040517fe1cb6e600000000000000000000000000000000000000000000000000000000081526004810182905286356024820152604401610cab565b60006101b6816136f960208a018a6156ba565b6137046001896155df565b81811061371357613713615609565b9050602002013581526020019081526020016000205490506000801b8103613767576040517f2898482a00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6137836137786101008901896156ba565b8961012001356142ca565b61379a613794610140890189615655565b886143d6565b60015b848110156138b3576137b260208901896156ba565b600183038181106137c5576137c5615609565b905060200201356101b760008a80602001906137e191906156ba565b858181106137f1576137f1615609565b90506020020135815260200190815260200160002054146138ab5761381960208901896156ba565b6001830381811061382c5761382c615609565b905060200201356101b760008a806020019061384891906156ba565b8581811061385857613858615609565b905060200201358152602001908152602001600020546040517f710cd580000000000000000000000000000000000000000000000000000000008152600401610cab929190918252602082015260400190565b60010161379d565b5060006101b9816138c760208b018b6156ba565b60008181106138d8576138d8615609565b90506020020135815260200190815260200160002054905060006101ba60008a806020019061390791906156ba565b61391260018b6155df565b81811061392157613921615609565b90506020020135815260200190815260200160002054905088606001358114613983576040517f9f6adc690000000000000000000000000000000000000000000000000000000081526004810182905260608a01356024820152604401610cab565b61398e8860016155bc565b82146139dc5761399f8860016155bc565b6040517fabefa5e8000000000000000000000000000000000000000000000000000000008152600481019190915260248101839052604401610cab565b6060890135600081815261011a60205260409081902085905560a08b01356101185561011982905560e08b01356101bb5560c08b01356101bc555184918b35917f1335f1a2b3ff25f07f5fef07dd35d8fb4312c3c73b138e2fad9347b3319ab53c90613a4d908c1515815260200190565b60405180910390a4505050505050505050565b604080516001808252818301909252600091602080830190803683370190505090508581600081518110613a9657613a96615609565b602090810291909101810191909152600086815261011b909152604090205473ffffffffffffffffffffffffffffffffffffffff1680613b02576040517f69ed70ab00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6040517f7e4f7a8a00000000000000000000000000000000000000000000000000000000815260009073ffffffffffffffffffffffffffffffffffffffff831690637e4f7a8a90613b5b9089908990889060040161591d565b6020604051808303816000875af1158015613b7a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613b9e9190615976565b905080613bd7576040517f09bde33900000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61011954600081815261011a6020908152604091829020548251888152918201527f5c885a794662ebe3b08ae0874fc2c88b5343b0223ba9cd2cad92b69c0d0c901f910160405180910390a25050505050505050565b600082815260656020908152604080832073ffffffffffffffffffffffffffffffffffffffff8516845290915290205460ff16610dd657613c6d8161446c565b613c7883602061448b565b604051602001613c89929190615998565b60408051601f198184030181529082905262461bcd60e51b8252610cab91600401615a19565b6000808467ffffffffffffffff811115613ccb57613ccb615866565b604051908082528060200260200182016040528015613cf4578160200160208202803683370190505b5090506000859003613d32576040517f8999649c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60005b83811015613dab57613da3613d9e613d998989898987818110613d5a57613d5a615609565b9050602002016020810190613d6f9190615a4c565b61ffff16818110613d8257613d82615609565b9050602002810190613d949190615655565b6146bb565b61486c565b6148af565b600101613d35565b5060005b85811015613e1657868682818110613dc957613dc9615609565b9050602002810190613ddb9190615655565b604051613de99291906155cf565b6040518091039020828281518110613e0357613e03615609565b6020908102919091010152600101613daf565b5080604051602001613e2891906158e7565b60405160208183030381529060405280519060200120915050949350505050565b6000805b82811015613e7e57613e76848483818110613e6a57613e6a615609565b9050602002013561497e565b600101613e4d565b508282604051602001613e929291906157d1565b60405160208183030381529060405280519060200120905092915050565b600054610100900460ff16612ba65760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b600054610100900460ff16612c325760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b600054610100900460ff166140275760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610cab565b81600003614061576040517fb5ed5a3b00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b8060000361409b576040517fd10d72bb00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b609782905560988190556140af82426155bc565b60998190556097546098546040805192835260208301919091528101919091527f8f805c372b66240792580418b7328c0c554ae235f0932475c51b026887fe26a990606001611fbe565b6000614106602084615a67565b1561413d576040517f6426c6c500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b7f729eebce00000000000000000000000000000000000000000000000000000000835b80156141f257602081039050808601357fff000000000000000000000000000000000000000000000000000000000000008116156141a357604051838152600481fd5b7f73eda753299d7d483339d80809a1d80553bda402fffe5bfeffffffff00000001817f73eda753299d7d483339d80809a1d80553bda402fffe5bfeffffffff0000000187870908935050614160565b50509392505050565b8160000361423e578015610dd6576040517f0c25659200000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b80614278576040517f5228f4c800000000000000000000000000000000000000000000000000000000815260048101839052602401610cab565b600082815261014e60205260409020548114610dd6576040517f36459fa00000000000000000000000000000000000000000000000000000000081526004810183905260248101829052604401610cab565b60005b82811015611afb5761015060008585848181106142ec576142ec615609565b905060200201358152602001908152602001600020546000146143575783838281811061431b5761431b615609565b905060200201356040517fe5d14425000000000000000000000000000000000000000000000000000000008152600401610cab91815260200190565b81610150600086868581811061436f5761436f615609565b905060200201358152602001908152602001600020819055508184848381811061439b5761439b615609565b905060200201357f300e6f978eee6a4b0bba78dd8400dc64fd5652dbfc868a2258e16d0977be222b60405160405180910390a36001016142cd565b6143e1600283615a67565b1561441b576040517f0c91d77600000000000000000000000000000000000000000000000000000000815260048101839052602401610cab565b6000805b83811015614465576040518582013560f01c9250838301907f3c116827db9db3a30c1a25db8b0ee4bab9d2b223560209cfd839601b621c726d90600090a260020161441f565b5050505050565b6060610c3973ffffffffffffffffffffffffffffffffffffffff831660145b6060600061449a8360026155f2565b6144a59060026155bc565b67ffffffffffffffff8111156144bd576144bd615866565b6040519080825280601f01601f1916602001820160405280156144e7576020820181803683370190505b5090507f30000000000000000000000000000000000000000000000000000000000000008160008151811061451e5761451e615609565b60200101907effffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff1916908160001a9053507f78000000000000000000000000000000000000000000000000000000000000008160018151811061458157614581615609565b60200101907effffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff1916908160001a90535060006145bd8460026155f2565b6145c89060016155bc565b90505b6001811115614665577f303132333435363738396162636465660000000000000000000000000000000085600f166010811061460957614609615609565b1a60f81b82828151811061461f5761461f615609565b60200101907effffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff1916908160001a90535060049490941c9361465e81615aa2565b90506145cb565b5083156146b45760405162461bcd60e51b815260206004820181905260248201527f537472696e67733a20686578206c656e67746820696e73756666696369656e746044820152606401610cab565b9392505050565b606060018210156146f8576040517fbac5bf1b00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60008383600081811061470d5761470d615609565b909101357fff00000000000000000000000000000000000000000000000000000000000000169150507f0100000000000000000000000000000000000000000000000000000000000000819003614770576147688484614a03565b915050610c39565b7fff0000000000000000000000000000000000000000000000000000000000000081167f0200000000000000000000000000000000000000000000000000000000000000036147c3576147688484614a82565b7fc0000000000000000000000000000000000000000000000000000000000000007fff00000000000000000000000000000000000000000000000000000000000000821610614816576147688484614af2565b6040517f37003cd30000000000000000000000000000000000000000000000000000000081527fff0000000000000000000000000000000000000000000000000000000000000082166004820152602401610cab565b80517ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffc81016004830190815291606091610c399190810160200190602401615ab9565b805160005b8181101561494e5760008382815181106148d0576148d0615609565b602090810291909101810151600081815260a590925260409091205490915080614929576040517f62a064c500000000000000000000000000000000000000000000000000000000815260048101839052602401610cab565b6002811461494457600082815260a560205260409020600290555b50506001016148b4565b507f95e84bb4317676921a29fd1d13f8f0153508473b899c12b3cd08314348801d6482604051611fbe9190615b77565b600081815260a66020526040902054156149c7576040517fee49e00100000000000000000000000000000000000000000000000000000000815260048101829052602401610cab565b600081815260a66020526040808220600190555182917f810484e22f73d8f099aaee1edb851ec6be6d84d43045d0a7803e5f7b3612edce91a250565b60606000614a148360018187615bbb565b8080601f0160208091040260200160405190810160405280939291908181526020018383808284376000920182905250939450614a569250849150614b579050565b90506000614a6382614b7c565b9050614a78614a73826007614c0b565b614d1f565b9695505050505050565b60606000614a938360018187615bbb565b8080601f0160208091040260200160405190810160405280939291908181526020018383808284376000920182905250939450614ad59250849150614b579050565b90506000614ae282614b7c565b9050614a78614a73826008614c0b565b6060600083838080601f0160208091040260200160405190810160405280939291908181526020018383808284376000920182905250939450614b3a9250849150614b579050565b90506000614b4782614b7c565b9050614a78614a73826006614c0b565b6040805180820190915260008082526020808301918252835183529290920190915290565b6040805160808101825260009181018281526060820183905281526020810191909152614ba882614dca565b614bde576040517f0600783200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000614bed8360200151614e05565b8360200151614bfc91906155bc565b92825250602081019190915290565b60408051808201909152600080825260208083018290528451015180518290811a8160f8821060018114614c44578015614c4f57614c69565b60c083039550614c69565b60f783039150600185019450816020036101000a85510495505b50602088015184860193506000614c7f82614e80565b9050614c8b81836155bc565b60208b015260005b614c9e60018b6155df565b811015614d0b578a60200151925085831115614ce9576040517f78268bbb00000000000000000000000000000000000000000000000000000000815260048101879052602401610cab565b614cf283614e80565b9150614cfe82846155bc565b60208c0152600101614c93565b508752602087015250939695505050505050565b8051606090600003614d5d576040517f5780864900000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600080614d6984614f2f565b915091508067ffffffffffffffff811115614d8657614d86615866565b6040519080825280601f01601f191660200182016040528015614db0576020820181803683370190505b50925060208301614dc2838284614f76565b505050919050565b80516000908103614ddd57506000919050565b6020820151805160001a9060c0821015614dfb575060009392505050565b5060019392505050565b8051600090811a6080811015614e1e5750600092915050565b60b8811080614e39575060c08110801590614e39575060f881105b15614e475750600192915050565b60c0811015614e7457614e5c600160b8615be5565b614e699060ff16826155df565b6146b49060016155bc565b614e5c600160f8615be5565b805160009081908190811a6080811015614e9d5760019250614f26565b60b8811015614ec357614eb16080826155df565b614ebc9060016155bc565b9250614f26565b60c0811015614ef15760b78103600186019550806020036101000a8651049250600181018301935050614f26565b60f8811015614f0557614eb160c0826155df565b60f78103600186019550806020036101000a86510492506001810183019350505b50909392505050565b6000806000614f418460200151614e05565b90506000818560200151614f5591906155bc565b90506000828660000151614f6991906155df565b9196919550909350505050565b80600003614f8357505050565b60208110614fbb5782518252614f9a6020846155bc565b9250614fa76020836155bc565b9150614fb46020826155df565b9050614f83565b8015610d3c5760006001614fd08360206155df565b614fdc90610100615ce2565b614fe691906155df565b84518451821691191617835250505050565b60006020828403121561500a57600080fd5b81357fffffffff00000000000000000000000000000000000000000000000000000000811681146146b457600080fd5b60006020828403121561504c57600080fd5b813560ff811681146146b457600080fd5b60006020828403121561506f57600080fd5b5035919050565b73ffffffffffffffffffffffffffffffffffffffff81168114611aba57600080fd5b600080604083850312156150ab57600080fd5b8235915060208301356150bd81615076565b809150509250929050565b60008083601f8401126150da57600080fd5b50813567ffffffffffffffff8111156150f257600080fd5b6020830191508360208260051b850101111561510d57600080fd5b9250929050565b60008083601f84011261512657600080fd5b50813567ffffffffffffffff81111561513e57600080fd5b60208301915083602082850101111561510d57600080fd5b6000806000806000806080878903121561516f57600080fd5b863567ffffffffffffffff8082111561518757600080fd5b6151938a838b016150c8565b909850965060208901359150808211156151ac57600080fd5b506151b989828a01615114565b979a9699509760408101359660609091013595509350505050565b60008060008060008060008060e0898b0312156151f057600080fd5b88356151fb81615076565b9750602089013561520b81615076565b96506040890135955060608901359450608089013561522981615076565b935060a089013567ffffffffffffffff81111561524557600080fd5b6152518b828c01615114565b999c989b50969995989497949560c00135949350505050565b60008060008060008060008060006101008a8c03121561528957600080fd5b8935985060208a0135975060408a01356152a281615076565b965060608a01356152b281615076565b955060808a013567ffffffffffffffff8111156152ce57600080fd5b6152da8c828d016150c8565b9a9d999c50979a9699979860a08801359760c0810135975060e0013595509350505050565b60006020828403121561531157600080fd5b813567ffffffffffffffff81111561532857600080fd5b820161014081850312156146b457600080fd5b60006020828403121561534d57600080fd5b813567ffffffffffffffff81111561536457600080fd5b820160e081850312156146b457600080fd5b6000806020838503121561538957600080fd5b823567ffffffffffffffff8111156153a057600080fd5b6153ac858286016150c8565b90969095509350505050565b600080600080606085870312156153ce57600080fd5b84356153d981615076565b935060208501359250604085013567ffffffffffffffff8111156153fc57600080fd5b61540887828801615114565b95989497509550505050565b6000806040838503121561542757600080fd5b823561543281615076565b946020939093013593505050565b6000610160828403121561545357600080fd5b50919050565b6000806000806060858703121561546f57600080fd5b843567ffffffffffffffff8082111561548757600080fd5b61549388838901615114565b90965094506020870135935060408701359150808211156154b357600080fd5b506154c087828801615440565b91505092959194509250565b6000602082840312156154de57600080fd5b813567ffffffffffffffff8111156154f557600080fd5b61550184828501615440565b949350505050565b818352818160208501375060006020828401015260006020601f19601f840116840101905092915050565b600073ffffffffffffffffffffffffffffffffffffffff808a16835280891660208401525086604083015285606083015284608083015260c060a083015261558060c083018486615509565b9998505050505050505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b80820180821115610c3957610c3961558d565b8183823760009101908152919050565b81810381811115610c3957610c3961558d565b8082028115828204841417610c3957610c3961558d565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052603260045260246000fd5b60006020828403121561564a57600080fd5b81356146b481615076565b60008083357fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe184360301811261568a57600080fd5b83018035915067ffffffffffffffff8211156156a557600080fd5b60200191503681900382131561510d57600080fd5b60008083357fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe18436030181126156ef57600080fd5b83018035915067ffffffffffffffff82111561570a57600080fd5b6020019150600581901b360382131561510d57600080fd5b60006020828403121561573457600080fd5b813563ffffffff811681146146b457600080fd5b600082357fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff4183360301811261577c57600080fd5b9190910192915050565b600060001982036157995761579961558d565b5060010190565b8581528460208201528360408201526080606082015260006157c6608083018486615509565b979650505050505050565b60007f07ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff83111561580057600080fd5b8260051b80858437919091019392505050565b60005b8381101561582e578181015183820152602001615816565b50506000910152565b60008351615849818460208801615813565b83519083019061585d818360208801615813565b01949350505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b803561ffff811681146158a757600080fd5b919050565b60008184825b858110156158dc5761ffff6158c683615895565b16835260209283019291909101906001016158b2565b509095945050505050565b815160009082906020808601845b83811015615911578151855293820193908201906001016158f5565b50929695505050505050565b604081526000615931604083018587615509565b82810360208481019190915284518083528582019282019060005b818110156159685784518352938301939183019160010161594c565b509098975050505050505050565b60006020828403121561598857600080fd5b815180151581146146b457600080fd5b7f416363657373436f6e74726f6c3a206163636f756e74200000000000000000008152600083516159d0816017850160208801615813565b7f206973206d697373696e6720726f6c65200000000000000000000000000000006017918401918201528351615a0d816028840160208801615813565b01602801949350505050565b6020815260008251806020840152615a38816040850160208701615813565b601f01601f19169190910160400192915050565b600060208284031215615a5e57600080fd5b6146b482615895565b600082615a9d577f4e487b7100000000000000000000000000000000000000000000000000000000600052601260045260246000fd5b500690565b600081615ab157615ab161558d565b506000190190565b60006020808385031215615acc57600080fd5b825167ffffffffffffffff80821115615ae457600080fd5b818501915085601f830112615af857600080fd5b815181811115615b0a57615b0a615866565b8060051b604051601f19603f83011681018181108582111715615b2f57615b2f615866565b604052918252848201925083810185019188831115615b4d57600080fd5b938501935b82851015615b6b57845184529385019392850192615b52565b98975050505050505050565b6020808252825182820181905260009190848201906040850190845b81811015615baf57835183529284019291840191600101615b93565b50909695505050505050565b60008085851115615bcb57600080fd5b83861115615bd857600080fd5b5050820193919092039150565b60ff8281168282160390811115610c3957610c3961558d565b600181815b80851115615c39578160001904821115615c1f57615c1f61558d565b80851615615c2c57918102915b93841c9390800290615c03565b509250929050565b600082615c5057506001610c39565b81615c5d57506000610c39565b8160018114615c735760028114615c7d57615c99565b6001915050610c39565b60ff841115615c8e57615c8e61558d565b50506001821b610c39565b5060208310610133831016604e8410600b8410161715615cbc575081810a610c39565b615cc68383615bfe565b8060001904821115615cda57615cda61558d565b029392505050565b60006146b48383615c4156fea2646970667358221220ce1b527ffc3bab997b9f594c98432e66cc83c4d492ad425afe0d8cd2b95cc53164736f6c63430008160033

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.