ETH Price: $2,941.76 (-0.55%)

Contract

0xa0Fd5Ce48a6639f294c66Db07af5B5936C27618F

Overview

ETH Balance

0 ETH

ETH Value

$0.00

More Info

Private Name Tags

Multichain Info

No addresses found
Transaction Hash
Block
From
To
Set Team359711642026-01-21 15:52:233 days ago1769010743IN
0xa0Fd5Ce4...36C27618F
0 ETH0.000013640.04525
Set Team248445882025-11-11 17:35:5474 days ago1762882554IN
0xa0Fd5Ce4...36C27618F
0 ETH0.00001310.04525

Latest 8 internal transactions

Advanced mode:
Parent Transaction Hash Block From To
248458772025-11-11 17:44:5174 days ago1762883091
0xa0Fd5Ce4...36C27618F
0.15789473 ETH
248458772025-11-11 17:44:5174 days ago1762883091
0xa0Fd5Ce4...36C27618F
0.21052631 ETH
248458772025-11-11 17:44:5174 days ago1762883091
0xa0Fd5Ce4...36C27618F
0.05263157 ETH
248458772025-11-11 17:44:5174 days ago1762883091
0xa0Fd5Ce4...36C27618F
0.15789473 ETH
248458772025-11-11 17:44:5174 days ago1762883091
0xa0Fd5Ce4...36C27618F
0.31578947 ETH
248458772025-11-11 17:44:5174 days ago1762883091
0xa0Fd5Ce4...36C27618F
0.10526315 ETH
248458772025-11-11 17:44:5174 days ago1762883091
0xa0Fd5Ce4...36C27618F
1 ETH
248445802025-11-11 17:35:5174 days ago1762882551  Contract Creation0 ETH
Cross-Chain Transactions
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
DistributeTeam

Compiler Version
v0.8.19+commit.7dd6d404

ZkSolc Version
v1.5.15

Optimization Enabled:
Yes with Mode 3

Other Settings:
default evmVersion
// SPDX-License-Identifier: GPL-3.0-or-later
pragma solidity 0.8.19;

import {Ownable} from "@openzeppelin/contracts/access/Ownable.sol";
import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import {Address} from "@openzeppelin/contracts/utils/Address.sol";
import {Math} from "@openzeppelin/contracts/utils/math/Math.sol";

/// @title DistributeTeam
/// @notice Manages team member allocations and distributes ERC20 tokens and ETH according to allocation points.
contract DistributeTeam is Ownable {
    using SafeERC20 for IERC20;

    error InvalidParams();
    error ZeroAddress();
    error ZeroAmount();
    error MemberExists();
    error MemberMissing();
    error TeamNotConfigured();
    error NotTeamManager();

    struct MemberInfo {
        uint256 allocation;
        uint256 index;
        bool exists;
    }

    /// @notice Team multisig that can manage members alongside the owner.
    address public immutable teamMultisig;

    /// @notice Current set of team member wallets.
    address[] private _members;

    /// @notice Allocation metadata for each team member.
    mapping(address => MemberInfo) private _memberInfo;

    /// @notice Total number of team members.
    uint256 public memberCount;

    /// @notice Sum of all allocation points across team members.
    uint256 public totalAllocationPoints;

    event MemberAdded(address indexed account, uint256 allocation);
    event MemberUpdated(address indexed account, uint256 previousAllocation, uint256 newAllocation);
    event MemberRemoved(address indexed account);
    event TeamSet(uint256 memberCount, uint256 totalAllocationPoints);
    event TeamUpdated(uint256 memberCount, uint256 totalAllocationPoints);
    event TeamCleared();
    event TokenDistributed(address indexed token, uint256 amount);
    event EthDistributed(uint256 amount);

    constructor(address _teamMultisig) {
        if (_teamMultisig == address(0)) revert ZeroAddress();
        teamMultisig = _teamMultisig;
    }

    /**
     * @notice Reset the team and replace it with the provided members and allocations.
     * @dev Passing empty arrays clears the team.
     */
    function setTeam(address[] calldata accounts, uint256[] calldata allocations) external onlyTeamManager {
        if (accounts.length != allocations.length) revert InvalidParams();

        _clearTeam();

        for (uint256 i = 0; i < accounts.length; ++i) {
            _addMember(accounts[i], allocations[i]);
        }

        emit TeamSet(memberCount, totalAllocationPoints);
    }

    /**
     * @notice Update allocations for the provided team members, adding new members as needed.
     */
    function updateTeam(address[] calldata accounts, uint256[] calldata allocations) external onlyTeamManager {
        if (accounts.length != allocations.length) revert InvalidParams();

        for (uint256 i = 0; i < accounts.length; ++i) {
            address account = accounts[i];
            uint256 allocation = allocations[i];

            MemberInfo storage info = _memberInfo[account];
            if (info.exists) {
                _updateAllocation(account, allocation);
            } else {
                _addMember(account, allocation);
            }
        }

        emit TeamUpdated(memberCount, totalAllocationPoints);
    }

    /**
     * @notice Remove a team member completely.
     */
    function removeMember(address account) external onlyTeamManager {
        MemberInfo storage info = _memberInfo[account];
        if (!info.exists) revert MemberMissing();

        uint256 lastIndex = _members.length - 1;
        uint256 memberIndex = info.index;

        if (memberIndex != lastIndex) {
            address moved = _members[lastIndex];
            _members[memberIndex] = moved;
            _memberInfo[moved].index = memberIndex;
        }

        _members.pop();
        memberCount -= 1;
        totalAllocationPoints -= info.allocation;

        delete _memberInfo[account];

        emit MemberRemoved(account);
    }

    /**
     * @notice Distribute a single ERC20 token to the team.
     * @param token Token to distribute.
     * @param amount Amount of tokens to pull from the caller and distribute.
     */
    function distributeToken(address token, uint256 amount) external {
        _distributeToken(token, amount);
    }

    /**
     * @notice Distribute multiple ERC20 tokens to the team.
     * @param tokens Array of token addresses.
     * @param amounts Array of corresponding token amounts.
     */
    function distributeTokens(address[] calldata tokens, uint256[] calldata amounts) external {
        if (tokens.length != amounts.length) revert InvalidParams();

        for (uint256 i = 0; i < tokens.length; ++i) {
            _distributeToken(tokens[i], amounts[i]);
        }
    }

    /**
     * @notice Distribute the attached ETH to the team.
     */
    function distributeETH() external payable {
        uint256 amount = msg.value;
        if (amount == 0) revert ZeroAmount();
        _requireConfiguredTeam();
        _distributeETH(amount);
        emit EthDistributed(amount);
    }

    /**
     * @notice Return the current set of team member wallets.
     */
    function getMembers() external view returns (address[] memory) {
        return _members;
    }

    /**
     * @notice Return allocation information for a given wallet.
     */
    function getMemberInfo(address account) external view returns (uint256 allocation, bool exists) {
        MemberInfo memory info = _memberInfo[account];
        return (info.allocation, info.exists);
    }

    function _distributeToken(address token, uint256 amount) internal {
        if (token == address(0)) revert ZeroAddress();
        if (amount == 0) revert ZeroAmount();
        _requireConfiguredTeam();

        IERC20(token).safeTransferFrom(msg.sender, address(this), amount);
        _payoutToken(token, amount);

        emit TokenDistributed(token, amount);
    }

    function _payoutToken(address token, uint256 amount) internal {
        address[] memory snapshot = _members;
        uint256 len = snapshot.length;
        uint256 totalPoints = totalAllocationPoints;
        uint256 remaining = amount;

        for (uint256 i = 0; i < len; ++i) {
            address member = snapshot[i];
            uint256 allocation = _memberInfo[member].allocation;
            uint256 share = i == len - 1 ? remaining : Math.mulDiv(amount, allocation, totalPoints);
            if (share > 0) {
                IERC20(token).safeTransfer(member, share);
                remaining -= share;
            }
        }
    }

    function _distributeETH(uint256 amount) internal {
        address[] memory snapshot = _members;
        uint256 len = snapshot.length;
        uint256 totalPoints = totalAllocationPoints;
        uint256 remaining = amount;

        for (uint256 i = 0; i < len; ++i) {
            address member = snapshot[i];
            uint256 allocation = _memberInfo[member].allocation;
            uint256 share = i == len - 1 ? remaining : Math.mulDiv(amount, allocation, totalPoints);
            if (share > 0) {
                Address.sendValue(payable(member), share);
                remaining -= share;
            }
        }
    }

    function _addMember(address account, uint256 allocation) internal {
        if (account == address(0)) revert ZeroAddress();
        if (allocation == 0) revert ZeroAmount();

        MemberInfo storage info = _memberInfo[account];
        if (info.exists) revert MemberExists();

        _memberInfo[account] = MemberInfo({allocation: allocation, index: _members.length, exists: true});
        _members.push(account);
        memberCount += 1;
        totalAllocationPoints += allocation;

        emit MemberAdded(account, allocation);
    }

    function _updateAllocation(address account, uint256 newAllocation) internal {
        if (newAllocation == 0) revert ZeroAmount();
        MemberInfo storage info = _memberInfo[account];
        uint256 previousAllocation = info.allocation;
        if (previousAllocation == newAllocation) return;

        info.allocation = newAllocation;
        totalAllocationPoints = totalAllocationPoints - previousAllocation + newAllocation;

        emit MemberUpdated(account, previousAllocation, newAllocation);
    }

    function _clearTeam() internal {
        uint256 len = _members.length;
        if (len > 0) {
            for (uint256 i = 0; i < len; ++i) {
                delete _memberInfo[_members[i]];
            }
            delete _members;
        }
        memberCount = 0;
        totalAllocationPoints = 0;
        emit TeamCleared();
    }

    function _requireConfiguredTeam() internal view {
        if (memberCount == 0 || totalAllocationPoints == 0) revert TeamNotConfigured();
    }

    modifier onlyTeamManager() {
        if (msg.sender != owner() && msg.sender != teamMultisig) revert NotTeamManager();
        _;
    }
}

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

        return account.code.length > 0;
    }

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

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (access/Ownable.sol)

