ETH Price: $2,613.36 (-1.92%)

Token

BUS (BUS)
 

Overview

Max Total Supply

100,000,000 BUS

Holders

4,745

Total Transfers

-

Market

Price

$0.00 @ 0.000000 ETH

Onchain Market Cap

$0.00

Circulating Supply Market Cap

-

Other Info

Token Contract (WITH 18 Decimals)

Loading...
Loading
Loading...
Loading
Loading...
Loading

Click here to update the token information / general information

Contract Source Code Verified (Exact Match)

Contract Name:
BUS

Compiler Version
v0.8.24+commit.e11b9ed9

Optimization Enabled:
Yes with 200 runs

Other Settings:
paris EvmVersion
File 1 of 12 : BUS.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.24;

import "@openzeppelin/contracts/token/ERC20/ERC20.sol";
import "@openzeppelin/contracts/access/Ownable.sol";
import "@openzeppelin/contracts/utils/ReentrancyGuard.sol";
import "@openzeppelin/contracts/utils/cryptography/MerkleProof.sol";
import "./interfaces/IThrusterRouter02.sol";
import "./interfaces/IBlast.sol";

contract BUS is ERC20, Ownable, ReentrancyGuard {
    event Deposit(address indexed depositor, uint256 ethDeposited, uint256 totalSubscription);
    event Referral(address indexed referrer, uint256 ethDeposited, uint256 totalReferred);
    event PresaleClaim(address indexed depositor, uint256 tokensClaimed, uint256 ethRefund);
    event Claim(address indexed account, uint256 amount);

    uint256 public immutable fairAllocation;
    uint256 public immutable liquidityPoolAllocation;
    uint256 public immutable referralAllocation;
    uint256 public immutable communityAllocation;
    uint256 public immutable communityFund;

    uint256 public immutable minimumDeposit;
    uint256 public immutable maximumDeposit;

    uint256 public immutable presaleDuration;
    uint256 public immutable hardcap;
    uint256 public presaleEnd;
    uint256 public totalReferred;
    uint256 public totalSubscription;

    address public immutable thrusterRouter;
    address public immutable thrusterFactory;

    bool public presaleSuccess;
    bool public presaleFinalized;
    bool public tradingEnabled;

    bytes32 private communityRoot;
    uint256 public immutable communityClaimAmount;
    uint256 public communityClaimedAmount;

    mapping(address referrer => uint256) public referredAmounts;
    mapping(address depositor => uint256) public depositAmounts;
    mapping(address depositor => bool) public depositClaimed;
    mapping(address referrer => bool) public referralClaimed;
    mapping(address wallet => bool) public communityClaimed;

    constructor(
        uint256 _supply,
        uint256 _minimumDeposit,
        uint256 _maximumDeposit,
        uint256 _hardcap,
        address _communityFundWallet,
        uint256 _communityClaimAmount,
        address _thrusterRouter,
        address _blast,
        address _owner
    ) ERC20("BUS", "BUS") Ownable(_owner) {
        referralAllocation = (_supply * 150) / 1000;
        liquidityPoolAllocation = (_supply * 300) / 1000;
        fairAllocation = (_supply * 450) / 1000;
        communityFund = (_supply * 31) / 1000;
        communityAllocation = (_supply * 69) / 1000;

        presaleDuration = 24 hours;
        hardcap = _hardcap;
        minimumDeposit = _minimumDeposit;
        maximumDeposit = _maximumDeposit;
        communityClaimAmount = _communityClaimAmount;
        thrusterRouter = _thrusterRouter;

        IBlast(_blast).configureClaimableGas();
        IBlast(_blast).configureGovernor(_owner);

        super._mint(_communityFundWallet, communityFund);
        super._mint(address(this), communityAllocation);
        super._mint(address(this), referralAllocation);
        super._mint(address(this), fairAllocation);
    }

    function startPresale() external onlyOwner {
        require(presaleEnd == 0, "Presale already started");
        presaleEnd = block.timestamp + presaleDuration;
    }

    function deposit() external payable {
        _processDeposit(address(0));
    }

    function depositReferral(address referrer) external payable {
        _processDeposit(referrer);
    }

    function claim() external nonReentrant {
        require(presaleFinalized, "Presale is not finalized yet");
        require(depositAmounts[msg.sender] > 0, "No deposits found");
        require(!depositClaimed[msg.sender], "Already claimed");
        (uint256 allocation, uint256 refund) = _calculateAllocation(msg.sender, presaleSuccess);
        depositClaimed[msg.sender] = true;
        if (allocation > 0) this.transfer(msg.sender, allocation);
        if (refund > 0) payable(msg.sender).transfer(refund);
        emit PresaleClaim(msg.sender, allocation, refund);
    }

    function referralClaim() external {
        require(presaleFinalized, "Presale is not finalized yet");
        uint256 referred = referredAmounts[msg.sender];
        require(referred > 0, "No referrals found");
        require(!referralClaimed[msg.sender], "Already claimed");
        referralClaimed[msg.sender] = true;
        uint256 allocation = (referred * referralAllocation) / totalReferred;
        this.transfer(msg.sender, allocation);
        emit Claim(msg.sender, allocation);
    }

    function communityClaim(bytes32[] memory _merkleProof) external {
        require(presaleEnd != 0, "Claim is not active yet");
        require(!communityClaimed[msg.sender], "Already claimed");
        require(
            communityClaimedAmount + communityClaimAmount <= communityAllocation,
            "Community allocation has been claimed"
        );
        require(
            MerkleProof.verify(_merkleProof, communityRoot, keccak256(abi.encodePacked(msg.sender))),
            "Invalid Merkle Proof"
        );
        communityClaimed[msg.sender] = true;
        communityClaimedAmount += communityClaimAmount;
        require(this.transfer(msg.sender, communityClaimAmount), "Token transfer failed");
        emit Claim(msg.sender, communityClaimAmount);
    }

    function userAllocation(address account) external view returns (uint256, uint256) {
        uint256 depositedEth = depositAmounts[account];
        if (depositedEth == 0 || depositClaimed[account]) return (0, 0);
        return _calculateAllocation(account, true);
    }

    function _processDeposit(address referrer) internal {
        require(address(msg.sender).code.length == 0, "Contracts are prohibited");
        require(presaleEnd != 0, "Presale is not active yet");
        require(block.timestamp < presaleEnd, "Presale ended");
        require(msg.value >= minimumDeposit, "Minimun deposit threshold not exceeded");
        require(depositAmounts[msg.sender] + msg.value <= maximumDeposit, "Maximum deposit threshold exceeded");

        totalSubscription += msg.value;
        depositAmounts[msg.sender] += msg.value;

        if (referrer != address(0)) _processReferral(referrer, msg.value);

        emit Deposit(msg.sender, msg.value, totalSubscription);
    }

    function _processReferral(address referrer, uint256 amount) internal {
        require(referrer != msg.sender, "Cannot refer self");
        referredAmounts[referrer] += amount;
        totalReferred += amount;
        emit Referral(referrer, amount, referredAmounts[referrer]);
    }

    function finalizePresale(bool proceed) external onlyOwner {
        require(presaleEnd != 0, "Presale is not active yet");
        require(block.timestamp > presaleEnd, "Presale is still in progress");
        presaleSuccess = proceed;
        if (proceed) {
            uint256 liquidityEth = totalSubscription > hardcap ? hardcap : totalSubscription;
            deployLiquidityPool(liquidityEth);
        }
        presaleFinalized = true;
    }

    function deployLiquidityPool(uint256 ethPool) internal {
        super._mint(address(this), liquidityPoolAllocation);
        this.approve(thrusterRouter, liquidityPoolAllocation);
        IThrusterRouter02(thrusterRouter).addLiquidityETH{value: ethPool}(
            address(this), liquidityPoolAllocation, 0, 0, owner(), block.timestamp
        );
    }

    function enableTrading() external onlyOwner {
        tradingEnabled = true;
        renounceOwnership();
    }

    function setCommunityRoot(bytes32 root) external onlyOwner {
        communityRoot = root;
    }

    function _update(address from, address to, uint256 amount) internal override {
        if (!tradingEnabled) {
            if (from == address(this) || from == address(0) || from == thrusterRouter) {
                super._update(from, to, amount);
            } else {
                revert("Trading is disabled");
            }
        } else {
            super._update(from, to, amount);
        }
    }

    function _calculateAllocation(address account, bool success) internal view returns (uint256 allocation, uint256 refund) {
        uint256 depositedEth = depositAmounts[account];
        require(depositedEth > 0, "No deposits found");
        require(!depositClaimed[account], "Already claimed");
        if (!success) {
            refund = depositedEth;
        } else if (totalSubscription > hardcap) {            
            allocation = (depositedEth * fairAllocation) / totalSubscription;
            refund = depositedEth - (depositedEth * hardcap) / totalSubscription - 1;
        } else {
            allocation = (depositedEth * fairAllocation) / totalSubscription;
        }
    }

    receive() external payable {
        _processDeposit(address(0));
    }
}

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

pragma solidity ^0.8.20;

import {Context} from "../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.
 *
 * The initial owner is set to the address provided by the deployer. This can
 * later be changed with {transferOwnership}.
 *
 * This module is used through inheritance. It will make available the modifier
 * `onlyOwner`, which can be applied to your functions to restrict their use to
 * the owner.
 */