pragma solidity ^0.8.0;

import "../utils/Context.sol";

/**
 * @dev Contract module which provides a basic access control mechanism, where
 * there is an account (an owner) that can be granted exclusive access to
 * specific functions.
 *
 * By default, the owner account will be the one that deploys the contract. This
 * can later be changed with {transferOwnership}.
 *
 * This module is used through inheritance. It will make available the modifier
 * `onlyOwner`, which can be applied to your functions to restrict their use to
 * the owner.
 */
abstract contract Ownable is Context {
    address private _owner;

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

    /**
     * @dev Initializes the contract setting the deployer as the initial owner.
     */
    constructor() {
        _transferOwnership(_msgSender());
    }

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

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

    /**
     * @dev Throws if the sender is not the owner.
     */
    function _checkOwner() internal view virtual {
        require(owner() == _msgSender(), "Ownable: caller is not the owner");
    }

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

    /**
     * @dev Transfers ownership of the contract to a new account (`newOwner`).
     * Can only be called by the current owner.
     */
    function transferOwnership(address newOwner) public virtual onlyOwner {
        require(newOwner != address(0), "Ownable: new owner is the zero address");
        _transferOwnership(newOwner);
    }

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

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (token/ERC20/IERC20.sol)

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC20 standard as defined in the EIP.
 */
interface IERC20 {
    /**
     * @dev Emitted when `value` tokens are moved from one account (`from`) to
     * another (`to`).
     *
     * Note that `value` may be zero.
     */
    event Transfer(address indexed from, address indexed to, uint256 value);

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

    /**
     * @dev Returns the amount of tokens in existence.
     */
    function totalSupply() external view returns (uint256);

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

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

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

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

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

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

pragma solidity ^0.8.0;

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

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

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

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

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

    /**
     * @dev Increase the calling contract's allowance toward `spender` by `value`. If `token` returns no value,
     * non-reverting calls are assumed to be successful.
     */
    function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
        uint256 oldAllowance = token.allowance(address(this), spender);
        _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, oldAllowance + value));
    }

    /**
     * @dev Decrease the calling contract's allowance toward `spender` by `value`. If `token` returns no value,
     * non-reverting calls are assumed to be successful.
     */
    function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal {
        unchecked {
            uint256 oldAllowance = token.allowance(address(this), spender);
            require(oldAllowance >= value, "SafeERC20: decreased allowance below zero");
            _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, oldAllowance - value));
        }
    }

    /**
     * @dev Set the calling contract's allowance toward `spender` to `value`. If `token` returns no value,
     * non-reverting calls are assumed to be successful. Meant to be used with tokens that require the approval
     * to be set to zero before setting it to a non-zero value, such as USDT.
     */
    function forceApprove(IERC20 token, address spender, uint256 value) internal {
        bytes memory approvalCall = abi.encodeWithSelector(token.approve.selector, spender, value);

        if (!_callOptionalReturnBool(token, approvalCall)) {
            _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, 0));
            _callOptionalReturn(token, approvalCall);
        }
    }

    /**
     * @dev Use a ERC-2612 signature to set the `owner` approval toward `spender` on `token`.
     * Revert on invalid signature.
     */
    function safePermit(
        IERC20Permit token,
        address owner,
        address spender,
        uint256 value,
        uint256 deadline,
        uint8 v,
        bytes32 r,
        bytes32 s
    ) internal {
        uint256 nonceBefore = token.nonces(owner);
        token.permit(owner, spender, value, deadline, v, r, s);
        uint256 nonceAfter = token.nonces(owner);
        require(nonceAfter == nonceBefore + 1, "SafeERC20: permit did not succeed");
    }

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

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

    /**
     * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
     * on the return value: the return value is optional (but if data is returned, it must not be false).
     * @param token The token targeted by the call.
     * @param data The call data (encoded using abi.encode or one of its variants).
     *
     * This is a variant of {_callOptionalReturn} that silents catches all reverts and returns a bool instead.
     */
    function _callOptionalReturnBool(IERC20 token, bytes memory data) private returns (bool) {
        // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
        // we're implementing it ourselves. We cannot use {Address-functionCall} here since this should return false
        // and not revert is the subcall reverts.

        (bool success, bytes memory returndata) = address(token).call(data);
        return
            success && (returndata.length == 0 || abi.decode(returndata, (bool))) && Address.isContract(address(token));
    }
}

// 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 Math {
    enum Rounding {
        Down, // Toward negative infinity
        Up, // Toward infinity
        Zero // Toward zero
    }

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

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

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

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

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

            // Handle non-overflow cases, 256 by 256 division.
            if (prod1 == 0) {
                // 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);
        }
    }
}

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

pragma solidity ^0.8.0;

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

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

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

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.4) (token/ERC20/extensions/IERC20Permit.sol)

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC20 Permit extension allowing approvals to be made via signatures, as defined in
 * https://eips.ethereum.org/EIPS/eip-2612[EIP-2612].
 *
 * Adds the {permit} method, which can be used to change an account's ERC20 allowance (see {IERC20-allowance}) by
 * presenting a message signed by the account. By not relying on {IERC20-approve}, the token holder account doesn't
 * need to send a transaction, and thus is not required to hold Ether at all.
 *
 * ==== Security Considerations
 *
 * There are two important considerations concerning the use of `permit`. The first is that a valid permit signature
 * expresses an allowance, and it should not be assumed to convey additional meaning. In particular, it should not be
 * considered as an intention to spend the allowance in any specific way. The second is that because permits have
 * built-in replay protection and can be submitted by anyone, they can be frontrun. A protocol that uses permits should
 * take this into consideration and allow a `permit` call to fail. Combining these two aspects, a pattern that may be
 * generally recommended is:
 *
 * ```solidity
 * function doThingWithPermit(..., uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s) public {
 *     try token.permit(msg.sender, address(this), value, deadline, v, r, s) {} catch {}
 *     doThing(..., value);
 * }
 *
 * function doThing(..., uint256 value) public {
 *     token.safeTransferFrom(msg.sender, address(this), value);
 *     ...
 * }
 * ```
 *
 * Observe that: 1) `msg.sender` is used as the owner, leaving no ambiguity as to the signer intent, and 2) the use of
 * `try/catch` allows the permit to fail and makes the code tolerant to frontrunning. (See also
 * {SafeERC20-safeTransferFrom}).
 *
 * Additionally, note that smart contract wallets (such as Argent or Safe) are not able to produce permit signatures, so
 * contracts should have entry points that don't rely on permit.
 */