abstract contract Ownable is Context {
    address private _owner;

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

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

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

    /**
     * @dev Initializes the contract setting the address provided by the deployer as the initial owner.
     */
    constructor(address initialOwner) {
        if (initialOwner == address(0)) {
            revert OwnableInvalidOwner(address(0));
        }
        _transferOwnership(initialOwner);
    }

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

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

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

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

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

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

File 3 of 12 : draft-IERC6093.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (interfaces/draft-IERC6093.sol)
pragma solidity ^0.8.20;

/**
 * @dev Standard ERC20 Errors
 * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC20 tokens.
 */
interface IERC20Errors {
    /**
     * @dev Indicates an error related to the current `balance` of a `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     * @param balance Current balance for the interacting account.
     * @param needed Minimum amount required to perform a transfer.
     */
    error ERC20InsufficientBalance(address sender, uint256 balance, uint256 needed);

    /**
     * @dev Indicates a failure with the token `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     */
    error ERC20InvalidSender(address sender);

    /**
     * @dev Indicates a failure with the token `receiver`. Used in transfers.
     * @param receiver Address to which tokens are being transferred.
     */
    error ERC20InvalidReceiver(address receiver);

    /**
     * @dev Indicates a failure with the `spender`’s `allowance`. Used in transfers.
     * @param spender Address that may be allowed to operate on tokens without being their owner.
     * @param allowance Amount of tokens a `spender` is allowed to operate with.
     * @param needed Minimum amount required to perform a transfer.
     */
    error ERC20InsufficientAllowance(address spender, uint256 allowance, uint256 needed);

    /**
     * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals.
     * @param approver Address initiating an approval operation.
     */
    error ERC20InvalidApprover(address approver);

    /**
     * @dev Indicates a failure with the `spender` to be approved. Used in approvals.
     * @param spender Address that may be allowed to operate on tokens without being their owner.
     */
    error ERC20InvalidSpender(address spender);
}

/**
 * @dev Standard ERC721 Errors
 * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC721 tokens.
 */
interface IERC721Errors {
    /**
     * @dev Indicates that an address can't be an owner. For example, `address(0)` is a forbidden owner in EIP-20.
     * Used in balance queries.
     * @param owner Address of the current owner of a token.
     */
    error ERC721InvalidOwner(address owner);

    /**
     * @dev Indicates a `tokenId` whose `owner` is the zero address.
     * @param tokenId Identifier number of a token.
     */
    error ERC721NonexistentToken(uint256 tokenId);

    /**
     * @dev Indicates an error related to the ownership over a particular token. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     * @param tokenId Identifier number of a token.
     * @param owner Address of the current owner of a token.
     */
    error ERC721IncorrectOwner(address sender, uint256 tokenId, address owner);

    /**
     * @dev Indicates a failure with the token `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     */
    error ERC721InvalidSender(address sender);

    /**
     * @dev Indicates a failure with the token `receiver`. Used in transfers.
     * @param receiver Address to which tokens are being transferred.
     */
    error ERC721InvalidReceiver(address receiver);

    /**
     * @dev Indicates a failure with the `operator`’s approval. Used in transfers.
     * @param operator Address that may be allowed to operate on tokens without being their owner.
     * @param tokenId Identifier number of a token.
     */
    error ERC721InsufficientApproval(address operator, uint256 tokenId);

    /**
     * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals.
     * @param approver Address initiating an approval operation.
     */
    error ERC721InvalidApprover(address approver);

    /**
     * @dev Indicates a failure with the `operator` to be approved. Used in approvals.
     * @param operator Address that may be allowed to operate on tokens without being their owner.
     */
    error ERC721InvalidOperator(address operator);
}

/**
 * @dev Standard ERC1155 Errors
 * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC1155 tokens.
 */
interface IERC1155Errors {
    /**
     * @dev Indicates an error related to the current `balance` of a `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     * @param balance Current balance for the interacting account.
     * @param needed Minimum amount required to perform a transfer.
     * @param tokenId Identifier number of a token.
     */
    error ERC1155InsufficientBalance(address sender, uint256 balance, uint256 needed, uint256 tokenId);

    /**
     * @dev Indicates a failure with the token `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     */
    error ERC1155InvalidSender(address sender);

    /**
     * @dev Indicates a failure with the token `receiver`. Used in transfers.
     * @param receiver Address to which tokens are being transferred.
     */
    error ERC1155InvalidReceiver(address receiver);

    /**
     * @dev Indicates a failure with the `operator`’s approval. Used in transfers.
     * @param operator Address that may be allowed to operate on tokens without being their owner.
     * @param owner Address of the current owner of a token.
     */
    error ERC1155MissingApprovalForAll(address operator, address owner);

    /**
     * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals.
     * @param approver Address initiating an approval operation.
     */
    error ERC1155InvalidApprover(address approver);

    /**
     * @dev Indicates a failure with the `operator` to be approved. Used in approvals.
     * @param operator Address that may be allowed to operate on tokens without being their owner.
     */
    error ERC1155InvalidOperator(address operator);

    /**
     * @dev Indicates an array length mismatch between ids and values in a safeBatchTransferFrom operation.
     * Used in batch transfers.
     * @param idsLength Length of the array of token identifiers
     * @param valuesLength Length of the array of token amounts
     */
    error ERC1155InvalidArrayLength(uint256 idsLength, uint256 valuesLength);
}

File 4 of 12 : ERC20.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (token/ERC20/ERC20.sol)

pragma solidity ^0.8.20;

import {IERC20} from "./IERC20.sol";
import {IERC20Metadata} from "./extensions/IERC20Metadata.sol";
import {Context} from "../../utils/Context.sol";
import {IERC20Errors} from "../../interfaces/draft-IERC6093.sol";

/**
 * @dev Implementation of the {IERC20} interface.
 *
 * This implementation is agnostic to the way tokens are created. This means
 * that a supply mechanism has to be added in a derived contract using {_mint}.
 *
 * TIP: For a detailed writeup see our guide
 * https://forum.openzeppelin.com/t/how-to-implement-erc20-supply-mechanisms/226[How
 * to implement supply mechanisms].
 *
 * The default value of {decimals} is 18. To change this, you should override
 * this function so it returns a different value.
 *
 * We have followed general OpenZeppelin Contracts guidelines: functions revert
 * instead returning `false` on failure. This behavior is nonetheless
 * conventional and does not conflict with the expectations of ERC20
 * applications.
 *
 * Additionally, an {Approval} event is emitted on calls to {transferFrom}.
 * This allows applications to reconstruct the allowance for all accounts just
 * by listening to said events. Other implementations of the EIP may not emit
 * these events, as it isn't required by the specification.
 */
abstract contract ERC20 is Context, IERC20, IERC20Metadata, IERC20Errors {
    mapping(address account => uint256) private _balances;

    mapping(address account => mapping(address spender => uint256)) private _allowances;

    uint256 private _totalSupply;

    string private _name;
    string private _symbol;

    /**
     * @dev Sets the values for {name} and {symbol}.
     *
     * All two of these values are immutable: they can only be set once during
     * construction.
     */
    constructor(string memory name_, string memory symbol_) {
        _name = name_;
        _symbol = symbol_;
    }

    /**
     * @dev Returns the name of the token.
     */
    function name() public view virtual returns (string memory) {
        return _name;
    }

    /**
     * @dev Returns the symbol of the token, usually a shorter version of the
     * name.
     */
    function symbol() public view virtual returns (string memory) {
        return _symbol;
    }

    /**
     * @dev Returns the number of decimals used to get its user representation.
     * For example, if `decimals` equals `2`, a balance of `505` tokens should
     * be displayed to a user as `5.05` (`505 / 10 ** 2`).
     *
     * Tokens usually opt for a value of 18, imitating the relationship between
     * Ether and Wei. This is the default value returned by this function, unless
     * it's overridden.
     *
     * NOTE: This information is only used for _display_ purposes: it in
     * no way affects any of the arithmetic of the contract, including
     * {IERC20-balanceOf} and {IERC20-transfer}.
     */
    function decimals() public view virtual returns (uint8) {
        return 18;
    }

    /**
     * @dev See {IERC20-totalSupply}.
     */
    function totalSupply() public view virtual returns (uint256) {
        return _totalSupply;
    }

    /**
     * @dev See {IERC20-balanceOf}.
     */
    function balanceOf(address account) public view virtual returns (uint256) {
        return _balances[account];
    }

    /**
     * @dev See {IERC20-transfer}.
     *
     * Requirements:
     *
     * - `to` cannot be the zero address.
     * - the caller must have a balance of at least `value`.
     */
    function transfer(address to, uint256 value) public virtual returns (bool) {
        address owner = _msgSender();
        _transfer(owner, to, value);
        return true;
    }

    /**
     * @dev See {IERC20-allowance}.
     */
    function allowance(address owner, address spender) public view virtual returns (uint256) {
        return _allowances[owner][spender];
    }

    /**
     * @dev See {IERC20-approve}.
     *
     * NOTE: If `value` is the maximum `uint256`, the allowance is not updated on
     * `transferFrom`. This is semantically equivalent to an infinite approval.
     *
     * Requirements:
     *
     * - `spender` cannot be the zero address.
     */
    function approve(address spender, uint256 value) public virtual returns (bool) {
        address owner = _msgSender();
        _approve(owner, spender, value);
        return true;
    }

    /**
     * @dev See {IERC20-transferFrom}.
     *
     * Emits an {Approval} event indicating the updated allowance. This is not
     * required by the EIP. See the note at the beginning of {ERC20}.
     *
     * NOTE: Does not update the allowance if the current allowance
     * is the maximum `uint256`.
     *
     * Requirements:
     *
     * - `from` and `to` cannot be the zero address.
     * - `from` must have a balance of at least `value`.
     * - the caller must have allowance for ``from``'s tokens of at least
     * `value`.
     */
    function transferFrom(address from, address to, uint256 value) public virtual returns (bool) {
        address spender = _msgSender();
        _spendAllowance(from, spender, value);
        _transfer(from, to, value);
        return true;
    }

    /**
     * @dev Moves a `value` amount of tokens from `from` to `to`.
     *
     * This internal function is equivalent to {transfer}, and can be used to
     * e.g. implement automatic token fees, slashing mechanisms, etc.
     *
     * Emits a {Transfer} event.
     *
     * NOTE: This function is not virtual, {_update} should be overridden instead.
     */
    function _transfer(address from, address to, uint256 value) internal {
        if (from == address(0)) {
            revert ERC20InvalidSender(address(0));
        }
        if (to == address(0)) {
            revert ERC20InvalidReceiver(address(0));
        }
        _update(from, to, value);
    }

    /**
     * @dev Transfers a `value` amount of tokens from `from` to `to`, or alternatively mints (or burns) if `from`
     * (or `to`) is the zero address. All customizations to transfers, mints, and burns should be done by overriding
     * this function.
     *
     * Emits a {Transfer} event.
     */
    function _update(address from, address to, uint256 value) internal virtual {
        if (from == address(0)) {
            // Overflow check required: The rest of the code assumes that totalSupply never overflows
            _totalSupply += value;
        } else {
            uint256 fromBalance = _balances[from];
            if (fromBalance < value) {
                revert ERC20InsufficientBalance(from, fromBalance, value);
            }
            unchecked {
                // Overflow not possible: value <= fromBalance <= totalSupply.
                _balances[from] = fromBalance - value;
            }
        }

        if (to == address(0)) {
            unchecked {
                // Overflow not possible: value <= totalSupply or value <= fromBalance <= totalSupply.
                _totalSupply -= value;
            }
        } else {
            unchecked {
                // Overflow not possible: balance + value is at most totalSupply, which we know fits into a uint256.
                _balances[to] += value;
            }
        }

        emit Transfer(from, to, value);
    }

    /**
     * @dev Creates a `value` amount of tokens and assigns them to `account`, by transferring it from address(0).
     * Relies on the `_update` mechanism
     *
     * Emits a {Transfer} event with `from` set to the zero address.
     *
     * NOTE: This function is not virtual, {_update} should be overridden instead.
     */
    function _mint(address account, uint256 value) internal {
        if (account == address(0)) {
            revert ERC20InvalidReceiver(address(0));
        }
        _update(address(0), account, value);
    }

    /**
     * @dev Destroys a `value` amount of tokens from `account`, lowering the total supply.
     * Relies on the `_update` mechanism.
     *
     * Emits a {Transfer} event with `to` set to the zero address.
     *
     * NOTE: This function is not virtual, {_update} should be overridden instead
     */
    function _burn(address account, uint256 value) internal {
        if (account == address(0)) {
            revert ERC20InvalidSender(address(0));
        }
        _update(account, address(0), value);
    }

    /**
     * @dev Sets `value` as the allowance of `spender` over the `owner` s tokens.
     *
     * This internal function is equivalent to `approve`, and can be used to
     * e.g. set automatic allowances for certain subsystems, etc.
     *
     * Emits an {Approval} event.
     *
     * Requirements:
     *
     * - `owner` cannot be the zero address.
     * - `spender` cannot be the zero address.
     *
     * Overrides to this logic should be done to the variant with an additional `bool emitEvent` argument.
     */
    function _approve(address owner, address spender, uint256 value) internal {
        _approve(owner, spender, value, true);
    }

    /**
     * @dev Variant of {_approve} with an optional flag to enable or disable the {Approval} event.
     *
     * By default (when calling {_approve}) the flag is set to true. On the other hand, approval changes made by
     * `_spendAllowance` during the `transferFrom` operation set the flag to false. This saves gas by not emitting any
     * `Approval` event during `transferFrom` operations.
     *
     * Anyone who wishes to continue emitting `Approval` events on the`transferFrom` operation can force the flag to
     * true using the following override:
     * ```
     * function _approve(address owner, address spender, uint256 value, bool) internal virtual override {
     *     super._approve(owner, spender, value, true);
     * }
     * ```
     *
     * Requirements are the same as {_approve}.
     */
    function _approve(address owner, address spender, uint256 value, bool emitEvent) internal virtual {
        if (owner == address(0)) {
            revert ERC20InvalidApprover(address(0));
        }
        if (spender == address(0)) {
            revert ERC20InvalidSpender(address(0));
        }
        _allowances[owner][spender] = value;
        if (emitEvent) {
            emit Approval(owner, spender, value);
        }
    }

    /**
     * @dev Updates `owner` s allowance for `spender` based on spent `value`.
     *
     * Does not update the allowance value in case of infinite allowance.
     * Revert if not enough allowance is available.
     *
     * Does not emit an {Approval} event.
     */
    function _spendAllowance(address owner, address spender, uint256 value) internal virtual {
        uint256 currentAllowance = allowance(owner, spender);
        if (currentAllowance != type(uint256).max) {
            if (currentAllowance < value) {
                revert ERC20InsufficientAllowance(spender, currentAllowance, value);
            }
            unchecked {
                _approve(owner, spender, currentAllowance - value, false);
            }
        }
    }
}

File 5 of 12 : IERC20Metadata.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (token/ERC20/extensions/IERC20Metadata.sol)

pragma solidity ^0.8.20;

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

/**
 * @dev Interface for the optional metadata functions from the ERC20 standard.
 */
interface IERC20Metadata is IERC20 {
    /**
     * @dev Returns the name of the token.
     */
    function name() external view returns (string memory);

    /**
     * @dev Returns the symbol of the token.
     */
    function symbol() external view returns (string memory);

    /**
     * @dev Returns the decimals places of the token.
     */
    function decimals() external view returns (uint8);
}

File 6 of 12 : IERC20.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (token/ERC20/IERC20.sol)

pragma solidity ^0.8.20;

/**
 * @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 value of tokens in existence.
     */
    function totalSupply() external view returns (uint256);

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

    /**
     * @dev Moves a `value` amount of 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 value) 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 a `value` amount of tokens 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 value) external returns (bool);

    /**
     * @dev Moves a `value` amount of tokens from `from` to `to` using the
     * allowance mechanism. `value` 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 value) external returns (bool);
}

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

pragma solidity ^0.8.20;

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

File 8 of 12 : MerkleProof.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (utils/cryptography/MerkleProof.sol)

pragma solidity ^0.8.20;

/**
 * @dev These functions deal with verification of Merkle Tree proofs.
 *
 * The tree and the proofs can be generated using our
 * https://github.com/OpenZeppelin/merkle-tree[JavaScript library].
 * You will find a quickstart guide in the readme.
 *
 * WARNING: You should avoid using leaf values that are 64 bytes long prior to
 * hashing, or use a hash function other than keccak256 for hashing leaves.
 * This is because the concatenation of a sorted pair of internal nodes in
 * the Merkle tree could be reinterpreted as a leaf value.
 * OpenZeppelin's JavaScript library generates Merkle trees that are safe
 * against this attack out of the box.
 */
library MerkleProof {
    /**
     * @dev The multiproof provided is not valid.
     */
    error MerkleProofInvalidMultiproof();

    /**
     * @dev Returns true if a `leaf` can be proved to be a part of a Merkle tree
     * defined by `root`. For this, a `proof` must be provided, containing
     * sibling hashes on the branch from the leaf to the root of the tree. Each
     * pair of leaves and each pair of pre-images are assumed to be sorted.
     */
    function verify(bytes32[] memory proof, bytes32 root, bytes32 leaf) internal pure returns (bool) {
        return processProof(proof, leaf) == root;
    }

    /**
     * @dev Calldata version of {verify}
     */
    function verifyCalldata(bytes32[] calldata proof, bytes32 root, bytes32 leaf) internal pure returns (bool) {
        return processProofCalldata(proof, leaf) == root;
    }

    /**
     * @dev Returns the rebuilt hash obtained by traversing a Merkle tree up
     * from `leaf` using `proof`. A `proof` is valid if and only if the rebuilt
     * hash matches the root of the tree. When processing the proof, the pairs
     * of leafs & pre-images are assumed to be sorted.
     */
    function processProof(bytes32[] memory proof, bytes32 leaf) internal pure returns (bytes32) {
        bytes32 computedHash = leaf;
        for (uint256 i = 0; i < proof.length; i++) {
            computedHash = _hashPair(computedHash, proof[i]);
        }
        return computedHash;
    }

    /**
     * @dev Calldata version of {processProof}
     */
    function processProofCalldata(bytes32[] calldata proof, bytes32 leaf) internal pure returns (bytes32) {
        bytes32 computedHash = leaf;
        for (uint256 i = 0; i < proof.length; i++) {
            computedHash = _hashPair(computedHash, proof[i]);
        }
        return computedHash;
    }

    /**
     * @dev Returns true if the `leaves` can be simultaneously proven to be a part of a Merkle tree defined by
     * `root`, according to `proof` and `proofFlags` as described in {processMultiProof}.
     *
     * CAUTION: Not all Merkle trees admit multiproofs. See {processMultiProof} for details.
     */
    function multiProofVerify(bytes32[] memory proof, bool[] memory proofFlags, bytes32 root, bytes32[] memory leaves)
        internal
        pure
        returns (bool)
    {
        return processMultiProof(proof, proofFlags, leaves) == root;
    }

    /**
     * @dev Calldata version of {multiProofVerify}
     *
     * CAUTION: Not all Merkle trees admit multiproofs. See {processMultiProof} for details.
     */
    function multiProofVerifyCalldata(
        bytes32[] calldata proof,
        bool[] calldata proofFlags,
        bytes32 root,
        bytes32[] memory leaves
    ) internal pure returns (bool) {
        return processMultiProofCalldata(proof, proofFlags, leaves) == root;
    }

    /**
     * @dev Returns the root of a tree reconstructed from `leaves` and sibling nodes in `proof`. The reconstruction
     * proceeds by incrementally reconstructing all inner nodes by combining a leaf/inner node with either another
     * leaf/inner node or a proof sibling node, depending on whether each `proofFlags` item is true or false
     * respectively.
     *
     * CAUTION: Not all Merkle trees admit multiproofs. To use multiproofs, it is sufficient to ensure that: 1) the tree
     * is complete (but not necessarily perfect), 2) the leaves to be proven are in the opposite order they are in the
     * tree (i.e., as seen from right to left starting at the deepest layer and continuing at the next layer).
     */
    function processMultiProof(bytes32[] memory proof, bool[] memory proofFlags, bytes32[] memory leaves)
        internal
        pure
        returns (bytes32 merkleRoot)
    {
        // This function rebuilds the root hash by traversing the tree up from the leaves. The root is rebuilt by
        // consuming and producing values on a queue. The queue starts with the `leaves` array, then goes onto the
        // `hashes` array. At the end of the process, the last hash in the `hashes` array should contain the root of
        // the Merkle tree.
        uint256 leavesLen = leaves.length;
        uint256 proofLen = proof.length;
        uint256 totalHashes = proofFlags.length;

        // Check proof validity.
        if (leavesLen + proofLen != totalHashes + 1) {
            revert MerkleProofInvalidMultiproof();
        }

        // The xxxPos values are "pointers" to the next value to consume in each array. All accesses are done using
        // `xxx[xxxPos++]`, which return the current value and increment the pointer, thus mimicking a queue's "pop".
        bytes32[] memory hashes = new bytes32[](totalHashes);
        uint256 leafPos = 0;
        uint256 hashPos = 0;
        uint256 proofPos = 0;
        // At each step, we compute the next hash using two values:
        // - a value from the "main queue". If not all leaves have been consumed, we get the next leaf, otherwise we
        //   get the next hash.
        // - depending on the flag, either another value from the "main queue" (merging branches) or an element from the
        //   `proof` array.
        for (uint256 i = 0; i < totalHashes; i++) {
            bytes32 a = leafPos < leavesLen ? leaves[leafPos++] : hashes[hashPos++];
            bytes32 b =
                proofFlags[i] ? (leafPos < leavesLen ? leaves[leafPos++] : hashes[hashPos++]) : proof[proofPos++];
            hashes[i] = _hashPair(a, b);
        }

        if (totalHashes > 0) {
            if (proofPos != proofLen) {
                revert MerkleProofInvalidMultiproof();
            }
            unchecked {
                return hashes[totalHashes - 1];
            }
        } else if (leavesLen > 0) {
            return leaves[0];
        } else {
            return proof[0];
        }
    }

    /**
     * @dev Calldata version of {processMultiProof}.
     *
     * CAUTION: Not all Merkle trees admit multiproofs. See {processMultiProof} for details.
     */
    function processMultiProofCalldata(bytes32[] calldata proof, bool[] calldata proofFlags, bytes32[] memory leaves)
        internal
        pure
        returns (bytes32 merkleRoot)
    {
        // This function rebuilds the root hash by traversing the tree up from the leaves. The root is rebuilt by
        // consuming and producing values on a queue. The queue starts with the `leaves` array, then goes onto the
        // `hashes` array. At the end of the process, the last hash in the `hashes` array should contain the root of
        // the Merkle tree.
        uint256 leavesLen = leaves.length;
        uint256 proofLen = proof.length;
        uint256 totalHashes = proofFlags.length;

        // Check proof validity.
        if (leavesLen + proofLen != totalHashes + 1) {
            revert MerkleProofInvalidMultiproof();
        }

        // The xxxPos values are "pointers" to the next value to consume in each array. All accesses are done using
        // `xxx[xxxPos++]`, which return the current value and increment the pointer, thus mimicking a queue's "pop".
        bytes32[] memory hashes = new bytes32[](totalHashes);
        uint256 leafPos = 0;
        uint256 hashPos = 0;
        uint256 proofPos = 0;
        // At each step, we compute the next hash using two values:
        // - a value from the "main queue". If not all leaves have been consumed, we get the next leaf, otherwise we
        //   get the next hash.
        // - depending on the flag, either another value from the "main queue" (merging branches) or an element from the
        //   `proof` array.
        for (uint256 i = 0; i < totalHashes; i++) {
            bytes32 a = leafPos < leavesLen ? leaves[leafPos++] : hashes[hashPos++];
            bytes32 b =
                proofFlags[i] ? (leafPos < leavesLen ? leaves[leafPos++] : hashes[hashPos++]) : proof[proofPos++];
            hashes[i] = _hashPair(a, b);
        }

        if (totalHashes > 0) {
            if (proofPos != proofLen) {
                revert MerkleProofInvalidMultiproof();
            }
            unchecked {
                return hashes[totalHashes - 1];
            }
        } else if (leavesLen > 0) {
            return leaves[0];
        } else {
            return proof[0];
        }
    }

    /**
     * @dev Sorts the pair (a, b) and hashes the result.
     */
    function _hashPair(bytes32 a, bytes32 b) private pure returns (bytes32) {
        return a < b ? _efficientHash(a, b) : _efficientHash(b, a);
    }

    /**
     * @dev Implementation of keccak256(abi.encode(a, b)) that doesn't allocate or expand memory.
     */
    function _efficientHash(bytes32 a, bytes32 b) private pure returns (bytes32 value) {
        /// @solidity memory-safe-assembly
        assembly {
            mstore(0x00, a)
            mstore(0x20, b)
            value := keccak256(0x00, 0x40)
        }
    }
}

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

pragma solidity ^0.8.20;

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

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

    uint256 private _status;

    /**
     * @dev Unauthorized reentrant call.
     */
    error ReentrancyGuardReentrantCall();

    constructor() {
        _status = NOT_ENTERED;
    }

    /**
     * @dev Prevents a contract from calling itself, directly or indirectly.
     * Calling a `nonReentrant` function from another `nonReentrant`
     * function is not supported. It is possible to prevent this from happening
     * by making the `nonReentrant` function external, and making it call a
     * `private` function that does the actual work.
     */
    modifier nonReentrant() {
        _nonReentrantBefore();
        _;
        _nonReentrantAfter();
    }

    function _nonReentrantBefore() private {
        // On the first call to nonReentrant, _status will be NOT_ENTERED
        if (_status == ENTERED) {
            revert ReentrancyGuardReentrantCall();
        }

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

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

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

File 10 of 12 : IBlast.sol
// SPDX-License-Identifier: MIT

pragma solidity 0.8.24;

interface IBlast {
    enum YieldMode {
        AUTOMATIC,
        VOID,
        CLAIMABLE
    }

    enum GasMode {
        VOID,
        CLAIMABLE
    }

    // configure
    function configureContract(address contractAddress, YieldMode _yield, GasMode gasMode, address governor) external;
    function configure(YieldMode _yield, GasMode gasMode, address governor) external;

    // base configuration options
    function configureClaimableYield() external;
    function configureClaimableYieldOnBehalf(address contractAddress) external;
    function configureAutomaticYield() external;
    function configureAutomaticYieldOnBehalf(address contractAddress) external;
    function configureVoidYield() external;
    function configureVoidYieldOnBehalf(address contractAddress) external;
    function configureClaimableGas() external;
    function configureClaimableGasOnBehalf(address contractAddress) external;
    function configureVoidGas() external;
    function configureVoidGasOnBehalf(address contractAddress) external;
    function configureGovernor(address _governor) external;
    function configureGovernorOnBehalf(address _newGovernor, address contractAddress) external;

    // claim yield
    function claimYield(address contractAddress, address recipientOfYield, uint256 amount) external returns (uint256);
    function claimAllYield(address contractAddress, address recipientOfYield) external returns (uint256);

    // claim gas
    function claimAllGas(address contractAddress, address recipientOfGas) external returns (uint256);
    function claimGasAtMinClaimRate(address contractAddress, address recipientOfGas, uint256 minClaimRateBips)
        external
        returns (uint256);
    function claimMaxGas(address contractAddress, address recipientOfGas) external returns (uint256);
    function claimGas(address contractAddress, address recipientOfGas, uint256 gasToClaim, uint256 gasSecondsToConsume)
        external
        returns (uint256);

    // read functions
    function readClaimableYield(address contractAddress) external view returns (uint256);
    function readYieldConfiguration(address contractAddress) external view returns (uint8);
    function readGasParams(address contractAddress)
        external
        view
        returns (uint256 etherSeconds, uint256 etherBalance, uint256 lastUpdated, GasMode);
}

File 11 of 12 : IThrusterRouter01.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.6.2;

interface IThrusterRouter01 {
    function factory() external pure returns (address);
    function WETH() external pure returns (address);

    function addLiquidity(
        address tokenA,
        address tokenB,
        uint256 amountADesired,
        uint256 amountBDesired,
        uint256 amountAMin,
        uint256 amountBMin,
        address to,
        uint256 deadline
    ) external returns (uint256 amountA, uint256 amountB, uint256 liquidity);
    function addLiquidityETH(
        address token,
        uint256 amountTokenDesired,
        uint256 amountTokenMin,
        uint256 amountETHMin,
        address to,
        uint256 deadline
    ) external payable returns (uint256 amountToken, uint256 amountETH, uint256 liquidity);
    function removeLiquidity(
        address tokenA,
        address tokenB,
        uint256 liquidity,
        uint256 amountAMin,
        uint256 amountBMin,
        address to,
        uint256 deadline
    ) external returns (uint256 amountA, uint256 amountB);
    function removeLiquidityETH(
        address token,
        uint256 liquidity,
        uint256 amountTokenMin,
        uint256 amountETHMin,
        address to,
        uint256 deadline
    ) external returns (uint256 amountToken, uint256 amountETH);
    function removeLiquidityWithPermit(
        address tokenA,
        address tokenB,
        uint256 liquidity,
        uint256 amountAMin,
        uint256 amountBMin,
        address to,
        uint256 deadline,
        bool approveMax,
        uint8 v,
        bytes32 r,
        bytes32 s
    ) external returns (uint256 amountA, uint256 amountB);
    function removeLiquidityETHWithPermit(
        address token,
        uint256 liquidity,
        uint256 amountTokenMin,
        uint256 amountETHMin,
        address to,
        uint256 deadline,
        bool approveMax,
        uint8 v,
        bytes32 r,
        bytes32 s
    ) external returns (uint256 amountToken, uint256 amountETH);
    function swapExactTokensForTokens(
        uint256 amountIn,
        uint256 amountOutMin,
        address[] calldata path,
        address to,
        uint256 deadline
    ) external returns (uint256[] memory amounts);
    function swapTokensForExactTokens(
        uint256 amountOut,
        uint256 amountInMax,
        address[] calldata path,
        address to,
        uint256 deadline
    ) external returns (uint256[] memory amounts);
    function swapExactETHForTokens(uint256 amountOutMin, address[] calldata path, address to, uint256 deadline)
        external
        payable
        returns (uint256[] memory amounts);
    function swapTokensForExactETH(
        uint256 amountOut,
        uint256 amountInMax,
        address[] calldata path,
        address to,
        uint256 deadline
    ) external returns (uint256[] memory amounts);
    function swapExactTokensForETH(
        uint256 amountIn,
        uint256 amountOutMin,
        address[] calldata path,
        address to,
        uint256 deadline
    ) external returns (uint256[] memory amounts);
    function swapETHForExactTokens(uint256 amountOut, address[] calldata path, address to, uint256 deadline)
        external
        payable
        returns (uint256[] memory amounts);

    function quote(uint256 amountA, uint256 reserveA, uint256 reserveB) external pure returns (uint256 amountB);
    function getAmountOut(uint256 amountIn, uint256 reserveIn, uint256 reserveOut)
        external
        pure
        returns (uint256 amountOut);
    function getAmountIn(uint256 amountOut, uint256 reserveIn, uint256 reserveOut)
        external
        pure
        returns (uint256 amountIn);
    function getAmountsOut(uint256 amountIn, address[] calldata path)
        external
        view
        returns (uint256[] memory amounts);
    function getAmountsIn(uint256 amountOut, address[] calldata path)
        external
        view
        returns (uint256[] memory amounts);
}

File 12 of 12 : IThrusterRouter02.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.6.2;

import "./IThrusterRouter01.sol";

interface IThrusterRouter02 is IThrusterRouter01 {
    function removeLiquidityETHSupportingFeeOnTransferTokens(
        address token,
        uint256 liquidity,
        uint256 amountTokenMin,
        uint256 amountETHMin,
        address to,
        uint256 deadline
    ) external returns (uint256 amountETH);
    function removeLiquidityETHWithPermitSupportingFeeOnTransferTokens(
        address token,
        uint256 liquidity,
        uint256 amountTokenMin,
        uint256 amountETHMin,
        address to,
        uint256 deadline,
        bool approveMax,
        uint8 v,
        bytes32 r,
        bytes32 s
    ) external returns (uint256 amountETH);

    function swapExactTokensForTokensSupportingFeeOnTransferTokens(
        uint256 amountIn,
        uint256 amountOutMin,
        address[] calldata path,
        address to,
        uint256 deadline
    ) external;
    function swapExactETHForTokensSupportingFeeOnTransferTokens(
        uint256 amountOutMin,
        address[] calldata path,
        address to,
        uint256 deadline
    ) external payable;
    function swapExactTokensForETHSupportingFeeOnTransferTokens(
        uint256 amountIn,
        uint256 amountOutMin,
        address[] calldata path,
        address to,
        uint256 deadline
    ) external;
}

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

Contract Security Audit

Contract ABI

[{"inputs":[{"internalType":"uint256","name":"_supply","type":"uint256"},{"internalType":"uint256","name":"_minimumDeposit","type":"uint256"},{"internalType":"uint256","name":"_maximumDeposit","type":"uint256"},{"internalType":"uint256","name":"_hardcap","type":"uint256"},{"internalType":"address","name":"_communityFundWallet","type":"address"},{"internalType":"uint256","name":"_communityClaimAmount","type":"uint256"},{"internalType":"address","name":"_thrusterRouter","type":"address"},{"internalType":"address","name":"_blast","type":"address"},{"internalType":"address","name":"_owner","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"allowance","type":"uint256"},{"internalType":"uint256","name":"needed","type":"uint256"}],"name":"ERC20InsufficientAllowance","type":"error"},{"inputs":[{"internalType":"address","name":"sender","type":"address"},{"internalType":"uint256","name":"balance","type":"uint256"},{"internalType":"uint256","name":"needed","type":"uint256"}],"name":"ERC20InsufficientBalance","type":"error"},{"inputs":[{"internalType":"address","name":"approver","type":"address"}],"name":"ERC20InvalidApprover","type":"error"},{"inputs":[{"internalType":"address","name":"receiver","type":"address"}],"name":"ERC20InvalidReceiver","type":"error"},{"inputs":[{"internalType":"address","name":"sender","type":"address"}],"name":"ERC20InvalidSender","type":"error"},{"inputs":[{"internalType":"address","name":"spender","type":"address"}],"name":"ERC20InvalidSpender","type":"error"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"OwnableInvalidOwner","type":"error"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"OwnableUnauthorizedAccount","type":"error"},{"inputs":[],"name":"ReentrancyGuardReentrantCall","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"spender","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Claim","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"depositor","type":"address"},{"indexed":false,"internalType":"uint256","name":"ethDeposited","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalSubscription","type":"uint256"}],"name":"Deposit","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"depositor","type":"address"},{"indexed":false,"internalType":"uint256","name":"tokensClaimed","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"ethRefund","type":"uint256"}],"name":"PresaleClaim","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"referrer","type":"address"},{"indexed":false,"internalType":"uint256","name":"ethDeposited","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalReferred","type":"uint256"}],"name":"Referral","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Transfer","type":"event"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"claim","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"communityAllocation","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32[]","name":"_merkleProof","type":"bytes32[]"}],"name":"communityClaim","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"communityClaimAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"wallet","type":"address"}],"name":"communityClaimed","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"communityClaimedAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"communityFund","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"deposit","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"address","name":"depositor","type":"address"}],"name":"depositAmounts","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"depositor","type":"address"}],"name":"depositClaimed","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"referrer","type":"address"}],"name":"depositReferral","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[],"name":"enableTrading","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"fairAllocation","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bool","name":"proceed","type":"bool"}],"name":"finalizePresale","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"hardcap","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"liquidityPoolAllocation","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"maximumDeposit","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"minimumDeposit","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"presaleDuration","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"presaleEnd","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"presaleFinalized","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"presaleSuccess","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"referralAllocation","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"referralClaim","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"referrer","type":"address"}],"name":"referralClaimed","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"referrer","type":"address"}],"name":"referredAmounts","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"root","type":"bytes32"}],"name":"setCommunityRoot","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"startPresale","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"thrusterFactory","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"thrusterRouter","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalReferred","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSubscription","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"tradingEnabled","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"userAllocation","outputs":[{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"stateMutability":"payable","type":"receive"}]

6102006040523480156200001257600080fd5b5060405162002c7838038062002c7883398101604081905262000035916200053a565b60408051808201825260038082526242555360e81b602080840182905284518086019095528285528401528392906200006f83826200066e565b5060046200007e82826200066e565b5050506001600160a01b038116620000b157604051631e4fbdf760e01b8152600060048201526024015b60405180910390fd5b620000bc81620002a1565b5060016006556103e8620000d28a609662000750565b620000de919062000770565b60c0526103e8620000f28a61012c62000750565b620000fe919062000770565b60a0526103e8620001128a6101c262000750565b6200011e919062000770565b6080526103e8620001318a601f62000750565b6200013d919062000770565b610100526103e8620001518a604562000750565b6200015d919062000770565b60e05262015180610160526101808690526101208890526101408790526101e08490526001600160a01b038084166101a05260408051634e606c4760e01b8152905191841691634e606c479160048082019260009290919082900301818387803b158015620001cb57600080fd5b505af1158015620001e0573d6000803e3d6000fd5b5050604051631d70c8d360e31b81526001600160a01b0384811660048301528516925063eb8646989150602401600060405180830381600087803b1580156200022857600080fd5b505af11580156200023d573d6000803e3d6000fd5b50505050620002568561010051620002f360201b60201c565b6200026a3060e051620002f360201b60201c565b6200027e3060c051620002f360201b60201c565b6200029230608051620002f360201b60201c565b505050505050505050620007a9565b600580546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b6001600160a01b0382166200031f5760405163ec442f0560e01b815260006004820152602401620000a8565b6200032d6000838362000331565b5050565b600a5462010000900460ff16620003e2576001600160a01b0383163014806200036157506001600160a01b038316155b806200038157506101a0516001600160a01b0316836001600160a01b0316145b15620003995762000394838383620003ea565b505050565b60405162461bcd60e51b815260206004820152601360248201527f54726164696e672069732064697361626c6564000000000000000000000000006044820152606401620000a8565b620003948383835b6001600160a01b038316620004195780600260008282546200040d919062000793565b909155506200048d9050565b6001600160a01b038316600090815260208190526040902054818110156200046e5760405163391434e360e21b81526001600160a01b03851660048201526024810182905260448101839052606401620000a8565b6001600160a01b03841660009081526020819052604090209082900390555b6001600160a01b038216620004ab57600280548290039055620004ca565b6001600160a01b03821660009081526020819052604090208054820190555b816001600160a01b0316836001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef836040516200051091815260200190565b60405180910390a3505050565b80516001600160a01b03811681146200053557600080fd5b919050565b60008060008060008060008060006101208a8c0312156200055a57600080fd5b8951985060208a0151975060408a0151965060608a015195506200058160808b016200051d565b945060a08a015193506200059860c08b016200051d565b9250620005a860e08b016200051d565b9150620005b96101008b016200051d565b90509295985092959850929598565b634e487b7160e01b600052604160045260246000fd5b600181811c90821680620005f357607f821691505b6020821081036200061457634e487b7160e01b600052602260045260246000fd5b50919050565b601f82111562000394576000816000526020600020601f850160051c81016020861015620006455750805b601f850160051c820191505b81811015620006665782815560010162000651565b505050505050565b81516001600160401b038111156200068a576200068a620005c8565b620006a2816200069b8454620005de565b846200061a565b602080601f831160018114620006da5760008415620006c15750858301515b600019600386901b1c1916600185901b17855562000666565b600085815260208120601f198616915b828110156200070b57888601518255948401946001909101908401620006ea565b50858210156200072a5787850151600019600388901b60f8161c191681555b5050505050600190811b01905550565b634e487b7160e01b600052601160045260246000fd5b80820281158282048414176200076a576200076a6200073a565b92915050565b6000826200078e57634e487b7160e01b600052601260045260246000fd5b500490565b808201808211156200076a576200076a6200073a565b60805160a05160c05160e05161010051610120516101405161016051610180516101a0516101c0516101e0516123aa620008ce60003960008181610803015281816113e3015281816115100152818161155601526116110152600061041d0152600081816106e001528181611aef01528181611b8b0152611d9e01526000818161079a0152818161126d0152818161129e0152818161185c01526118c40152600081816104ff0152610c670152600081816104cb0152610aeb0152600081816105670152610a5c015260006102a801526000818161083701526113c201526000818161093b0152610e9e0152600081816108d101528181611ab401528181611b160152611bbc0152600081816105330152818161188c015261191b01526123aa6000f3fe6080604052600436106102805760003560e01c806371977dcb1161014f578063b071cbe6116100c1578063e164e9ed1161007a578063e164e9ed1461089f578063e780377e146108bf578063ec845dd8146108f3578063f2fde38b14610909578063f8d3d15e14610929578063f9d961171461095d57600080fd5b8063b071cbe614610788578063bf0294d0146107bc578063d0e30db0146107e9578063d490a317146107f1578063d53b4ab414610825578063dd62ed3e1461085957600080fd5b8063980bfa2e11610113578063980bfa2e146106bb578063988297a6146106ce5780639c76b14b14610702578063a64355e214610722578063a8ba474314610752578063a9059cbb1461076857600080fd5b806371977dcb146106235780638a8c523c146106435780638da5cb5b146106585780638f8656cb1461067657806395d89b41146106a657600080fd5b806334633c0d116101f3578063632e1320116101ac578063632e132014610521578063636bfbab1461055557806364198017146105895780636d498093146105b957806370a08231146105d8578063715018a61461060e57600080fd5b806334633c0d1461040b5780634792959c146104575780634ada218b146104845780634e71d92d146104a457806354b302c5146104b95780635868c32a146104ed57600080fd5b80631a0cb3a7116102455780631a0cb3a714610359578063205713871461038e578063229f3e29146103a357806323b872dd146103b95780632986436a146103d9578063313ce567146103ef57600080fd5b8062f380f41461029657806304c98b2b146102dd57806306fdde03146102f2578063095ea7b31461031457806318160ddd1461034457600080fd5b366102915761028f6000610977565b005b600080fd5b3480156102a257600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b6040519081526020015b60405180910390f35b3480156102e957600080fd5b5061028f610c0a565b3480156102fe57600080fd5b50610307610c91565b6040516102d49190612004565b34801561032057600080fd5b5061033461032f36600461206f565b610d23565b60405190151581526020016102d4565b34801561035057600080fd5b506002546102ca565b34801561036557600080fd5b50610379610374366004612099565b610d3d565b604080519283526020830191909152016102d4565b34801561039a57600080fd5b5061028f610da3565b3480156103af57600080fd5b506102ca60075481565b3480156103c557600080fd5b506103346103d43660046120b4565b610f73565b3480156103e557600080fd5b506102ca60085481565b3480156103fb57600080fd5b50604051601281526020016102d4565b34801561041757600080fd5b5061043f7f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020016102d4565b34801561046357600080fd5b506102ca610472366004612099565b600d6020526000908152604090205481565b34801561049057600080fd5b50600a546103349062010000900460ff1681565b3480156104b057600080fd5b5061028f610f97565b3480156104c557600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b3480156104f957600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b34801561052d57600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b34801561056157600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b34801561059557600080fd5b506103346105a4366004612099565b600f6020526000908152604090205460ff1681565b3480156105c557600080fd5b50600a5461033490610100900460ff1681565b3480156105e457600080fd5b506102ca6105f3366004612099565b6001600160a01b031660009081526020819052604090205490565b34801561061a57600080fd5b5061028f611199565b34801561062f57600080fd5b5061028f61063e3660046120fe565b6111ab565b34801561064f57600080fd5b5061028f6112dd565b34801561066457600080fd5b506005546001600160a01b031661043f565b34801561068257600080fd5b50610334610691366004612099565b60106020526000908152604090205460ff1681565b3480156106b257600080fd5b506103076112fe565b61028f6106c9366004612099565b61130d565b3480156106da57600080fd5b5061043f7f000000000000000000000000000000000000000000000000000000000000000081565b34801561070e57600080fd5b5061028f61071d36600461211b565b611319565b34801561072e57600080fd5b5061033461073d366004612099565b60116020526000908152604090205460ff1681565b34801561075e57600080fd5b506102ca600c5481565b34801561077457600080fd5b5061033461078336600461206f565b611326565b34801561079457600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b3480156107c857600080fd5b506102ca6107d7366004612099565b600e6020526000908152604090205481565b61028f611334565b3480156107fd57600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b34801561083157600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b34801561086557600080fd5b506102ca610874366004612134565b6001600160a01b03918216600090815260016020908152604080832093909416825291909152205490565b3480156108ab57600080fd5b5061028f6108ba36600461217d565b61133e565b3480156108cb57600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b3480156108ff57600080fd5b506102ca60095481565b34801561091557600080fd5b5061028f610924366004612099565b61165e565b34801561093557600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000000000081565b34801561096957600080fd5b50600a546103349060ff1681565b333b156109cb5760405162461bcd60e51b815260206004820152601860248201527f436f6e747261637473206172652070726f68696269746564000000000000000060448201526064015b60405180910390fd5b600754600003610a195760405162461bcd60e51b8152602060048201526019602482015278141c995cd85b19481a5cc81b9bdd081858dd1a5d99481e595d603a1b60448201526064016109c2565b6007544210610a5a5760405162461bcd60e51b815260206004820152600d60248201526c141c995cd85b1948195b991959609a1b60448201526064016109c2565b7f0000000000000000000000000000000000000000000000000000000000000000341015610ad95760405162461bcd60e51b815260206004820152602660248201527f4d696e696d756e206465706f736974207468726573686f6c64206e6f7420657860448201526518d95959195960d21b60648201526084016109c2565b336000908152600e60205260409020547f000000000000000000000000000000000000000000000000000000000000000090610b16903490612251565b1115610b6f5760405162461bcd60e51b815260206004820152602260248201527f4d6178696d756d206465706f736974207468726573686f6c6420657863656564604482015261195960f21b60648201526084016109c2565b3460096000828254610b819190612251565b9091555050336000908152600e602052604081208054349290610ba5908490612251565b90915550506001600160a01b03811615610bc357610bc38134611699565b60095460405133917f90890809c654f11d6e72a28fa60149770a0d11ec6c92319d6ceb2bb0a4ea1a1591610bff91348252602082015260400190565b60405180910390a250565b610c12611779565b60075415610c625760405162461bcd60e51b815260206004820152601760248201527f50726573616c6520616c7265616479207374617274656400000000000000000060448201526064016109c2565b610c8c7f000000000000000000000000000000000000000000000000000000000000000042612251565b600755565b606060038054610ca090612264565b80601f0160208091040260200160405190810160405280929190818152602001828054610ccc90612264565b8015610d195780601f10610cee57610100808354040283529160200191610d19565b820191906000526020600020905b815481529060010190602001808311610cfc57829003601f168201915b5050505050905090565b600033610d318185856117a6565b60019150505b92915050565b6001600160a01b0381166000908152600e60205260408120548190801580610d7d57506001600160a01b0384166000908152600f602052604090205460ff165b15610d8e5750600093849350915050565b610d998460016117b8565b9250925050915091565b600a54610100900460ff16610dfa5760405162461bcd60e51b815260206004820152601c60248201527f50726573616c65206973206e6f742066696e616c697a6564207965740000000060448201526064016109c2565b336000908152600d602052604090205480610e4c5760405162461bcd60e51b8152602060048201526012602482015271139bc81c9959995c9c985b1cc8199bdd5b9960721b60448201526064016109c2565b3360009081526010602052604090205460ff1615610e7c5760405162461bcd60e51b81526004016109c29061229e565b336000908152601060205260408120805460ff19166001179055600854610ec37f0000000000000000000000000000000000000000000000000000000000000000846122c7565b610ecd91906122de565b60405163a9059cbb60e01b815233600482015260248101829052909150309063a9059cbb906044016020604051808303816000875af1158015610f14573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610f389190612300565b5060405181815233907f47cee97cb7acd717b3c0aa1435d004cd5b3c8c57d70dbceb4e4458bbd60e39d4906020015b60405180910390a25050565b600033610f81858285611955565b610f8c8585856119d3565b506001949350505050565b610f9f611a32565b600a54610100900460ff16610ff65760405162461bcd60e51b815260206004820152601c60248201527f50726573616c65206973206e6f742066696e616c697a6564207965740000000060448201526064016109c2565b336000908152600e60205260409020546110465760405162461bcd60e51b8152602060048201526011602482015270139bc819195c1bdcda5d1cc8199bdd5b99607a1b60448201526064016109c2565b336000908152600f602052604090205460ff16156110765760405162461bcd60e51b81526004016109c29061229e565b600a54600090819061108c90339060ff166117b8565b336000908152600f60205260409020805460ff191660011790559092509050811561111b5760405163a9059cbb60e01b815233600482015260248101839052309063a9059cbb906044016020604051808303816000875af11580156110f5573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906111199190612300565b505b801561115057604051339082156108fc029083906000818181858888f1935050505015801561114e573d6000803e3d6000fd5b505b604080518381526020810183905233917fa209c0dc520419125d13bb895c8b0c4dfc783ae1a7a154d68427ab9b14eeed96910160405180910390a250506111976001600655565b565b6111a1611779565b6111976000611a5c565b6111b3611779565b6007546000036112015760405162461bcd60e51b8152602060048201526019602482015278141c995cd85b19481a5cc81b9bdd081858dd1a5d99481e595d603a1b60448201526064016109c2565b60075442116112525760405162461bcd60e51b815260206004820152601c60248201527f50726573616c65206973207374696c6c20696e2070726f67726573730000000060448201526064016109c2565b600a805460ff191682158015919091179091556112cb5760007f00000000000000000000000000000000000000000000000000000000000000006009541161129c576009546112be565b7f00000000000000000000000000000000000000000000000000000000000000005b90506112c981611aae565b505b50600a805461ff001916610100179055565b6112e5611779565b600a805462ff0000191662010000179055611197611199565b606060048054610ca090612264565b61131681610977565b50565b611321611779565b600b55565b600033610d318185856119d3565b6111976000610977565b6007546000036113905760405162461bcd60e51b815260206004820152601760248201527f436c61696d206973206e6f74206163746976652079657400000000000000000060448201526064016109c2565b3360009081526011602052604090205460ff16156113c05760405162461bcd60e51b81526004016109c29061229e565b7f00000000000000000000000000000000000000000000000000000000000000007f0000000000000000000000000000000000000000000000000000000000000000600c5461140f9190612251565b111561146b5760405162461bcd60e51b815260206004820152602560248201527f436f6d6d756e69747920616c6c6f636174696f6e20686173206265656e20636c604482015264185a5b595960da1b60648201526084016109c2565b600b546040516bffffffffffffffffffffffff193360601b1660208201526114ad91839160340160405160208183030381529060405280519060200120611c7d565b6114f05760405162461bcd60e51b815260206004820152601460248201527324b73b30b634b21026b2b935b63290283937b7b360611b60448201526064016109c2565b336000908152601160205260408120805460ff19166001179055600c80547f0000000000000000000000000000000000000000000000000000000000000000929061153c908490612251565b909155505060405163a9059cbb60e01b81523360048201527f00000000000000000000000000000000000000000000000000000000000000006024820152309063a9059cbb906044016020604051808303816000875af11580156115a4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906115c89190612300565b61160c5760405162461bcd60e51b8152602060048201526015602482015274151bdad95b881d1c985b9cd9995c8819985a5b1959605a1b60448201526064016109c2565b6040517f0000000000000000000000000000000000000000000000000000000000000000815233907f47cee97cb7acd717b3c0aa1435d004cd5b3c8c57d70dbceb4e4458bbd60e39d490602001610bff565b611666611779565b6001600160a01b03811661169057604051631e4fbdf760e01b8152600060048201526024016109c2565b61131681611a5c565b336001600160a01b038316036116e55760405162461bcd60e51b815260206004820152601160248201527021b0b73737ba103932b332b91039b2b63360791b60448201526064016109c2565b6001600160a01b0382166000908152600d60205260408120805483929061170d908490612251565b9250508190555080600860008282546117269190612251565b90915550506001600160a01b0382166000818152600d6020908152604091829020548251858152918201527f5ca54aaa8bb8752e4b9b8616e8ad7ffaea47d1d255e1a5edd1da38b415725b5e9101610f67565b6005546001600160a01b031633146111975760405163118cdaa760e01b81523360048201526024016109c2565b6117b38383836001611c93565b505050565b6001600160a01b0382166000908152600e60205260408120548190806118145760405162461bcd60e51b8152602060048201526011602482015270139bc819195c1bdcda5d1cc8199bdd5b99607a1b60448201526064016109c2565b6001600160a01b0385166000908152600f602052604090205460ff161561184d5760405162461bcd60e51b81526004016109c29061229e565b8361185a5780915061194d565b7f00000000000000000000000000000000000000000000000000000000000000006009541115611913576009546118b17f0000000000000000000000000000000000000000000000000000000000000000836122c7565b6118bb91906122de565b925060016009547f0000000000000000000000000000000000000000000000000000000000000000836118ee91906122c7565b6118f891906122de565b611902908361231d565b61190c919061231d565b915061194d565b6009546119407f0000000000000000000000000000000000000000000000000000000000000000836122c7565b61194a91906122de565b92505b509250929050565b6001600160a01b0383811660009081526001602090815260408083209386168352929052205460001981146119cd57818110156119be57604051637dc7a0d960e11b81526001600160a01b038416600482015260248101829052604481018390526064016109c2565b6119cd84848484036000611c93565b50505050565b6001600160a01b0383166119fd57604051634b637e8f60e11b8152600060048201526024016109c2565b6001600160a01b038216611a275760405163ec442f0560e01b8152600060048201526024016109c2565b6117b3838383611d68565b600260065403611a5557604051633ee5aeb560e01b815260040160405180910390fd5b6002600655565b600580546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b611ad8307f0000000000000000000000000000000000000000000000000000000000000000611e2b565b60405163095ea7b360e01b81526001600160a01b037f00000000000000000000000000000000000000000000000000000000000000001660048201527f00000000000000000000000000000000000000000000000000000000000000006024820152309063095ea7b3906044016020604051808303816000875af1158015611b64573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611b889190612300565b507f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663f305d71982307f0000000000000000000000000000000000000000000000000000000000000000600080611bf06005546001600160a01b031690565b60405160e088901b6001600160e01b03191681526001600160a01b03958616600482015260248101949094526044840192909252606483015290911660848201524260a482015260c40160606040518083038185885af1158015611c58573d6000803e3d6000fd5b50505050506040513d601f19601f820116820180604052508101906119cd9190612330565b600082611c8a8584611e65565b14949350505050565b6001600160a01b038416611cbd5760405163e602df0560e01b8152600060048201526024016109c2565b6001600160a01b038316611ce757604051634a1406b160e11b8152600060048201526024016109c2565b6001600160a01b03808516600090815260016020908152604080832093871683529290522082905580156119cd57826001600160a01b0316846001600160a01b03167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92584604051611d5a91815260200190565b60405180910390a350505050565b600a5462010000900460ff16611e20576001600160a01b038316301480611d9657506001600160a01b038316155b80611dd257507f00000000000000000000000000000000000000000000000000000000000000006001600160a01b0316836001600160a01b0316145b15611de2576117b3838383611ea8565b60405162461bcd60e51b8152602060048201526013602482015272151c98591a5b99c81a5cc8191a5cd8589b1959606a1b60448201526064016109c2565b6117b3838383611ea8565b6001600160a01b038216611e555760405163ec442f0560e01b8152600060048201526024016109c2565b611e6160008383611d68565b5050565b600081815b8451811015611ea057611e9682868381518110611e8957611e8961235e565b6020026020010151611fd2565b9150600101611e6a565b509392505050565b6001600160a01b038316611ed3578060026000828254611ec89190612251565b90915550611f459050565b6001600160a01b03831660009081526020819052604090205481811015611f265760405163391434e360e21b81526001600160a01b038516600482015260248101829052604481018390526064016109c2565b6001600160a01b03841660009081526020819052604090209082900390555b6001600160a01b038216611f6157600280548290039055611f80565b6001600160a01b03821660009081526020819052604090208054820190555b816001600160a01b0316836001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef83604051611fc591815260200190565b60405180910390a3505050565b6000818310611fee576000828152602084905260409020611ffd565b60008381526020839052604090205b9392505050565b60006020808352835180602085015260005b8181101561203257858101830151858201604001528201612016565b506000604082860101526040601f19601f8301168501019250505092915050565b80356001600160a01b038116811461206a57600080fd5b919050565b6000806040838503121561208257600080fd5b61208b83612053565b946020939093013593505050565b6000602082840312156120ab57600080fd5b611ffd82612053565b6000806000606084860312156120c957600080fd5b6120d284612053565b92506120e060208501612053565b9150604084013590509250925092565b801515811461131657600080fd5b60006020828403121561211057600080fd5b8135611ffd816120f0565b60006020828403121561212d57600080fd5b5035919050565b6000806040838503121561214757600080fd5b61215083612053565b915061215e60208401612053565b90509250929050565b634e487b7160e01b600052604160045260246000fd5b6000602080838503121561219057600080fd5b823567ffffffffffffffff808211156121a857600080fd5b818501915085601f8301126121bc57600080fd5b8135818111156121ce576121ce612167565b8060051b604051601f19603f830116810181811085821117156121f3576121f3612167565b60405291825284820192508381018501918883111561221157600080fd5b938501935b8285101561222f57843584529385019392850192612216565b98975050505050505050565b634e487b7160e01b600052601160045260246000fd5b80820180821115610d3757610d3761223b565b600181811c9082168061227857607f821691505b60208210810361229857634e487b7160e01b600052602260045260246000fd5b50919050565b6020808252600f908201526e105b1c9958591e4818db185a5b5959608a1b604082015260600190565b8082028115828204841417610d3757610d3761223b565b6000826122fb57634e487b7160e01b600052601260045260246000fd5b500490565b60006020828403121561231257600080fd5b8151611ffd816120f0565b81810381811115610d3757610d3761223b565b60008060006060848603121561234557600080fd5b8351925060208401519150604084015190509250925092565b634e487b7160e01b600052603260045260246000fdfea264697066735822122089b964d0a929ec8303ee5fc96be10cefb70af38714a1e6c9e9680dc8cd532aa764736f6c6343000818003300000000000000000000000000000000000000000052b7d2dcc80cd2e4000000000000000000000000000000000000000000000000000000006a94d74f43000000000000000000000000000000000000000000000000000029a2241af62c000000000000000000000000000000000000000000000000000ad78ebc5ac6200000000000000000000000000000a43411dd27a68ccf7c70fa24addfc259318f69b300000000000000000000000000000000000000000000003635c9adc5dea0000000000000000000000000000098994a9a7a2570367554589189dc9772241650f600000000000000000000000043000000000000000000000000000000000000020000000000000000000000009582059e9f98f6417e15c59cc6bdcf85a98a16d8