interface IERC20Permit {
    /**
     * @dev Sets `value` as the allowance of `spender` over ``owner``'s tokens,
     * given ``owner``'s signed approval.
     *
     * IMPORTANT: The same issues {IERC20-approve} has related to transaction
     * ordering also apply here.
     *
     * Emits an {Approval} event.
     *
     * Requirements:
     *
     * - `spender` cannot be the zero address.
     * - `deadline` must be a timestamp in the future.
     * - `v`, `r` and `s` must be a valid `secp256k1` signature from `owner`
     * over the EIP712-formatted function arguments.
     * - the signature must use ``owner``'s current nonce (see {nonces}).
     *
     * For more information on the signature format, see the
     * https://eips.ethereum.org/EIPS/eip-2612#specification[relevant EIP
     * section].
     *
     * CAUTION: See Security Considerations above.
     */
    function permit(
        address owner,
        address spender,
        uint256 value,
        uint256 deadline,
        uint8 v,
        bytes32 r,
        bytes32 s
    ) external;

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

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

Settings
{
  "optimizer": {
    "enabled": true,
    "mode": "3",
    "runs": 200
  },
  "suppressedErrors": [
    "sendtransfer"
  ],
  "suppressedWarnings": [
    "txorigin",
    "assemblycreate"
  ],
  "outputSelection": {
    "*": {
      "*": [
        "abi"
      ]
    }
  },
  "detectMissingLibraries": false,
  "forceEVMLA": false,
  "enableEraVMExtensions": false,
  "codegen": "yul",
  "libraries": {
    "contracts/art/PerlinNoise.sol": {
      "PerlinNoise": "0x25B11E6e5b2d1A7309A98274b459d4d0081c85Ef"
    },
    "contracts/art/Trig.sol": {
      "Trig": "0x00b2Ed8c1c84B02614B3579fF830b9aDbd52f273"
    },
    "contracts/libraries/BalanceLogicLibrary.sol": {
      "BalanceLogicLibrary": "0x58025B26C518ac345bA1476B050BAb9f4A20B35d"
    },
    "contracts/libraries/DelegationLogicLibrary.sol": {
      "DelegationLogicLibrary": "0x2A7Db0012bfE811a79b6888800D6E1aDc0d8c10C"
    }
  }
}

Contract Security Audit

Contract ABI

API
[{"inputs":[{"internalType":"address","name":"_teamMultisig","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"InvalidParams","type":"error"},{"inputs":[],"name":"MemberExists","type":"error"},{"inputs":[],"name":"MemberMissing","type":"error"},{"inputs":[],"name":"NotTeamManager","type":"error"},{"inputs":[],"name":"TeamNotConfigured","type":"error"},{"inputs":[],"name":"ZeroAddress","type":"error"},{"inputs":[],"name":"ZeroAmount","type":"error"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"EthDistributed","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":false,"internalType":"uint256","name":"allocation","type":"uint256"}],"name":"MemberAdded","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"account","type":"address"}],"name":"MemberRemoved","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":false,"internalType":"uint256","name":"previousAllocation","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newAllocation","type":"uint256"}],"name":"MemberUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[],"name":"TeamCleared","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"memberCount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalAllocationPoints","type":"uint256"}],"name":"TeamSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"memberCount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalAllocationPoints","type":"uint256"}],"name":"TeamUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"TokenDistributed","type":"event"},{"inputs":[],"name":"distributeETH","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"distributeToken","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"tokens","type":"address[]"},{"internalType":"uint256[]","name":"amounts","type":"uint256[]"}],"name":"distributeTokens","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"getMemberInfo","outputs":[{"internalType":"uint256","name":"allocation","type":"uint256"},{"internalType":"bool","name":"exists","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getMembers","outputs":[{"internalType":"address[]","name":"","type":"address[]"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"memberCount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"removeMember","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"accounts","type":"address[]"},{"internalType":"uint256[]","name":"allocations","type":"uint256[]"}],"name":"setTeam","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"teamMultisig","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalAllocationPoints","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"accounts","type":"address[]"},{"internalType":"uint256[]","name":"allocations","type":"uint256[]"}],"name":"updateTeam","outputs":[],"stateMutability":"nonpayable","type":"function"}]

9c4d535b000000000000000000000000000000000000000000000000000000000000000001000363cdc7376027762c2147c3f87c4f45c94118d92e5947db34cb0921d90d000000000000000000000000000000000000000000000000000000000000006000000000000000000000000000000000000000000000000000000000000000200000000000000000000000004b3e171f4e5123a88ad72f3c8a843f86bde3f18f

Deployed Bytecode

0x0001000000000002001a00000000000200000000000103550000006003100270000002fe0330019700000001002001900000003e0000c13d0000008002000039000000400020043f000000040030008c000007e70000413d000000000201043b000000e002200270000003080020009c000000800000213d000003120020009c000000f90000a13d000003130020009c000001220000213d000003160020009c0000018f0000613d000003170020009c000007e70000c13d0000000002000416000000000002004b000007e70000c13d000000240030008c000007e70000413d0000000401100370000000000101043b000003010010009c000007e70000213d000000000010043f0000000201000039000000200010043f000000400200003900000000010000190bf20bba0000040f001800000001001d00000080010000390bf208db0000040f0000001803000029000000000103041a000000800010043f0000000102300039000000000202041a000000a00020043f0000000202300039000000000202041a000000ff002001900000000002000039000000010200c039000000c00020043f000000400300043d000000200430003900000000002404350000000000130435000002fe0030009c000002fe03008041000000400130021000000345011001c700000bf30001042e0000000002000416000000000002004b000007e70000c13d0000001f02300039000002ff02200197000000a002200039000000400020043f0000001f0430018f0000030005300198000000a0025000390000004f0000613d000000a006000039000000000701034f000000007807043c0000000006860436000000000026004b0000004b0000c13d000000000004004b0000005c0000613d000000000151034f0000000304400210000000000502043300000000054501cf000000000545022f000000000101043b0000010004400089000000000141022f00000000014101cf000000000151019f0000000000120435000000200030008c000007e70000413d000000a00100043d001800000001001d000003010010009c000007e70000213d000000000100041a00000302021001970000000006000411000000000262019f000000000020041b000000400200043d001700000002001d00000000020004140000030105100197000002fe0020009c000002fe02008041000000c00120021000000303011001c70000800d02000039000000030300003900000304040000410bf20be80000040f0000000100200190000007e70000613d00000018010000290000030100100198000004970000c13d000003060100004100000017020000290000000000120435000002fe0020009c000002fe02008041000000400120021000000307011001c700000bf400010430000003090020009c0000010e0000a13d0000030a0020009c0000012e0000213d0000030d0020009c000004080000613d0000030e0020009c000007e70000c13d0000000002000416000000000002004b000007e70000c13d000000440030008c000007e70000413d0000000402100370000000000202043b0000031b0020009c000007e70000213d0000002304200039000000000034004b000007e70000813d0000000404200039000000000441034f000000000404043b001200000004001d0000031b0040009c000007e70000213d001100240020003d000000120200002900000005022002100000001102200029000000000032004b000007e70000213d0000002402100370000000000202043b0000031b0020009c000007e70000213d0000002304200039000000000034004b000007e70000813d0000000404200039000000000141034f000000000101043b001800000001001d0000031b0010009c000007e70000213d001000240020003d000000180100002900000005011002100000001001100029000000000031004b000007e70000213d000000000100041a00000301011001970000000002000411000000000012004b000000cb0000613d0000031c0100004100000000001004430000000001000412000000040010044300000024000004430000000001000414000002fe0010009c000002fe01008041000000c0011002100000031d011001c700008005020000390bf20bed0000040f00000001002001900000066d0000613d000000000101043b00000301011001970000000002000411000000000012004b000006d70000c13d0000001802000029000000120020006b000006970000c13d0000000101000039000000000101041a001700000001001d000000000001004b000006eb0000c13d0000000301000039000000000001041b0000000401000039000000000001041b0000000001000414000002fe0010009c000002fe01008041000000c00110021000000303011001c70000800d0200003900000001030000390000032e040000410bf20be80000040f0000000100200190000007e70000613d000000120000006b000007ef0000c13d0000000301000039000000000101041a0000000402000039000000000202041a000000400300043d000000200430003900000000002404350000000000130435000002fe0030009c000002fe0300804100000040013002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f0000031e011001c70000800d0200003900000001030000390000032f040000410000051a0000013d000003180020009c000004410000613d000003190020009c0000047d0000613d0000031a0020009c000007e70000c13d0000000002000416000000000002004b000007e70000c13d000000440030008c000007e70000413d0000000402100370000000000302043b000003010030009c000007e70000213d0000002401100370000000000201043b00000000010300190bf208e60000040f000000000100001900000bf30001042e0000030f0020009c000004850000613d000003100020009c000004900000613d000003110020009c000007e70000c13d0000000001000416000000000001004b000007e70000c13d0000000001000412001a00000001001d001900000000003d0000800501000039000000440300003900000000040004150000001a0440008a00000005044002100000031c020000410bf20bcf0000040f0000012a0000013d000003140020009c0000040d0000613d000003150020009c000007e70000c13d0000000001000416000000000001004b000007e70000c13d000000000100041a0000030101100197000000800010043f000003300100004100000bf30001042e0000030b0020009c000004250000613d0000030c0020009c000007e70000c13d0000000002000416000000000002004b000007e70000c13d000000440030008c000007e70000413d0000000402100370000000000202043b0000031b0020009c000007e70000213d0000002304200039000000000034004b000007e70000813d0000000404200039000000000441034f000000000404043b001500000004001d0000031b0040009c000007e70000213d001300240020003d000000150200002900000005022002100000001302200029000000000032004b000007e70000213d0000002402100370000000000202043b0000031b0020009c000007e70000213d0000002304200039000000000034004b000007e70000813d0000000404200039000000000141034f000000000101043b001800000001001d0000031b0010009c000007e70000213d001200240020003d000000180100002900000005011002100000001201100029000000000031004b000007e70000213d000000000100041a00000301011001970000000002000411000000000012004b000001750000613d0000031c0100004100000000001004430000000001000412000000040010044300000024000004430000000001000414000002fe0010009c000002fe01008041000000c0011002100000031d011001c700008005020000390bf20bed0000040f00000001002001900000066d0000613d000000000101043b00000301011001970000000002000411000000000012004b000006d70000c13d0000001802000029000000150020006b000006970000c13d000000150000006b000007190000c13d0000000301000039000000000101041a0000000402000039000000000202041a000000400300043d000000200430003900000000002404350000000000130435000002fe0030009c000002fe0300804100000040013002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f0000031e011001c70000800d02000039000000010300003900000325040000410000051a0000013d0000000002000416000000000002004b000007e70000c13d000000440030008c000007e70000413d0000000402100370000000000202043b0000031b0020009c000007e70000213d0000002304200039000000000034004b000007e70000813d0000000404200039000000000441034f000000000404043b000300000004001d0000031b0040009c000007e70000213d000200240020003d000000030200002900000005022002100000000202200029000000000032004b000007e70000213d0000002402100370000000000202043b0000031b0020009c000007e70000213d0000002304200039000000000034004b000007e70000813d0000000404200039000000000141034f000000000101043b0000031b0010009c000007e70000213d000100240020003d00000005021002100000000102200029000000000032004b000007e70000213d0000000302000029000000000012004b0000069a0000c13d000000000002004b000004230000613d000700000000001d0000000701000029000000050110021000000002021000290000000002200367000000000202043b000f00000002001d000003010020009c000007e70000213d0000000703000029000000030030006c000007e90000813d00000001011000290000000001100367000000000301043b0000000f0000006b000008a40000613d000000000003004b000008720000613d000000400100043d0000000302000039000000000202041a000000000002004b000008b80000613d0000000402000039000000000202041a000000000002004b000008b80000613d0000006402100039001400000003001d000000000032043500000044021000390000000003000410000000000032043500000020021000390000034603000041000000000032043500000024031000390000000004000411000000000043043500000064030000390000000000310435000003470010009c0000086c0000813d000000a003100039001800000003001d000000400030043f000003480010009c0000086c0000213d000000e003100039000000400030043f000000200300003900000018040000290000000000340435000000c0041000390000034903000041001700000004001d0000000000340435000002fe0020009c000002fe0200804100000040022002100000000001010433000002fe0010009c000002fe010080410000006001100210000000000121019f0000000002000414000002fe0020009c000002fe02008041000000c002200210000000000121019f0000000f020000290bf20be80000040f0000006003100270000002fe033001980000008009000039000000600a000039000002300000613d0000001f04300039000002ff044001970000003f044000390000033904400197000000400a00043d00000000044a00190000000000a4004b000000000500003900000001050040390000031b0040009c0000086c0000213d00000001005001900000086c0000c13d000000400040043f00000000093a043600000300053001980000000004590019000002230000613d000000000601034f0000000007090019000000006806043c0000000007870436000000000047004b0000021f0000c13d0000001f03300190000002300000613d000000000151034f0000000303300210000000000504043300000000053501cf000000000535022f000000000101043b0000010003300089000000000131022f00000000013101cf000000000151019f0000000000140435000000000300041500000000010a04330000000100200190000008ba0000613d000000000001004b0000024c0000c13d001600000003001d00170000000a001d001800000009001d0000034a0100004100000000001004430000000f0100002900000004001004430000000001000414000002fe0010009c000002fe01008041000000c00110021000000338011001c700008002020000390bf20bed0000040f00000001002001900000066d0000613d000000000101043b000000000001004b0000001809000029000000170a0000290000001603000029000008ae0000613d00000000010004150000000001130049000000000100000200000000010a0433000000000001004b0000025b0000613d0000034b0010009c000007e70000213d000000200010008c000007e70000413d0000000001090433000000010010008c000007e70000213d000000000001004b0000089a0000613d0000000102000039000000000102041a000000400300043d001100000003001d0000000003130436000000000020043f000000000001004b001000000003001d00000000020300190000026f0000613d0000032d0300004100000000040000190000001002000029000000000503041a0000030105500197000000000252043600000001033000390000000104400039000000000014004b000002680000413d000000110120006a0000001f0110003900000359021001970000001101200029000000000021004b000000000200003900000001020040390000031b0010009c0000086c0000213d00000001002001900000086c0000c13d000000400010043f00000011020000290000000007020433000000000007004b0000001406000029000003f10000613d0000000401000039000000000801041a000003310080009c000000c0010000390000008001004039000000000218022f00000040010000390000008001004039000003320020009c000000200110808a0000002002208270000003330020009c000000100110808a0000001002208270000001000020008c000000080110808a0000000802208270000000100020008c00000000030200190000000403308270000000040030008c000000000403001900000002044082700000000005400089000000020040008c000000020500808a000000100020008c000000040110808a000000040030008c000000020110808a0000035a0060009c00000000020600190000000002006019000a00000002001d0000000002150019000d00000007001d000e0001007000920000000001800089000000000318016f0006000000300091000b00000008001d000500000002001d00000000012801cf001203340010019b000400000001001d0017008000100278000000000a000019001600000006001d000800000003001d000002b60000013d0000001406000029000000010aa000390000000d00a0006c000003f00000813d000000110100002900000000010104330000000000a1004b000007e90000a13d0000000501a00210000000100110002900000000010104330000030101100197001500000001001d000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c7000080100200003900180000000a001d0bf20bed0000040f000000180a0000290000000100200190000007e70000613d0000000e00a0006c0000001603000029000002ff0000613d000000000101043b000000000301041a0000035a0030009c000000000103001900000000010060190000000a411000b9000003346240012a0000008005100270000003350040009c000002e00000213d0000008006600210000000000656019f00000334072000d1000000000067004b000000010220208a000002e10000013d000000010220008a0000008004400210000000000454019f00000334022001970000000005240019000003342450012a0000033401100197000003350050009c000002ef0000213d0000008002200210000000000212019f00000334064000d1000000000026004b000000010440208a000002f00000013d000000010440008a000000140600002900000000026300a90000008005500210000000000115019f00000334044001970000000001410019000000000121004b00000000040000390000000104004039000000000141004b000003890000c13d0000000b01000029000000000001004b000008b20000613d00000000031200d9000000000003004b000002b20000613d000000400100043d0000004402100039001300000003001d000000000032043500000020021000390000034f03000041000000000032043500000024031000390000001504000029000000000043043500000044030000390000000000310435000003500010009c0000086c0000213d0000008003100039001500000003001d000000400030043f000003510010009c0000086c0000213d000000c003100039000000400030043f000000200300003900000015040000290000000000340435000000a0041000390000034903000041000c00000004001d0000000000340435000002fe0020009c000002fe0200804100000040022002100000000001010433000002fe0010009c000002fe010080410000006001100210000000000121019f0000000002000414000002fe0020009c000002fe02008041000000c002200210000000000121019f0000000f020000290bf20be80000040f000000180a0000290000006003100270000002fe033001980000008009000039000000600b000039000003570000613d0000001f04300039000002ff044001970000003f044000390000033904400197000000400b00043d00000000044b00190000000000b4004b000000000500003900000001050040390000031b0040009c0000086c0000213d00000001005001900000086c0000c13d000000400040043f00000000093b0436000003000530019800000000045900190000034a0000613d000000000601034f0000000007090019000000006806043c0000000007870436000000000047004b000003460000c13d0000001f03300190000003570000613d000000000151034f0000000303300210000000000504043300000000053501cf000000000535022f000000000101043b0000010003300089000000000131022f00000000013101cf000000000151019f0000000000140435000000000300041500000000010b04330000000100200190000008750000613d000000000001004b0000001302000029000003760000c13d000900000003001d000c0000000b001d001500000009001d0000034a0100004100000000001004430000000f0100002900000004001004430000000001000414000002fe0010009c000002fe01008041000000c00110021000000338011001c700008002020000390bf20bed0000040f00000001002001900000066d0000613d000000000101043b000000000001004b000000180a000029000000130200002900000015090000290000000c0b0000290000000903000029000008ae0000613d00000000010004150000000001130049000000000100000200000000010b0433000000000001004b000003850000613d0000034b0010009c000007e70000213d000000200010008c000007e70000413d0000000001090433000000010010008c000007e70000213d000000000001004b0000089a0000613d00160016002000730000001406000029000002b30000813d000005350000013d0000000b05000029000000000051004b000006da0000813d00000000305300d900000000405600d9000003340050009c0000000006050019000003940000213d00000000034300a900000000406300d9000003c90000013d00000000534300a9000000000056004b000000010400008a000003c90000a13d0000000508000029000000ff0480018f00000000044501cf0000035a05800167000000ff0550018f0000000106300270000000000556022f000000000454019f00000017764000fa00000000038301cf0000008005300270000003a80000013d0000001707700029000000010660008a000003340070009c000003af0000813d000003360060009c000003a40000213d00000012086000b90000008009700210000000000959019f000000000098004b000003a40000213d000003340660019700000004066000b90000008004400210000000000454019f000000000464004900000017654000fa0000033403300197000003bb0000013d0000001706600029000000010550008a000003340060009c000003c20000813d000003360050009c000003b70000213d00000012075000b90000008008600210000000000838019f000000000087004b000003b70000213d000003340550019700000004055000b90000008004400210000000000334019f000000000353004900000005043002500000000b060000290000000805000029000000000005004b000000000356c0d90000000003006019000000000242004b000000010110408a000000000005004b000003d60000613d00000000025200d900000006045000f9000000010440003900000000011400a9000003d70000013d000000000200001900000003043000c9000000020440015f00000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000033400a9000000020330008900000000034300a9000000000112019f00000000031300a9000000000003004b000003010000c13d000002b20000013d000000400100043d0000000000610435000002fe0010009c000002fe0100804100000040011002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f00000323011001c70000800d02000039000000020300003900000354040000410000000f050000290bf20be80000040f0000000100200190000007e70000613d00000007020000290000000102200039000700000002001d000000030020006c000001be0000413d000004230000013d0000000001000416000000000001004b000007e70000c13d0000000401000039000004810000013d0000000001000416000000000001004b000007e70000c13d000000000100041a00000301021001970000000005000411000000000052004b000004ac0000c13d0000030201100197000000000010041b0000000001000414000002fe0010009c000002fe01008041000000c00110021000000303011001c70000800d020000390000000303000039000003040400004100000000060000190bf20be80000040f0000000100200190000007e70000613d000000000100001900000bf30001042e0000000002000416000000000002004b000007e70000c13d000000240030008c000007e70000413d0000000401100370000000000601043b000003010060009c000007e70000213d000000000100041a00000301021001970000000005000411000000000052004b000004ac0000c13d000000000006004b000004ea0000c13d0000032601000041000000800010043f0000002001000039000000840010043f0000002601000039000000a40010043f0000032701000041000000c40010043f0000032801000041000000e40010043f000003290100004100000bf4000104300000000002000416000000000002004b000007e70000c13d000000240030008c000007e70000413d0000000401100370000000000101043b001800000001001d000003010010009c000007e70000213d000000000100041a00000301011001970000000002000411000000000012004b000004630000613d0000031c0100004100000000001004430000000001000412000000040010044300000024000004430000000001000414000002fe0010009c000002fe01008041000000c0011002100000031d011001c700008005020000390bf20bed0000040f00000001002001900000066d0000613d000000000101043b00000301011001970000000002000411000000000012004b0000053b0000c13d0000001801000029000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f0000000100200190000007e70000613d000000000401043b0000000201400039000000000101041a000000ff001001900000051b0000c13d000000400100043d00000358020000410000000000210435000002fe0010009c000002fe01008041000000400110021000000307011001c700000bf4000104300000000001000416000000000001004b000007e70000c13d0000000301000039000000000101041a000000800010043f000003300100004100000bf30001042e0000000001000416000000000001004b000007e70000c13d0000000102000039000000000102041a000000800010043f000000000020043f000000000001004b000004b50000c13d0000003f01000039000004c10000013d0000000001000416000000000001004b000004a00000c13d0000034201000041000000800010043f000003410100004100000bf400010430000000800010043f000001400000044300000160001004430000002001000039000001000010044300000001010000390000012000100443000003050100004100000bf30001042e0000000301000039000000000101041a000000000001004b000004a80000613d0000000401000039000000000101041a000000000001004b000004e10000c13d0000034001000041000000800010043f000003410100004100000bf4000104300000032601000041000000800010043f0000002001000039000000840010043f000000a40010043f0000034301000041000000c40010043f000003440100004100000bf4000104300000032d02000041000000a00300003900000000040000190000000005030019000000000302041a0000030103300197000000000335043600000001022000390000000104400039000000000014004b000004b80000413d000000410150008a0000035b0010009c0000086c0000213d000003590210019700000080012000390000031b0010009c0000086c0000213d000000400010043f00000020030000390000000000310435000000a004200039000000800300043d0000000000340435000000c002200039000000000003004b000004d80000613d000000a00400003900000000050000190000000046040434000003010660019700000000026204360000000105500039000000000035004b000004d20000413d0000000002120049000002fe0020009c000002fe020080410000006002200210000002fe0010009c000002fe010080410000004001100210000000000112019f00000bf30001042e001000000001001d0000000102000039000000000102041a000000800010043f000000000020043f000000000001004b000004f60000c13d0000003f01000039000005020000013d0000030201100197000000000161019f000000000010041b0000000001000414000002fe0010009c000002fe01008041000000c00110021000000303011001c70000800d0200003900000003030000390000030404000041000004200000013d0000032d02000041000000a00300003900000000040000190000000005030019000000000302041a0000030103300197000000000335043600000001022000390000000104400039000000000014004b000004f90000413d000000410150008a0000035b0010009c0000086c0000213d000003590110019700000080011000390000031b0010009c0000086c0000213d000000400010043f000000800200043d000000000002004b0000053f0000c13d00000000020004160000000000210435000002fe0010009c000002fe0100804100000040011002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f00000323011001c70000800d0200003900000001030000390000033f04000041000004200000013d0000000105000039000000000105041a000000000001004b000005350000613d0000000102400039000000000302041a000000010210008a000000000023004b0000066e0000c13d000003560210009a000000000302041a0000030203300197000000000032041b000000010110008a000000000015041b0000000301000039000000000201041a000000000002004b000005350000613d000000010220008a000000000021041b0000000401000039000000000201041a000000000304041a000000000232004b000006b90000813d0000034d01000041000000000010043f0000001101000039000000040010043f0000034e0100004100000bf4000104300000032a01000041000000800010043f000003410100004100000bf40001043000120001002000920000001007000029000003310070009c000000c0010000390000008001004039001100000002001d000000000217022f00000040010000390000008001004039000003320020009c000000200110808a0000002002208270000003330020009c000000100110808a0000001002208270000001000020008c000000080110808a0000000802208270000000100020008c00000000030200190000000403308270000000040030008c00000000040300190000000204408270000000020500008a0000000006400089000000020040008c0000000006058019000000100020008c000000040110808a000000040030008c000000020110808a00000000020004160000035a0020009c00000000030200190000000003006019000f00000003001d00000000031600190000000001700089000000000417016f000d000000400091000c00000003001d00000000013701cf001303340010019b000b00000001001d0018008000100278000000000a000019001600000002001d000e00000004001d000005750000013d0000001101000029000000010aa0003900000000001a004b000006950000813d000000800100043d0000000000a1004b000007e90000a13d0000000501a00210000000a00110003900000000010104330000030101100197001400000001001d000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c7000080100200003900170000000a001d0bf20bed0000040f0000000100200190000007e70000613d000000170a0000290000001200a0006c0000001602000029000005ba0000613d000000000101043b000000000301041a0000035a0030009c000000000103001900000000010060190000000f411000b9000003346240012a0000008005100270000003350040009c0000059e0000213d0000008006600210000000000656019f00000334072000d1000000000067004b000000010220208a0000059f0000013d000000010220008a0000008004400210000000000454019f00000334022001970000000005240019000003342450012a0000033401100197000003350050009c000005ad0000213d0000008002200210000000000212019f00000334064000d1000000000026004b000000010440208a000005ae0000013d000000010440008a000000000200041600000000022300a90000008005500210000000000115019f00000334044001970000000001410019000000000121004b00000000040000390000000104004039000000000141004b000006060000c13d00000010022000fa000000000002004b000005710000613d001500000002001d00000337010000410000000000100443000000000100041000000004001004430000000001000414000002fe0010009c000002fe01008041000000c00110021000000338011001c70000800a020000390bf20bed0000040f00000001002001900000066d0000613d000000000101043b0000001503000029000000000031004b0000069e0000413d0000000001000414000002fe0010009c000002fe01008041000000c00110021000000303011001c70000800902000039000000140400002900000000050000190bf20be80000040f0000006003100270000002fe03300198000000170a000029000005ff0000613d0000001f04300039000002ff044001970000003f044000390000033905400197000000400400043d0000000005540019000000000045004b000000000600003900000001060040390000031b0050009c0000086c0000213d00000001006001900000086c0000c13d000000400050043f000000000634043600000300053001980000000004560019000005f20000613d000000000701034f000000007807043c0000000006860436000000000046004b000005ee0000c13d0000001f03300190000005ff0000613d000000000151034f0000000303300210000000000504043300000000053501cf000000000535022f000000000101043b0000010003300089000000000131022f00000000013101cf000000000151019f00000000001404350000000100200190000006a50000613d000000150200002900160016002000730000001101000029000005720000813d000005350000013d0000001006000029000000000061004b000006da0000813d00000000306300d9000000000400041600000000406400d9000003340060009c000006110000213d00000000034300a900000000406300d9000006450000013d00000000534300a9000000000056004b000000010400008a000006450000a13d0000000c08000029000000ff0480018f00000000044501cf0000035a05800167000000ff0550018f0000000106300270000000000556022f000000000454019f00000018764000fa00000000038301cf0000008005300270000006250000013d0000001807700029000000010660008a000003340070009c0000062c0000813d000003360060009c000006210000213d00000013086000b90000008009700210000000000959019f000000000098004b000006210000213d00000334066001970000000b066000b90000008004400210000000000454019f000000000464004900000018654000fa0000033403300197000006380000013d0000001806600029000000010550008a000003340060009c0000063f0000813d000003360050009c000006340000213d00000013075000b90000008008600210000000000838019f000000000087004b000006340000213d00000334055001970000000b055000b90000008004400210000000000334019f00000000035300490000000c043002500000000e05000029000000000005004b000000100300c029000000000353c0d90000000003006019000000000242004b000000010110408a000000000005004b000006530000613d00000000025200d90000000d045000f9000000010440003900000000011400a9000006540000013d000000000200001900000003043000c9000000020440015f00000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000033400a9000000020330008900000000034300a9000000000112019f00000000021300a9000000000002004b000005bc0000c13d000005710000013d000000000001042f001700000004001d000000000031004b000007e90000a13d000003560110009a000000000101041a0000030101100197001600000003001d000003220230009a000000000302041a0000030203300197000000000313019f000000000032041b000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f0000000100200190000007e70000613d000000000101043b00000001011000390000001602000029000000000021041b0000000105000039000000000105041a000000000001004b0000001704000029000005240000c13d0000034d01000041000000000010043f0000003101000039000000040010043f0000034e0100004100000bf400010430000000400100043d0000050c0000013d000000400100043d0000032b02000041000004770000013d0000032b01000041000000800010043f000003410100004100000bf400010430000000400100043d00000044021000390000033d03000041000000000032043500000024021000390000001d03000039000006e00000013d000000400100043d00000064021000390000033a03000041000000000032043500000044021000390000033b03000041000000000032043500000024021000390000003a03000039000000000032043500000326020000410000000000210435000000040210003900000020030000390000000000320435000002fe0010009c000002fe0100804100000040011002100000033c011001c700000bf400010430000000000021041b0000001801000029000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f0000000100200190000007e70000613d000000000101043b000000000001041b0000000102100039000000000002041b0000000201100039000000000001041b0000000001000414000002fe0010009c000002fe01008041000000c00110021000000303011001c70000800d02000039000000020300003900000357040000410000001805000029000004200000013d000000400100043d0000032a02000041000004770000013d000000400100043d00000044021000390000034c03000041000000000032043500000024021000390000001503000039000000000032043500000326020000410000000000210435000000040210003900000020030000390000000000320435000002fe0010009c000002fe0100804100000040011002100000033e011001c700000bf40001043000000000020000190000000101000039000000000101041a000000000021004b000007e90000a13d001800000002001d000003220120009a000000000101041a0000030101100197000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f0000000100200190000007e70000613d000000000101043b000000000001041b0000000102100039000000000002041b0000000201100039000000000001041b00000018020000290000000102200039000000170020006c000006ec0000413d0000000102000039000000000102041a000000000002041b000000000001004b000000d30000613d000000000020043f000003220110009a0000032c0010009c000000d30000413d0000032d02000041000000000002041b0000000102200039000000000012004b000007140000413d000000d30000013d0000000002000019000007220000013d00000000010004150000001401100069000000000100000200000016020000290000000102200039000000150020006c0000017a0000813d001600000002001d000000050120021000000013021000290000000002200367000000000202043b001800000002001d000003010020009c000007e70000213d0000001603000029000000150030006c000007e90000813d00000012011000290000000001100367000000000101043b001700000001001d0000001801000029000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f00000017030000290000000100200190000007e70000613d000000000101043b0000000201100039000000000101041a000000ff00100190000007790000613d0000000001000415001400000001001d000000000003004b000008720000613d0000001801000029000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f00000001002001900000001704000029000007e70000613d000000000201043b000000000102041a000000000041004b0000071b0000613d000000000042041b0000000402000039000000000202041a000000000212004b000005350000413d000000000042001a000005350000413d00000000024200190000000403000039000000000023041b000000400200043d000000200320003900000000004304350000000000120435000002fe0020009c000002fe0200804100000040012002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f0000031e011001c70000800d0200003900000002030000390000031f0400004100000018050000290bf20be80000040f00000001002001900000071b0000c13d000007e70000013d000000180000006b000008a40000613d000000000003004b000008720000613d0000001801000029000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f00000001002001900000001704000029000007e70000613d000000400500043d000000000101043b0000000201100039000000000101041a000000ff00100190000008a70000c13d000003210050009c00000001030000390000086c0000213d000000000103041a0000006002500039000000400020043f0000004002500039001100000002001d0000000000320435001400000005001d0000000002450436001000000002001d00000000001204350000001801000029000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f00000017040000290000000100200190000007e70000613d00000014020000290000000002020433000000000101043b000000000021041b000000100200002900000000020204330000000103100039000000000023041b0000000201100039000000000201041a0000035c0220019700000011030000290000000003030433000000000003004b000000010220c1bf000000000021041b0000000103000039000000000103041a0000031b0010009c0000086c0000213d0000000102100039000000000023041b000000000030043f000003220110009a000000000201041a000003020220019700000018022001af000000000021041b0000000301000039000000000101041a000000010110003a000005350000613d0000000302000039000000000012041b0000000401000039000000000101041a000000000041001a000005350000413d00000000014100190000000402000039000000000012041b000000400100043d0000000000410435000002fe0010009c000002fe0100804100000040011002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f00000323011001c70000800d020000390000000203000039000003240400004100000018050000290bf20be80000040f00000001002001900000071e0000c13d000000000100001900000bf4000104300000034d01000041000000000010043f0000003201000039000000040010043f0000034e0100004100000bf4000104300000000002000019001600000002001d000000050120021000000011021000290000000002200367000000000302043b000003010030009c000007e70000213d00000010011000290000000001100367000000000101043b000000000003004b000008a40000613d001700000001001d000000000001004b000008720000613d000000000030043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c70000801002000039001800000003001d0bf20bed0000040f00000018040000290000000100200190000007e70000613d000000400500043d000000000101043b0000000201100039000000000101041a000000ff00100190000008a70000c13d000003210050009c00000001030000390000086c0000213d000000000103041a0000006002500039000000400020043f0000004002500039001400000002001d00000000003204350000001702000029001500000005001d0000000002250436001300000002001d0000000000120435000000000040043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c700008010020000390bf20bed0000040f00000018050000290000000100200190000007e70000613d00000015020000290000000002020433000000000101043b000000000021041b000000130200002900000000020204330000000103100039000000000023041b0000000201100039000000000201041a0000035c0220019700000014030000290000000003030433000000000003004b000000010220c1bf000000000021041b0000000103000039000000000103041a0000031b0010009c0000086c0000213d0000000102100039000000000023041b000000000030043f000003220110009a000000000201041a0000030202200197000000000252019f000000000021041b0000000302000039000000000102041a000000010110003a00000004030000390000001704000029000005350000613d000000000012041b000000000103041a000000000041001a000005350000413d0000000001410019000000000013041b000000400100043d0000000000410435000002fe0010009c000002fe0100804100000040011002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f00000323011001c70000800d02000039000000020300003900000324040000410bf20be80000040f0000000100200190000007e70000613d00000016020000290000000102200039000000120020006c000007f00000413d000000e40000013d0000034d01000041000000000010043f0000004101000039000000040010043f0000034e0100004100000bf400010430000000400100043d0000034202000041000004770000013d000000000001004b000008d30000c13d000000400100043d0000032602000041000000000021043500000004021000390000002003000039000000000032043500000015020000290000000002020433000000240310003900000000002304350000004403100039000000000002004b0000000c070000290000088d0000613d000000000400001900000000053400190000000006740019000000000606043300000000006504350000002004400039000000000024004b000008860000413d0000001f042000390000035904400197000000000232001900000000000204350000004402400039000002fe0020009c000002fe020080410000006002200210000002fe0010009c000002fe010080410000004001100210000000000112019f00000bf400010430000000400100043d00000064021000390000035203000041000000000032043500000044021000390000035303000041000000000032043500000024021000390000002a03000039000006ae0000013d000000400100043d0000030602000041000004770000013d00000320010000410000000000150435000002fe0050009c000002fe05008041000000400150021000000307011001c700000bf400010430000000400100043d00000044021000390000035503000041000006a10000013d0000034d01000041000000000010043f0000001201000039000000040010043f0000034e0100004100000bf4000104300000034002000041000004770000013d000000000001004b000008d30000c13d000000400100043d0000032602000041000000000021043500000004021000390000002003000039000000000032043500000018020000290000000002020433000000240310003900000000002304350000004403100039000000000002004b00000017070000290000088d0000613d000000000400001900000000053400190000000006740019000000000606043300000000006504350000002004400039000000000024004b000008cb0000413d0000088d0000013d000002fe0090009c000002fe090080410000004002900210000002fe0010009c000002fe010080410000006001100210000000000121019f00000bf4000104300000035d0010009c000008e00000813d0000006001100039000000400010043f000000000001042d0000034d01000041000000000010043f0000004101000039000000040010043f0000034e0100004100000bf4000104300014000000000002000a03010010019c00000b8d0000613d000000000002004b00000b900000613d0000000301000039000000000101041a000000000001004b00000b8a0000613d0000000401000039000000000101041a000000000001004b00000b8a0000613d000000400100043d0000006403100039000800000002001d000000000023043500000044021000390000000003000410000000000032043500000020021000390000034603000041000000000032043500000024031000390000000004000411000000000043043500000064030000390000000000310435000003470010009c00000b200000813d000000a004100039000000400040043f000003480010009c00000b200000213d000000e003100039000000400030043f0000002003000039001300000004001d0000000000340435000000c0041000390000034903000041001400000004001d0000000000340435000002fe0020009c000002fe0200804100000040022002100000000001010433000002fe0010009c000002fe010080410000006001100210000000000121019f0000000002000414000002fe0020009c000002fe02008041000000c002200210000000000121019f0000000a020000290bf20be80000040f0000006003100270000002fe033001980000094a0000613d0000001f04300039000002ff044001970000003f044000390000033904400197000000400a00043d00000000044a00190000000000a4004b000000000500003900000001050040390000031b0040009c00000b200000213d000000010050019000000b200000c13d000000400040043f0000001f0430018f00000000093a0436000003000530019800000000035900190000093c0000613d000000000601034f0000000007090019000000006806043c0000000007870436000000000037004b000009380000c13d000000000004004b0000094c0000613d000000000151034f0000000304400210000000000503043300000000054501cf000000000545022f000000000101043b0000010004400089000000000141022f00000000014101cf000000000151019f00000000001304350000094c0000013d000000600a0000390000008009000039000000000300041500000000010a0433000000010020019000000b980000613d000000000001004b000009680000c13d001200000003001d00130000000a001d001400000009001d0000034a0100004100000000001004430000000a0100002900000004001004430000000001000414000002fe0010009c000002fe01008041000000c00110021000000338011001c700008002020000390bf20bed0000040f000000010020019000000b6b0000613d000000000101043b000000000001004b0000001409000029000000130a000029000000120300002900000b6c0000613d00000000010004150000000001130049000000000100000200000000010a0433000000000001004b000009770000613d0000034b0010009c00000b1e0000213d000000200010008c00000b1e0000413d0000000001090433000000010010008c00000b1e0000213d000000000001004b00000b570000613d0000000102000039000000000102041a000000400300043d000e00000003001d0000000003130436000000000020043f000000000001004b000d00000003001d00000000020300190000098b0000613d0000032d0300004100000000040000190000000d02000029000000000503041a0000030105500197000000000252043600000001033000390000000104400039000000000014004b000009840000413d0000000e0120006a0000001f0110003900000359021001970000000e01200029000000000021004b000000000200003900000001020040390000031b0010009c00000b200000213d000000010020019000000b200000c13d000000400010043f0000000e020000290000000006020433000000000006004b00000b0b0000613d0000000401000039000000000701041a000003310070009c000000c0010000390000008001004039000000000217022f00000040010000390000008001004039000003320020009c000000200110808a0000002002208270000003330020009c000000100110808a0000001002208270000001000020008c000000080110808a0000000802208270000000100020008c00000000030200190000000403308270000000040030008c00000000040300190000000204408270000000020500008a000c00000006001d0000000006400089000000020040008c0000000006058019000000100020008c000000040110808a000000040030008c000000020110808a000000010300008a000000080030006b00000008030000290000000003006019000600000003001d00000000031600190000000c01000029000b0001001000920000000001700089000000000417016f0003000000400091000900000007001d000200000003001d00000000013701cf000f03340010019b000100000001001d0013008000100278000000000a000019001200080000002d000400000004001d000009d50000013d001200120020007300000b2c0000413d000000010aa000390000000c00a0006c00000b0a0000813d0000000e0100002900000000010104330000000000a1004b00000b260000a13d0000000501a002100000000d0110002900000000010104330000030101100197001100000001001d000000000010043f0000000201000039000000200010043f0000000001000414000002fe0010009c000002fe01008041000000c0011002100000031e011001c7000080100200003900140000000a001d0bf20bed0000040f000000140a000029000000010020019000000b1e0000613d0000000b00a0006c000000120300002900000a1e0000613d000000000101043b000000000301041a0000035a0030009c0000000001030019000000000100601900000006411000b9000003346240012a0000008005100270000003350040009c000009ff0000213d0000008006600210000000000656019f00000334072000d1000000000067004b000000010220208a00000a000000013d000000010220008a0000008004400210000000000454019f00000334022001970000000005240019000003342450012a0000033401100197000003350050009c00000a0e0000213d0000008002200210000000000212019f00000334064000d1000000000026004b000000010440208a00000a0f0000013d000000010440008a000000080600002900000000026300a90000008005500210000000000115019f00000334044001970000000001410019000000000121004b00000000040000390000000104004039000000000141004b00000aa40000c13d0000000901000029000000000001004b00000b840000613d00000000031200d9000000000003004b000009d20000613d000000400100043d0000004402100039001000000003001d000000000032043500000020021000390000034f03000041000000000032043500000024031000390000001104000029000000000043043500000044030000390000000000310435000003500010009c00000b200000213d0000008005100039000000400050043f000003510010009c00000b200000213d000000c003100039000000400030043f00000020030000390000000000350435000000a0041000390000034903000041001100000004001d0000000000340435000002fe0020009c000002fe0200804100000040022002100000000001010433000002fe0010009c000002fe010080410000006001100210000000000121019f0000000002000414000002fe0020009c000002fe02008041000000c002200210000000000121019f0000000a02000029000700000005001d0bf20be80000040f000000140a0000290000006003100270000002fe033001980000008009000039000000600b00003900000a750000613d0000001f04300039000002ff044001970000003f044000390000033904400197000000400b00043d00000000044b00190000000000b4004b000000000500003900000001050040390000031b0040009c00000b200000213d000000010050019000000b200000c13d000000400040043f00000000093b04360000030005300198000000000459001900000a680000613d000000000601034f0000000007090019000000006806043c0000000007870436000000000047004b00000a640000c13d0000001f0330019000000a750000613d000000000151034f0000000303300210000000000504043300000000053501cf000000000535022f000000000101043b0000010003300089000000000131022f00000000013101cf000000000151019f0000000000140435000000000300041500000000010b0433000000010020019000000b320000613d000000000001004b000000100200002900000a940000c13d000500000003001d00070000000b001d001100000009001d0000034a0100004100000000001004430000000a0100002900000004001004430000000001000414000002fe0010009c000002fe01008041000000c00110021000000338011001c700008002020000390bf20bed0000040f000000010020019000000b6b0000613d000000000101043b000000000001004b000000140a00002900000010020000290000001109000029000000070b000029000000050300002900000b6c0000613d00000000010004150000000001130049000000000100000200000000010b0433000000000001004b000009d00000613d0000034b0010009c00000b1e0000213d000000200010008c00000b1e0000413d0000000001090433000000010010008c00000b1e0000213d000000000001004b000009d00000c13d00000b570000013d0000000907000029000000000071004b00000b730000813d00000000307300d900000000407600d9000003340070009c00000aae0000213d00000000034300a900000000407300d900000ae20000013d00000000534300a9000000000057004b000000010400008a00000ae20000a13d0000000208000029000000ff0480018f00000000044501cf0000035a05800167000000ff0550018f0000000106300270000000000556022f000000000454019f00000013764000fa00000000038301cf000000800530027000000ac20000013d0000001307700029000000010660008a000003340070009c00000ac90000813d000003360060009c00000abe0000213d0000000f086000b90000008009700210000000000959019f000000000098004b00000abe0000213d000003340660019700000001066000b90000008004400210000000000454019f000000000464004900000013654000fa000003340330019700000ad50000013d0000001306600029000000010550008a000003340060009c00000adc0000813d000003360050009c00000ad10000213d0000000f075000b90000008008600210000000000838019f000000000087004b00000ad10000213d000003340550019700000001055000b90000008004400210000000000334019f000000000353004900000002043002500000000405000029000000000005004b000000090300c029000000000353c0d90000000003006019000000000242004b000000010110408a000000000005004b00000af00000613d00000000025200d900000003045000f9000000010440003900000000011400a900000af10000013d000000000200001900000003043000c9000000020440015f00000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000053400a9000000020550008900000000044500a900000000033400a9000000020330008900000000034300a9000000000112019f00000000031300a9000000000003004b00000a200000c13d000009d20000013d000000400100043d00000008020000290000000000210435000002fe0010009c000002fe0100804100000040011002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f00000323011001c70000800d02000039000000020300003900000354040000410000000a050000290bf20be80000040f000000010020019000000b1e0000613d000000000001042d000000000100001900000bf4000104300000034d01000041000000000010043f0000004101000039000000040010043f0000034e0100004100000bf4000104300000034d01000041000000000010043f0000003201000039000000040010043f0000034e0100004100000bf4000104300000034d01000041000000000010043f0000001101000039000000040010043f0000034e0100004100000bf400010430000000000001004b00000bb10000c13d000000400100043d0000032602000041000000000021043500000004021000390000002003000039000000000032043500000007020000290000000002020433000000240310003900000000002304350000004403100039000000000002004b000000110700002900000b4a0000613d000000000400001900000000053400190000000006740019000000000606043300000000006504350000002004400039000000000024004b00000b430000413d0000001f042000390000035904400197000000000232001900000000000204350000004402400039000002fe0020009c000002fe020080410000006002200210000002fe0010009c000002fe010080410000004001100210000000000112019f00000bf400010430000000400100043d00000064021000390000035203000041000000000032043500000044021000390000035303000041000000000032043500000024021000390000002a03000039000000000032043500000326020000410000000000210435000000040210003900000020030000390000000000320435000002fe0010009c000002fe0100804100000040011002100000033c011001c700000bf400010430000000000001042f000000400100043d00000044021000390000035503000041000000000032043500000024021000390000001d0300003900000b790000013d000000400100043d00000044021000390000034c03000041000000000032043500000024021000390000001503000039000000000032043500000326020000410000000000210435000000040210003900000020030000390000000000320435000002fe0010009c000002fe0100804100000040011002100000033e011001c700000bf4000104300000034d01000041000000000010043f0000001201000039000000040010043f0000034e0100004100000bf400010430000000400100043d000003400200004100000b920000013d000000400100043d000003060200004100000b920000013d000000400100043d00000342020000410000000000210435000002fe0010009c000002fe01008041000000400110021000000307011001c700000bf400010430000000000001004b00000bb10000c13d000000400100043d0000032602000041000000000021043500000004021000390000002003000039000000000032043500000013020000290000000002020433000000240310003900000000002304350000004403100039000000000002004b000000140700002900000b4a0000613d000000000400001900000000053400190000000006740019000000000606043300000000006504350000002004400039000000000024004b00000ba90000413d00000b4a0000013d000002fe0090009c000002fe090080410000004002900210000002fe0010009c000002fe010080410000006001100210000000000121019f00000bf400010430000000000001042f000002fe0010009c000002fe010080410000004001100210000002fe0020009c000002fe020080410000006002200210000000000112019f0000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f00000303011001c700008010020000390bf20bed0000040f000000010020019000000bcd0000613d000000000101043b000000000001042d000000000100001900000bf40001043000000000050100190000000000200443000000040100003900000005024002700000000002020031000000000121043a0000002004400039000000000031004b00000bd20000413d000002fe0030009c000002fe0300804100000060013002100000000002000414000002fe0020009c000002fe02008041000000c002200210000000000112019f0000035e011001c700000000020500190bf20bed0000040f000000010020019000000be70000613d000000000101043b000000000001042d000000000001042f00000beb002104210000000102000039000000000001042d0000000002000019000000000001042d00000bf0002104230000000102000039000000000001042d0000000002000019000000000001042d00000bf20000043200000bf30001042e00000bf40001043000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffff00000000000000000000000000000000000000000000000000000001ffffffe000000000000000000000000000000000000000000000000000000000ffffffe0000000000000000000000000ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff000000000000000000000000000000000000000002000000000000000000000000000000000000000000000000000000000000008be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e00000000200000000000000000000000000000080000001000000000000000000d92e233d000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000004000000000000000000000000000000000000000000000000000000000000000000000000000000009eab525200000000000000000000000000000000000000000000000000000000e7f3fbdd00000000000000000000000000000000000000000000000000000000f2fde38a00000000000000000000000000000000000000000000000000000000f2fde38b00000000000000000000000000000000000000000000000000000000ff73121e00000000000000000000000000000000000000000000000000000000e7f3fbde00000000000000000000000000000000000000000000000000000000f0549133000000000000000000000000000000000000000000000000000000009eab525300000000000000000000000000000000000000000000000000000000b8b9b54900000000000000000000000000000000000000000000000000000000dbc0c085000000000000000000000000000000000000000000000000000000004bd09c2900000000000000000000000000000000000000000000000000000000715018a500000000000000000000000000000000000000000000000000000000715018a6000000000000000000000000000000000000000000000000000000008da5cb5b000000000000000000000000000000000000000000000000000000004bd09c2a000000000000000000000000000000000000000000000000000000005f1231ea000000000000000000000000000000000000000000000000000000000b1ca49a0000000000000000000000000000000000000000000000000000000011aee380000000000000000000000000000000000000000000000000000000002ca9cbe8000000000000000000000000000000000000000000000000ffffffffffffffff310ab089e4439a4c15d089f94afb7896ff553aecb10793d0ab882de59d99a32e02000002000000000000000000000000000000440000000000000000000000000200000000000000000000000000000000000040000000000000000000000000565ea371821dc6506469179354a8762b17ebc4865af246b33516d25cfcf99a6d1919ce8e00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffff9f4ef1d2ad89edf8c4d91132028e8195cdf30bb4b5053d4f8cd260341d4805f30a0200000000000000000000000000000000000020000000000000000000000000ede8eed4383e9241982619b94dd83e488b274cced0fd07b8c0092a393defd52f48e403ae2a509cd9336134c0899083ba110bf3a35566606add88a2066ccbaa1a08c379a0000000000000000000000000000000000000000000000000000000004f776e61626c653a206e6577206f776e657220697320746865207a65726f206164647265737300000000000000000000000000000000000000000000000000000000000000000000000000000000000000000084000000800000000000000000c7dc208e00000000000000000000000000000000000000000000000000000000a86b651200000000000000000000000000000000000000000000000000000000b10e2d527612073b26eecdfd717e6a320cf44b4afac2b0732d9fcbe2b7fa0cf7b10e2d527612073b26eecdfd717e6a320cf44b4afac2b0732d9fcbe2b7fa0cf630bf6f7d5950140c29b063465e6fa89cca9cd462a8765f498c46e809a681003cd0efce6c264f08abe92069c6fd6c39b715b2646fede59cbc6fe9878c09f45a7f000000000000000000000000000000000000002000000080000000000000000000000000000000010000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000100000000000000000000000000000000000000000000000000000000000000000001000000000000000000000000000000000000fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0000000000000000000000000000000000000000000000000000000000000000fffffffffffffffffffffffffffffffe9cc7f708afc65944829bd487b90b72536b1951864fbfc14e125fc972a6507f39020000020000000000000000000000000000002400000000000000000000000000000000000000000000000000000000000000000000000000000003ffffffe06563697069656e74206d61792068617665207265766572746564000000000000416464726573733a20756e61626c6520746f2073656e642076616c75652c20720000000000000000000000000000000000000084000000000000000000000000416464726573733a20696e73756666696369656e742062616c616e63650000000000000000000000000000000000000000000064000000000000000000000000b93bf2fe66529b3d34b473a6a8dfa882c88f27f5dff617e385dc2b8378e1a64654d8e3990000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000040000008000000000000000001f2a2005000000000000000000000000000000000000000000000000000000004f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e65720000000000000000000000000000000000000064000000800000000000000000000000000000000000000000000000000000004000000000000000000000000023b872dd00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffff60000000000000000000000000000000000000000000000000ffffffffffffff1f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c65641806aa1896bbf26568e884a7374b41e002500962caba6a15023a8d90e8508b837fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff4d6174683a206d756c446976206f766572666c6f7700000000000000000000004e487b71000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000024000000000000000000000000a9059cbb00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffff7f000000000000000000000000000000000000000000000000ffffffffffffff3f6f742073756363656564000000000000000000000000000000000000000000005361666545524332303a204552433230206f7065726174696f6e20646964206ef6f55ada4fbb9e2bc6813f97e749a30067f3c13a200ce783269b50e6419e8f64416464726573733a2063616c6c20746f206e6f6e2d636f6e74726163740000004ef1d2ad89edf8c4d91132028e8195cdf30bb4b5053d4f8cd260341d4805f30b6e76fb4c77256006d9c38ec7d82b45a8c8f3c27b1d6766fffc42dfb8de6844926e6502fe00000000000000000000000000000000000000000000000000000000ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00000000000000000000000000000000000000000000000000ffffffffffffffa002000002000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000a26469706673582212200e729ead661ca094f34ceb5d21bc5a073725db15942f68e0b26911d8b303a02c64736f6c6378247a6b736f6c633a312e352e31353b736f6c633a302e382e31393b6c6c766d3a312e302e320055

Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)

0000000000000000000000004b3e171f4e5123a88ad72f3c8a843f86bde3f18f

-----Decoded View---------------
Arg [0] : _teamMultisig (address): 0x4B3E171F4E5123a88ad72f3c8a843F86bde3F18f

-----Encoded View---------------
1 Constructor Arguments found :
Arg [0] : 0000000000000000000000004b3e171f4e5123a88ad72f3c8a843f86bde3f18f


Block Transaction Gas Used Reward
view all blocks produced

Block Uncle Number Difficulty Gas Used Reward
View All Uncles
Loading...
Loading
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  ]
[ 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.