Deployed Bytecode

0x6080604052600436106102805760003560e01c806371977dcb1161014f578063b071cbe6116100c1578063e164e9ed1161007a578063e164e9ed1461089f578063e780377e146108bf578063ec845dd8146108f3578063f2fde38b14610909578063f8d3d15e14610929578063f9d961171461095d57600080fd5b8063b071cbe614610788578063bf0294d0146107bc578063d0e30db0146107e9578063d490a317146107f1578063d53b4ab414610825578063dd62ed3e1461085957600080fd5b8063980bfa2e11610113578063980bfa2e146106bb578063988297a6146106ce5780639c76b14b14610702578063a64355e214610722578063a8ba474314610752578063a9059cbb1461076857600080fd5b806371977dcb146106235780638a8c523c146106435780638da5cb5b146106585780638f8656cb1461067657806395d89b41146106a657600080fd5b806334633c0d116101f3578063632e1320116101ac578063632e132014610521578063636bfbab1461055557806364198017146105895780636d498093146105b957806370a08231146105d8578063715018a61461060e57600080fd5b806334633c0d1461040b5780634792959c146104575780634ada218b146104845780634e71d92d146104a457806354b302c5146104b95780635868c32a146104ed57600080fd5b80631a0cb3a7116102455780631a0cb3a714610359578063205713871461038e578063229f3e29146103a357806323b872dd146103b95780632986436a146103d9578063313ce567146103ef57600080fd5b8062f380f41461029657806304c98b2b146102dd57806306fdde03146102f2578063095ea7b31461031457806318160ddd1461034457600080fd5b366102915761028f6000610977565b005b600080fd5b3480156102a257600080fd5b506102ca7f00000000000000000000000000000000000000000002907356344813d980000081565b6040519081526020015b60405180910390f35b3480156102e957600080fd5b5061028f610c0a565b3480156102fe57600080fd5b50610307610c91565b6040516102d49190612004565b34801561032057600080fd5b5061033461032f36600461206f565b610d23565b60405190151581526020016102d4565b34801561035057600080fd5b506002546102ca565b34801561036557600080fd5b50610379610374366004612099565b610d3d565b604080519283526020830191909152016102d4565b34801561039a57600080fd5b5061028f610da3565b3480156103af57600080fd5b506102ca60075481565b3480156103c557600080fd5b506103346103d43660046120b4565b610f73565b3480156103e557600080fd5b506102ca60085481565b3480156103fb57600080fd5b50604051601281526020016102d4565b34801561041757600080fd5b5061043f7f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020016102d4565b34801561046357600080fd5b506102ca610472366004612099565b600d6020526000908152604090205481565b34801561049057600080fd5b50600a546103349062010000900460ff1681565b3480156104b057600080fd5b5061028f610f97565b3480156104c557600080fd5b506102ca7f00000000000000000000000000000000000000000000000029a2241af62c000081565b3480156104f957600080fd5b506102ca7f000000000000000000000000000000000000000000000000000000000001518081565b34801561052d57600080fd5b506102ca7f00000000000000000000000000000000000000000025391ee35a05c54d00000081565b34801561056157600080fd5b506102ca7f000000000000000000000000000000000000000000000000006a94d74f43000081565b34801561059557600080fd5b506103346105a4366004612099565b600f6020526000908152604090205460ff1681565b3480156105c557600080fd5b50600a5461033490610100900460ff1681565b3480156105e457600080fd5b506102ca6105f3366004612099565b6001600160a01b031660009081526020819052604090205490565b34801561061a57600080fd5b5061028f611199565b34801561062f57600080fd5b5061028f61063e3660046120fe565b6111ab565b34801561064f57600080fd5b5061028f6112dd565b34801561066457600080fd5b506005546001600160a01b031661043f565b34801561068257600080fd5b50610334610691366004612099565b60106020526000908152604090205460ff1681565b3480156106b257600080fd5b506103076112fe565b61028f6106c9366004612099565b61130d565b3480156106da57600080fd5b5061043f7f00000000000000000000000098994a9a7a2570367554589189dc9772241650f681565b34801561070e57600080fd5b5061028f61071d36600461211b565b611319565b34801561072e57600080fd5b5061033461073d366004612099565b60116020526000908152604090205460ff1681565b34801561075e57600080fd5b506102ca600c5481565b34801561077457600080fd5b5061033461078336600461206f565b611326565b34801561079457600080fd5b506102ca7f00000000000000000000000000000000000000000000000ad78ebc5ac620000081565b3480156107c857600080fd5b506102ca6107d7366004612099565b600e6020526000908152604090205481565b61028f611334565b3480156107fd57600080fd5b506102ca7f00000000000000000000000000000000000000000000003635c9adc5dea0000081565b34801561083157600080fd5b506102ca7f00000000000000000000000000000000000000000005b521bfdfb9347080000081565b34801561086557600080fd5b506102ca610874366004612134565b6001600160a01b03918216600090815260016020908152604080832093909416825291909152205490565b3480156108ab57600080fd5b5061028f6108ba36600461217d565b61133e565b3480156108cb57600080fd5b506102ca7f00000000000000000000000000000000000000000018d0bf423c03d8de00000081565b3480156108ff57600080fd5b506102ca60095481565b34801561091557600080fd5b5061028f610924366004612099565b61165e565b34801561093557600080fd5b506102ca7f0000000000000000000000000000000000000000000c685fa11e01ec6f00000081565b34801561096957600080fd5b50600a546103349060ff1681565b333b156109cb5760405162461bcd60e51b815260206004820152601860248201527f436f6e747261637473206172652070726f68696269746564000000000000000060448201526064015b60405180910390fd5b600754600003610a195760405162461bcd60e51b8152602060048201526019602482015278141c995cd85b19481a5cc81b9bdd081858dd1a5d99481e595d603a1b60448201526064016109c2565b6007544210610a5a5760405162461bcd60e51b815260206004820152600d60248201526c141c995cd85b1948195b991959609a1b60448201526064016109c2565b7f000000000000000000000000000000000000000000000000006a94d74f430000341015610ad95760405162461bcd60e51b815260206004820152602660248201527f4d696e696d756e206465706f736974207468726573686f6c64206e6f7420657860448201526518d95959195960d21b60648201526084016109c2565b336000908152600e60205260409020547f00000000000000000000000000000000000000000000000029a2241af62c000090610b16903490612251565b1115610b6f5760405162461bcd60e51b815260206004820152602260248201527f4d6178696d756d206465706f736974207468726573686f6c6420657863656564604482015261195960f21b60648201526084016109c2565b3460096000828254610b819190612251565b9091555050336000908152600e602052604081208054349290610ba5908490612251565b90915550506001600160a01b03811615610bc357610bc38134611699565b60095460405133917f90890809c654f11d6e72a28fa60149770a0d11ec6c92319d6ceb2bb0a4ea1a1591610bff91348252602082015260400190565b60405180910390a250565b610c12611779565b60075415610c625760405162461bcd60e51b815260206004820152601760248201527f50726573616c6520616c7265616479207374617274656400000000000000000060448201526064016109c2565b610c8c7f000000000000000000000000000000000000000000000000000000000001518042612251565b600755565b606060038054610ca090612264565b80601f0160208091040260200160405190810160405280929190818152602001828054610ccc90612264565b8015610d195780601f10610cee57610100808354040283529160200191610d19565b820191906000526020600020905b815481529060010190602001808311610cfc57829003601f168201915b5050505050905090565b600033610d318185856117a6565b60019150505b92915050565b6001600160a01b0381166000908152600e60205260408120548190801580610d7d57506001600160a01b0384166000908152600f602052604090205460ff165b15610d8e5750600093849350915050565b610d998460016117b8565b9250925050915091565b600a54610100900460ff16610dfa5760405162461bcd60e51b815260206004820152601c60248201527f50726573616c65206973206e6f742066696e616c697a6564207965740000000060448201526064016109c2565b336000908152600d602052604090205480610e4c5760405162461bcd60e51b8152602060048201526012602482015271139bc81c9959995c9c985b1cc8199bdd5b9960721b60448201526064016109c2565b3360009081526010602052604090205460ff1615610e7c5760405162461bcd60e51b81526004016109c29061229e565b336000908152601060205260408120805460ff19166001179055600854610ec37f0000000000000000000000000000000000000000000c685fa11e01ec6f000000846122c7565b610ecd91906122de565b60405163a9059cbb60e01b815233600482015260248101829052909150309063a9059cbb906044016020604051808303816000875af1158015610f14573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610f389190612300565b5060405181815233907f47cee97cb7acd717b3c0aa1435d004cd5b3c8c57d70dbceb4e4458bbd60e39d4906020015b60405180910390a25050565b600033610f81858285611955565b610f8c8585856119d3565b506001949350505050565b610f9f611a32565b600a54610100900460ff16610ff65760405162461bcd60e51b815260206004820152601c60248201527f50726573616c65206973206e6f742066696e616c697a6564207965740000000060448201526064016109c2565b336000908152600e60205260409020546110465760405162461bcd60e51b8152602060048201526011602482015270139bc819195c1bdcda5d1cc8199bdd5b99607a1b60448201526064016109c2565b336000908152600f602052604090205460ff16156110765760405162461bcd60e51b81526004016109c29061229e565b600a54600090819061108c90339060ff166117b8565b336000908152600f60205260409020805460ff191660011790559092509050811561111b5760405163a9059cbb60e01b815233600482015260248101839052309063a9059cbb906044016020604051808303816000875af11580156110f5573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906111199190612300565b505b801561115057604051339082156108fc029083906000818181858888f1935050505015801561114e573d6000803e3d6000fd5b505b604080518381526020810183905233917fa209c0dc520419125d13bb895c8b0c4dfc783ae1a7a154d68427ab9b14eeed96910160405180910390a250506111976001600655565b565b6111a1611779565b6111976000611a5c565b6111b3611779565b6007546000036112015760405162461bcd60e51b8152602060048201526019602482015278141c995cd85b19481a5cc81b9bdd081858dd1a5d99481e595d603a1b60448201526064016109c2565b60075442116112525760405162461bcd60e51b815260206004820152601c60248201527f50726573616c65206973207374696c6c20696e2070726f67726573730000000060448201526064016109c2565b600a805460ff191682158015919091179091556112cb5760007f00000000000000000000000000000000000000000000000ad78ebc5ac62000006009541161129c576009546112be565b7f00000000000000000000000000000000000000000000000ad78ebc5ac62000005b90506112c981611aae565b505b50600a805461ff001916610100179055565b6112e5611779565b600a805462ff0000191662010000179055611197611199565b606060048054610ca090612264565b61131681610977565b50565b611321611779565b600b55565b600033610d318185856119d3565b6111976000610977565b6007546000036113905760405162461bcd60e51b815260206004820152601760248201527f436c61696d206973206e6f74206163746976652079657400000000000000000060448201526064016109c2565b3360009081526011602052604090205460ff16156113c05760405162461bcd60e51b81526004016109c29061229e565b7f00000000000000000000000000000000000000000005b521bfdfb934708000007f00000000000000000000000000000000000000000000003635c9adc5dea00000600c5461140f9190612251565b111561146b5760405162461bcd60e51b815260206004820152602560248201527f436f6d6d756e69747920616c6c6f636174696f6e20686173206265656e20636c604482015264185a5b595960da1b60648201526084016109c2565b600b546040516bffffffffffffffffffffffff193360601b1660208201526114ad91839160340160405160208183030381529060405280519060200120611c7d565b6114f05760405162461bcd60e51b815260206004820152601460248201527324b73b30b634b21026b2b935b63290283937b7b360611b60448201526064016109c2565b336000908152601160205260408120805460ff19166001179055600c80547f00000000000000000000000000000000000000000000003635c9adc5dea00000929061153c908490612251565b909155505060405163a9059cbb60e01b81523360048201527f00000000000000000000000000000000000000000000003635c9adc5dea000006024820152309063a9059cbb906044016020604051808303816000875af11580156115a4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906115c89190612300565b61160c5760405162461bcd60e51b8152602060048201526015602482015274151bdad95b881d1c985b9cd9995c8819985a5b1959605a1b60448201526064016109c2565b6040517f00000000000000000000000000000000000000000000003635c9adc5dea00000815233907f47cee97cb7acd717b3c0aa1435d004cd5b3c8c57d70dbceb4e4458bbd60e39d490602001610bff565b611666611779565b6001600160a01b03811661169057604051631e4fbdf760e01b8152600060048201526024016109c2565b61131681611a5c565b336001600160a01b038316036116e55760405162461bcd60e51b815260206004820152601160248201527021b0b73737ba103932b332b91039b2b63360791b60448201526064016109c2565b6001600160a01b0382166000908152600d60205260408120805483929061170d908490612251565b9250508190555080600860008282546117269190612251565b90915550506001600160a01b0382166000818152600d6020908152604091829020548251858152918201527f5ca54aaa8bb8752e4b9b8616e8ad7ffaea47d1d255e1a5edd1da38b415725b5e9101610f67565b6005546001600160a01b031633146111975760405163118cdaa760e01b81523360048201526024016109c2565b6117b38383836001611c93565b505050565b6001600160a01b0382166000908152600e60205260408120548190806118145760405162461bcd60e51b8152602060048201526011602482015270139bc819195c1bdcda5d1cc8199bdd5b99607a1b60448201526064016109c2565b6001600160a01b0385166000908152600f602052604090205460ff161561184d5760405162461bcd60e51b81526004016109c29061229e565b8361185a5780915061194d565b7f00000000000000000000000000000000000000000000000ad78ebc5ac62000006009541115611913576009546118b17f00000000000000000000000000000000000000000025391ee35a05c54d000000836122c7565b6118bb91906122de565b925060016009547f00000000000000000000000000000000000000000000000ad78ebc5ac6200000836118ee91906122c7565b6118f891906122de565b611902908361231d565b61190c919061231d565b915061194d565b6009546119407f00000000000000000000000000000000000000000025391ee35a05c54d000000836122c7565b61194a91906122de565b92505b509250929050565b6001600160a01b0383811660009081526001602090815260408083209386168352929052205460001981146119cd57818110156119be57604051637dc7a0d960e11b81526001600160a01b038416600482015260248101829052604481018390526064016109c2565b6119cd84848484036000611c93565b50505050565b6001600160a01b0383166119fd57604051634b637e8f60e11b8152600060048201526024016109c2565b6001600160a01b038216611a275760405163ec442f0560e01b8152600060048201526024016109c2565b6117b3838383611d68565b600260065403611a5557604051633ee5aeb560e01b815260040160405180910390fd5b6002600655565b600580546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b611ad8307f00000000000000000000000000000000000000000018d0bf423c03d8de000000611e2b565b60405163095ea7b360e01b81526001600160a01b037f00000000000000000000000098994a9a7a2570367554589189dc9772241650f61660048201527f00000000000000000000000000000000000000000018d0bf423c03d8de0000006024820152309063095ea7b3906044016020604051808303816000875af1158015611b64573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611b889190612300565b507f00000000000000000000000098994a9a7a2570367554589189dc9772241650f66001600160a01b031663f305d71982307f00000000000000000000000000000000000000000018d0bf423c03d8de000000600080611bf06005546001600160a01b031690565b60405160e088901b6001600160e01b03191681526001600160a01b03958616600482015260248101949094526044840192909252606483015290911660848201524260a482015260c40160606040518083038185885af1158015611c58573d6000803e3d6000fd5b50505050506040513d601f19601f820116820180604052508101906119cd9190612330565b600082611c8a8584611e65565b14949350505050565b6001600160a01b038416611cbd5760405163e602df0560e01b8152600060048201526024016109c2565b6001600160a01b038316611ce757604051634a1406b160e11b8152600060048201526024016109c2565b6001600160a01b03808516600090815260016020908152604080832093871683529290522082905580156119cd57826001600160a01b0316846001600160a01b03167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92584604051611d5a91815260200190565b60405180910390a350505050565b600a5462010000900460ff16611e20576001600160a01b038316301480611d9657506001600160a01b038316155b80611dd257507f00000000000000000000000098994a9a7a2570367554589189dc9772241650f66001600160a01b0316836001600160a01b0316145b15611de2576117b3838383611ea8565b60405162461bcd60e51b8152602060048201526013602482015272151c98591a5b99c81a5cc8191a5cd8589b1959606a1b60448201526064016109c2565b6117b3838383611ea8565b6001600160a01b038216611e555760405163ec442f0560e01b8152600060048201526024016109c2565b611e6160008383611d68565b5050565b600081815b8451811015611ea057611e9682868381518110611e8957611e8961235e565b6020026020010151611fd2565b9150600101611e6a565b509392505050565b6001600160a01b038316611ed3578060026000828254611ec89190612251565b90915550611f459050565b6001600160a01b03831660009081526020819052604090205481811015611f265760405163391434e360e21b81526001600160a01b038516600482015260248101829052604481018390526064016109c2565b6001600160a01b03841660009081526020819052604090209082900390555b6001600160a01b038216611f6157600280548290039055611f80565b6001600160a01b03821660009081526020819052604090208054820190555b816001600160a01b0316836001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef83604051611fc591815260200190565b60405180910390a3505050565b6000818310611fee576000828152602084905260409020611ffd565b60008381526020839052604090205b9392505050565b60006020808352835180602085015260005b8181101561203257858101830151858201604001528201612016565b506000604082860101526040601f19601f8301168501019250505092915050565b80356001600160a01b038116811461206a57600080fd5b919050565b6000806040838503121561208257600080fd5b61208b83612053565b946020939093013593505050565b6000602082840312156120ab57600080fd5b611ffd82612053565b6000806000606084860312156120c957600080fd5b6120d284612053565b92506120e060208501612053565b9150604084013590509250925092565b801515811461131657600080fd5b60006020828403121561211057600080fd5b8135611ffd816120f0565b60006020828403121561212d57600080fd5b5035919050565b6000806040838503121561214757600080fd5b61215083612053565b915061215e60208401612053565b90509250929050565b634e487b7160e01b600052604160045260246000fd5b6000602080838503121561219057600080fd5b823567ffffffffffffffff808211156121a857600080fd5b818501915085601f8301126121bc57600080fd5b8135818111156121ce576121ce612167565b8060051b604051601f19603f830116810181811085821117156121f3576121f3612167565b60405291825284820192508381018501918883111561221157600080fd5b938501935b8285101561222f57843584529385019392850192612216565b98975050505050505050565b634e487b7160e01b600052601160045260246000fd5b80820180821115610d3757610d3761223b565b600181811c9082168061227857607f821691505b60208210810361229857634e487b7160e01b600052602260045260246000fd5b50919050565b6020808252600f908201526e105b1c9958591e4818db185a5b5959608a1b604082015260600190565b8082028115828204841417610d3757610d3761223b565b6000826122fb57634e487b7160e01b600052601260045260246000fd5b500490565b60006020828403121561231257600080fd5b8151611ffd816120f0565b81810381811115610d3757610d3761223b565b60008060006060848603121561234557600080fd5b8351925060208401519150604084015190509250925092565b634e487b7160e01b600052603260045260246000fdfea264697066735822122089b964d0a929ec8303ee5fc96be10cefb70af38714a1e6c9e9680dc8cd532aa764736f6c63430008180033

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

00000000000000000000000000000000000000000052b7d2dcc80cd2e4000000000000000000000000000000000000000000000000000000006a94d74f43000000000000000000000000000000000000000000000000000029a2241af62c000000000000000000000000000000000000000000000000000ad78ebc5ac6200000000000000000000000000000a43411dd27a68ccf7c70fa24addfc259318f69b300000000000000000000000000000000000000000000003635c9adc5dea0000000000000000000000000000098994a9a7a2570367554589189dc9772241650f600000000000000000000000043000000000000000000000000000000000000020000000000000000000000009582059e9f98f6417e15c59cc6bdcf85a98a16d8

-----Decoded View---------------
Arg [0] : _supply (uint256): 100000000000000000000000000
Arg [1] : _minimumDeposit (uint256): 30000000000000000
Arg [2] : _maximumDeposit (uint256): 3000000000000000000
Arg [3] : _hardcap (uint256): 200000000000000000000
Arg [4] : _communityFundWallet (address): 0xA43411dd27A68CCf7c70fa24ADdFC259318f69B3
Arg [5] : _communityClaimAmount (uint256): 1000000000000000000000
Arg [6] : _thrusterRouter (address): 0x98994a9A7a2570367554589189dC9772241650f6
Arg [7] : _blast (address): 0x4300000000000000000000000000000000000002
Arg [8] : _owner (address): 0x9582059E9f98f6417E15c59CC6BDcf85a98A16d8

-----Encoded View---------------
9 Constructor Arguments found :
Arg [0] : 00000000000000000000000000000000000000000052b7d2dcc80cd2e4000000
Arg [1] : 000000000000000000000000000000000000000000000000006a94d74f430000
Arg [2] : 00000000000000000000000000000000000000000000000029a2241af62c0000
Arg [3] : 00000000000000000000000000000000000000000000000ad78ebc5ac6200000
Arg [4] : 000000000000000000000000a43411dd27a68ccf7c70fa24addfc259318f69b3
Arg [5] : 00000000000000000000000000000000000000000000003635c9adc5dea00000
Arg [6] : 00000000000000000000000098994a9a7a2570367554589189dc9772241650f6
Arg [7] : 0000000000000000000000004300000000000000000000000000000000000002
Arg [8] : 0000000000000000000000009582059e9f98f6417e15c59cc6bdcf85a98a16d8


[ Download: CSV Export  ]
[ Download: CSV Export  ]

A token is a representation of an on-chain or off-chain asset. The token page shows information such as price, total supply, holders, transfers and social links. Learn more about this page in our Knowledge Base.