false
true

Contract Address Details

0xd178281F9919b7227452D05f2d01EDd73Baba485

Token
0xd17828-aba485
Creator
0x8687d8–47bc82 at 0x092a54–6c0443
Balance
0
Tokens
Fetching tokens...
Transactions
329 Transactions
Transfers
390 Transfers
Gas Used
29,530,897
Last Balance Update
23771286
Warning! Contract bytecode has been changed and doesn't match the verified one. Therefore, interaction with this smart contract may be risky.
Contract name:
SmartChef




Optimization enabled
true
Compiler version
v0.8.18+commit.87f61d96




Optimization runs
1000000
EVM Version
default




Verified at
2025-03-19T05:35:47.933171Z

Constructor Arguments

0x000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d25000000000000000000000000abccefb00528c9c792ac7c46997f0f6ee5dcdddd0000000000000000000000000000000000000000000000056bc75e2d631000000000000000000000000000000000000000000000000000000000000067dab1c00000000000000000000000000000000000000000000000000000000068023ec00000000000000000000000000000000000000000000000000000000000000000

Arg [0] (address) : 0x925bd85890a5e40606d07f5601311560b9d09d25
Arg [1] (address) : 0xabccefb00528c9c792ac7c46997f0f6ee5dcdddd
Arg [2] (uint256) : 100000000000000000000
Arg [3] (uint256) : 1742385600
Arg [4] (uint256) : 1744977600
Arg [5] (uint256) : 0

              

contracts/factory/SmartChef.sol

Sol2uml
new
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import {Ownable} from "@openzeppelin/contracts/access/Ownable.sol";
import {ReentrancyGuard} from "@openzeppelin/contracts/security/ReentrancyGuard.sol";
import {IERC20Metadata} from "@openzeppelin/contracts/token/ERC20/extensions/IERC20Metadata.sol";
import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";

contract SmartChef is Ownable, ReentrancyGuard {
    using SafeERC20 for IERC20Metadata;

    // Whether a limit is set for users
    bool public hasUserLimit;

    // Accrued token per share
    uint256 public accTokenPerShare;

    // The timestamp when mining ends.
    uint256 public endTimestamp;

    // The timestamp when mining starts.
    uint256 public startTimestamp;

    // The  of the last pool update
    uint256 public lastRewardTimestamp;

    // The pool limit (0 if none)
    uint256 public poolLimitPerUser;

    // Tokens created per second.
    uint256 public rewardPerSecond;

    // The precision factor
    uint256 public immutable PRECISION_FACTOR;

    // The reward token
    IERC20Metadata public immutable rewardToken;

    // The staked token
    IERC20Metadata public immutable stakedToken;

    // Info of each user that stakes tokens (stakedToken)
    mapping(address => UserInfo) public userInfo;

    struct UserInfo {
        uint256 amount; // How many staked tokens the user has provided
        uint256 rewardDebt; // Reward debt
    }

    event AdminTokenRecovery(address tokenRecovered, uint256 amount);
    event Deposit(address indexed user, uint256 amount);
    event EmergencyWithdraw(address indexed user, uint256 amount);
    event NewRewardPerSecond(uint256 rewardPerSecond);
    event NewStartTimestamp(uint256 startTimestamp);
    event NewEndTimestamp(uint256 endTimestamp);
    event NewPoolLimit(uint256 poolLimitPerUser);
    event RewardsStop(uint256 timestamp);
    event Withdraw(address indexed user, uint256 amount);

    /*
     * @notice constructor
     * @param _stakedToken: staked token address
     * @param _rewardToken: reward token address
     * @param _rewardPerSecond: reward per second (in rewardToken)
     * @param _startTimestamp: start timestamp
     * @param _endTimestamp: end timestamp
     * @param _poolLimitPerUser: pool limit per user in stakedToken (if any, else 0)
     */
    constructor(
        IERC20Metadata _stakedToken,
        IERC20Metadata _rewardToken,
        uint256 _rewardPerSecond,
        uint256 _startTimestamp,
        uint256 _endTimestamp,
        uint256 _poolLimitPerUser
    ) {
        require(_startTimestamp > block.timestamp && _endTimestamp > _startTimestamp, "invalid timestamp");

        stakedToken = _stakedToken;
        rewardToken = _rewardToken;
        rewardPerSecond = _rewardPerSecond;
        startTimestamp = _startTimestamp;
        endTimestamp = _endTimestamp;

        if (_poolLimitPerUser > 0) {
            hasUserLimit = true;
            poolLimitPerUser = _poolLimitPerUser;
        }

        uint256 decimalsRewardToken = uint256(rewardToken.decimals());
        require(decimalsRewardToken < 30, "Must be inferior to 30");

        PRECISION_FACTOR = uint256(10 ** (30 - decimalsRewardToken));

        // Set the lastRewardTimestamp as the startTimestamp
        lastRewardTimestamp = startTimestamp;
    }

    /*
     * @notice Deposit staked tokens and collect reward tokens (if any)
     * @param _amount: amount to withdraw (in rewardToken)
     */
    function deposit(uint256 _amount) external nonReentrant {
        UserInfo storage user = userInfo[msg.sender];

        if (hasUserLimit) {
            require(_amount + user.amount <= poolLimitPerUser, "User amount above limit");
        }

        _updatePool();

        if (user.amount > 0) {
            uint256 pending = user.amount * accTokenPerShare / PRECISION_FACTOR - user.rewardDebt;
            if (pending > 0) {
                rewardToken.safeTransfer(address(msg.sender), pending);
            }
        }

        if (_amount > 0) {
            user.amount = user.amount + _amount;
            stakedToken.safeTransferFrom(address(msg.sender), address(this), _amount);
        }

        user.rewardDebt = user.amount * accTokenPerShare / PRECISION_FACTOR;

        emit Deposit(msg.sender, _amount);
    }

    /*
     * @notice Withdraw staked tokens and collect reward tokens
     * @param _amount: amount to withdraw (in rewardToken)
     */
    function withdraw(uint256 _amount) external nonReentrant {
        UserInfo storage user = userInfo[msg.sender];
        require(user.amount >= _amount, "Amount to withdraw too high");

        _updatePool();

        uint256 pending = user.amount * accTokenPerShare / PRECISION_FACTOR - user.rewardDebt;

        if (_amount > 0) {
            user.amount = user.amount - _amount;
            stakedToken.safeTransfer(address(msg.sender), _amount);
        }

        if (pending > 0) {
            rewardToken.safeTransfer(address(msg.sender), pending);
        }

        user.rewardDebt = user.amount * accTokenPerShare / PRECISION_FACTOR;

        emit Withdraw(msg.sender, _amount);
    }

    /*
     * @notice Withdraw staked tokens without caring about rewards rewards
     * @dev Needs to be for emergency.
     */
    function emergencyWithdraw() external nonReentrant {
        UserInfo storage user = userInfo[msg.sender];
        uint256 amountToTransfer = user.amount;
        user.amount = 0;
        user.rewardDebt = 0;

        if (amountToTransfer > 0) {
            stakedToken.safeTransfer(address(msg.sender), amountToTransfer);
        }

        emit EmergencyWithdraw(msg.sender, user.amount);
    }

    /*
     * @notice Emergency reward withdraw
     * @dev Only callable by owner. Needs to be for emergency.
     */
    function emergencyRewardWithdraw(uint256 _amount) external onlyOwner {
        rewardToken.safeTransfer(address(msg.sender), _amount);
    }

    /**
     * @notice It allows the admin to recover wrong tokens sent to the contract
     * @param _tokenAddress: the address of the token to withdraw
     * @param _tokenAmount: the number of tokens to withdraw
     * @dev This function is only callable by admin.
     */
    function recoverWrongTokens(address _tokenAddress, uint256 _tokenAmount) external onlyOwner {
        require(_tokenAddress != address(stakedToken), "Cannot be staked token");
        require(_tokenAddress != address(rewardToken), "Cannot be reward token");

        IERC20Metadata(_tokenAddress).safeTransfer(address(msg.sender), _tokenAmount);

        emit AdminTokenRecovery(_tokenAddress, _tokenAmount);
    }

    /*
     * @notice Stop rewards
     * @dev Only callable by owner
     */
    function stopReward() external onlyOwner {
        require(endTimestamp < block.timestamp, "Cannot stop ended cycle");
        endTimestamp = block.timestamp;

        emit RewardsStop(block.timestamp);
    }

    /*
     * @notice Update pool limit per user
     * @dev Only callable by owner.
     * @param _hasUserLimit: whether the limit remains forced
     * @param _poolLimitPerUser: new pool limit per user
     */
    function updatePoolLimitPerUser(bool _hasUserLimit, uint256 _poolLimitPerUser) external onlyOwner {
        require(hasUserLimit, "Must be set");
        if (_hasUserLimit) {
            require(_poolLimitPerUser > poolLimitPerUser, "New limit must be higher");
            poolLimitPerUser = _poolLimitPerUser;
        } else {
            hasUserLimit = _hasUserLimit;
            poolLimitPerUser = 0;
        }
        emit NewPoolLimit(poolLimitPerUser);
    }

    /*
     * @notice Update reward per second
     * @dev Only callable by owner.
     * @param _rewardPerSecond: the reward per second
     */
    function updateRewardPerSecond(uint256 _rewardPerSecond) external onlyOwner {
        _updatePool();
        rewardPerSecond = _rewardPerSecond;
        emit NewRewardPerSecond(_rewardPerSecond);
    }

    /*
     * @notice Update start timestamp
     * @dev Only callable by owner.
     * @param _startTimestamp: the start timestamp
     */
    function updateStartTimestamp(uint256 _startTimestamp) external onlyOwner {
        require(startTimestamp > block.timestamp, "Mining has started");
        require(_startTimestamp > block.timestamp && _startTimestamp < endTimestamp, "Invalid timestamp");

        startTimestamp = _startTimestamp;
        lastRewardTimestamp = _startTimestamp;
        emit NewStartTimestamp(_startTimestamp);
    }

    function updateEndTimestamp(uint256 _endTimestamp) external onlyOwner {
        require(_endTimestamp > block.timestamp, "Invalid timestamp");

        _updatePool();
        endTimestamp = _endTimestamp;
        emit NewEndTimestamp(_endTimestamp);
    }

    /*
     * @notice View function to see pending reward on frontend.
     * @param _user: user address
     * @return Pending reward for a given user
     */
    function pendingReward(address _user) external view returns (uint256) {
        UserInfo storage user = userInfo[_user];
        uint256 stakedTokenSupply = stakedToken.balanceOf(address(this));
        if (block.timestamp > lastRewardTimestamp && stakedTokenSupply != 0) {
            uint256 multiplier = _getMultiplier(lastRewardTimestamp, block.timestamp);
            uint256 reward = multiplier * rewardPerSecond;
            uint256 adjustedTokenPerShare = accTokenPerShare + reward * PRECISION_FACTOR / stakedTokenSupply;
            return user.amount * adjustedTokenPerShare / PRECISION_FACTOR - user.rewardDebt;
        } else {
            return user.amount * accTokenPerShare / PRECISION_FACTOR - user.rewardDebt;
        }
    }

    /*
     * @notice Update reward variables of the given pool to be up-to-date.
     */
    function _updatePool() internal {
        if (block.timestamp <= lastRewardTimestamp) {
            return;
        }

        uint256 stakedTokenSupply = stakedToken.balanceOf(address(this));

        if (stakedTokenSupply == 0) {
            lastRewardTimestamp = block.timestamp;
            return;
        }

        uint256 multiplier = _getMultiplier(lastRewardTimestamp, block.timestamp);
        uint256 reward = multiplier * rewardPerSecond;
        accTokenPerShare = accTokenPerShare + reward * PRECISION_FACTOR / stakedTokenSupply;
        lastRewardTimestamp = block.timestamp;
    }

    /*
     * @notice Return reward multiplier over the given _from to _to block.
     * @param _from: block to start
     * @param _to: block to finish
     */
    function _getMultiplier(uint256 _from, uint256 _to) internal view returns (uint256) {
        if (_to <= endTimestamp) {
            return _to - _from;
        } else if (_from >= endTimestamp) {
            return 0;
        } else {
            return endTimestamp - _from;
        }
    }
}
        

@openzeppelin/contracts/access/Ownable.sol

// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

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

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

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

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

    /**
     * @dev Throws if called by any account other than the owner.
     */
    modifier onlyOwner() {
        require(owner() == _msgSender(), "Ownable: caller is not the owner");
        _;
    }

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

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

    function _setOwner(address newOwner) private {
        address oldOwner = _owner;
        _owner = newOwner;
        emit OwnershipTransferred(oldOwner, newOwner);
    }
}
          

@openzeppelin/contracts/security/ReentrancyGuard.sol

// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

    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 make it call a
     * `private` function that does the actual work.
     */
    modifier nonReentrant() {
        // On the first call to nonReentrant, _notEntered will be true
        require(_status != _ENTERED, "ReentrancyGuard: reentrant call");

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

        _;

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

@openzeppelin/contracts/token/ERC20/IERC20.sol

// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

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

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

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

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

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

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

@openzeppelin/contracts/token/ERC20/extensions/IERC20Metadata.sol

// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import "../IERC20.sol";

/**
 * @dev Interface for the optional metadata functions from the ERC20 standard.
 *
 * _Available since v4.1._
 */
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);
}
          

@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol

// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

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

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

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

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

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

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

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

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

@openzeppelin/contracts/utils/Address.sol

// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

/**
 * @dev Collection of functions related to the address type
 */
library Address {
    /**
     * @dev Returns true if `account` is a contract.
     *
     * [IMPORTANT]
     * ====
     * It is unsafe to assume that an address for which this function returns
     * false is an externally-owned account (EOA) and not a contract.
     *
     * Among others, `isContract` will return false for the following
     * types of addresses:
     *
     *  - an externally-owned account
     *  - a contract in construction
     *  - an address where a contract will be created
     *  - an address where a contract lived, but was destroyed
     * ====
     */
    function isContract(address account) internal view returns (bool) {
        // This method relies on extcodesize, which returns 0 for contracts in
        // construction, since the code is only stored at the end of the
        // constructor execution.

        uint256 size;
        assembly {
            size := extcodesize(account)
        }
        return size > 0;
    }

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

@openzeppelin/contracts/utils/Context.sol

// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

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

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

Compiler Settings

{"outputSelection":{"*":{"*":["abi","evm.bytecode","evm.deployedBytecode","evm.methodIdentifiers","metadata"],"":["ast"]}},"optimizer":{"runs":1000000,"enabled":true},"libraries":{}}
              

Contract ABI

[{"type":"constructor","stateMutability":"nonpayable","inputs":[{"type":"address","name":"_stakedToken","internalType":"contract IERC20Metadata"},{"type":"address","name":"_rewardToken","internalType":"contract IERC20Metadata"},{"type":"uint256","name":"_rewardPerSecond","internalType":"uint256"},{"type":"uint256","name":"_startTimestamp","internalType":"uint256"},{"type":"uint256","name":"_endTimestamp","internalType":"uint256"},{"type":"uint256","name":"_poolLimitPerUser","internalType":"uint256"}]},{"type":"event","name":"AdminTokenRecovery","inputs":[{"type":"address","name":"tokenRecovered","internalType":"address","indexed":false},{"type":"uint256","name":"amount","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"event","name":"Deposit","inputs":[{"type":"address","name":"user","internalType":"address","indexed":true},{"type":"uint256","name":"amount","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"event","name":"EmergencyWithdraw","inputs":[{"type":"address","name":"user","internalType":"address","indexed":true},{"type":"uint256","name":"amount","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"event","name":"NewEndTimestamp","inputs":[{"type":"uint256","name":"endTimestamp","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"event","name":"NewPoolLimit","inputs":[{"type":"uint256","name":"poolLimitPerUser","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"event","name":"NewRewardPerSecond","inputs":[{"type":"uint256","name":"rewardPerSecond","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"event","name":"NewStartTimestamp","inputs":[{"type":"uint256","name":"startTimestamp","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"event","name":"OwnershipTransferred","inputs":[{"type":"address","name":"previousOwner","internalType":"address","indexed":true},{"type":"address","name":"newOwner","internalType":"address","indexed":true}],"anonymous":false},{"type":"event","name":"RewardsStop","inputs":[{"type":"uint256","name":"timestamp","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"event","name":"Withdraw","inputs":[{"type":"address","name":"user","internalType":"address","indexed":true},{"type":"uint256","name":"amount","internalType":"uint256","indexed":false}],"anonymous":false},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"","internalType":"uint256"}],"name":"PRECISION_FACTOR","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"","internalType":"uint256"}],"name":"accTokenPerShare","inputs":[]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"deposit","inputs":[{"type":"uint256","name":"_amount","internalType":"uint256"}]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"emergencyRewardWithdraw","inputs":[{"type":"uint256","name":"_amount","internalType":"uint256"}]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"emergencyWithdraw","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"","internalType":"uint256"}],"name":"endTimestamp","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"bool","name":"","internalType":"bool"}],"name":"hasUserLimit","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"","internalType":"uint256"}],"name":"lastRewardTimestamp","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"address","name":"","internalType":"address"}],"name":"owner","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"","internalType":"uint256"}],"name":"pendingReward","inputs":[{"type":"address","name":"_user","internalType":"address"}]},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"","internalType":"uint256"}],"name":"poolLimitPerUser","inputs":[]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"recoverWrongTokens","inputs":[{"type":"address","name":"_tokenAddress","internalType":"address"},{"type":"uint256","name":"_tokenAmount","internalType":"uint256"}]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"renounceOwnership","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"","internalType":"uint256"}],"name":"rewardPerSecond","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"address","name":"","internalType":"contract IERC20Metadata"}],"name":"rewardToken","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"address","name":"","internalType":"contract IERC20Metadata"}],"name":"stakedToken","inputs":[]},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"","internalType":"uint256"}],"name":"startTimestamp","inputs":[]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"stopReward","inputs":[]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"transferOwnership","inputs":[{"type":"address","name":"newOwner","internalType":"address"}]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"updateEndTimestamp","inputs":[{"type":"uint256","name":"_endTimestamp","internalType":"uint256"}]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"updatePoolLimitPerUser","inputs":[{"type":"bool","name":"_hasUserLimit","internalType":"bool"},{"type":"uint256","name":"_poolLimitPerUser","internalType":"uint256"}]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"updateRewardPerSecond","inputs":[{"type":"uint256","name":"_rewardPerSecond","internalType":"uint256"}]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"updateStartTimestamp","inputs":[{"type":"uint256","name":"_startTimestamp","internalType":"uint256"}]},{"type":"function","stateMutability":"view","outputs":[{"type":"uint256","name":"amount","internalType":"uint256"},{"type":"uint256","name":"rewardDebt","internalType":"uint256"}],"name":"userInfo","inputs":[{"type":"address","name":"","internalType":"address"}]},{"type":"function","stateMutability":"nonpayable","outputs":[],"name":"withdraw","inputs":[{"type":"uint256","name":"_amount","internalType":"uint256"}]}]
              

Contract Creation Code

0x60e06040523480156200001157600080fd5b506040516200241b3803806200241b833981016040819052620000349162000232565b6200003f33620001c5565b6001805542831180156200005257508282115b620000985760405162461bcd60e51b81526020600482015260116024820152700696e76616c69642074696d657374616d7607c1b60448201526064015b60405180910390fd5b6001600160a01b0380871660c052851660a0526008849055600583905560048290558015620000d4576002805460ff1916600117905560078190555b600060a0516001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa15801562000117573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906200013d91906200028f565b60ff169050601e8110620001945760405162461bcd60e51b815260206004820152601660248201527f4d75737420626520696e666572696f7220746f2033300000000000000000000060448201526064016200008f565b620001a181601e620002d1565b620001ae90600a620003ea565b608052505060055460065550620003f89350505050565b600080546001600160a01b038381166001600160a01b0319831681178455604051919092169283917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e09190a35050565b80516001600160a01b03811681146200022d57600080fd5b919050565b60008060008060008060c087890312156200024c57600080fd5b620002578762000215565b9550620002676020880162000215565b945060408701519350606087015192506080870151915060a087015190509295509295509295565b600060208284031215620002a257600080fd5b815160ff81168114620002b457600080fd5b9392505050565b634e487b7160e01b600052601160045260246000fd5b81810381811115620002e757620002e7620002bb565b92915050565b600181815b808511156200032e578160001904821115620003125762000312620002bb565b808516156200032057918102915b93841c9390800290620002f2565b509250929050565b6000826200034757506001620002e7565b816200035657506000620002e7565b81600181146200036f57600281146200037a576200039a565b6001915050620002e7565b60ff8411156200038e576200038e620002bb565b50506001821b620002e7565b5060208310610133831016604e8410600b8410161715620003bf575081810a620002e7565b620003cb8383620002ed565b8060001904821115620003e257620003e2620002bb565b029392505050565b6000620002b4838362000336565b60805160a05160c051611f75620004a6600039600081816103130152818161054d01528181610780015281816110a4015281816111f80152818161157601526117420152600081816103ab01528181610594015281816106d301528181610835015261104c01526000818161033a015281816104d7015281816105c201528181610fe5015281816110d30152818161162201528181611667015281816116c101526117fb0152611f756000f3fe608060405234801561001057600080fd5b50600436106101a35760003560e01c806392e8990e116100ee578063db2e21bc11610097578063f2fde38b11610071578063f2fde38b14610380578063f40f0f5214610393578063f7c618c1146103a6578063f8077fae146103cd57600080fd5b8063db2e21bc1461035c578063e67151ae14610364578063e6fd48bc1461037757600080fd5b8063b6b55f25116100c8578063b6b55f25146102fb578063cc7a262e1461030e578063ccd34cd51461033557600080fd5b806392e8990e146102c2578063a0b40905146102df578063a85adeab146102f257600080fd5b80636e1613fb116101505780638da5cb5b1161012a5780638da5cb5b146102715780638f10369a146102b05780638f662915146102b957600080fd5b80636e1613fb1461024e578063715018a61461026157806380dc06721461026957600080fd5b80633f138d4b116101815780633f138d4b146102115780634004c8e71461022457806366fe9f8a1461023757600080fd5b80631959a002146101a85780632e1a7d4d146101e95780633279beab146101fe575b600080fd5b6101cf6101b6366004611d47565b6009602052600090815260409020805460019091015482565b604080519283526020830191909152015b60405180910390f35b6101fc6101f7366004611d62565b6103d6565b005b6101fc61020c366004611d62565b610638565b6101fc61021f366004611d7b565b6106fd565b6101fc610232366004611d62565b61095d565b61024060075481565b6040519081526020016101e0565b6101fc61025c366004611d62565b610a22565b6101fc610b49565b6101fc610bd6565b60005473ffffffffffffffffffffffffffffffffffffffff165b60405173ffffffffffffffffffffffffffffffffffffffff90911681526020016101e0565b61024060085481565b61024060035481565b6002546102cf9060ff1681565b60405190151581526020016101e0565b6101fc6102ed366004611db3565b610cfd565b61024060045481565b6101fc610309366004611d62565b610eca565b61028b7f000000000000000000000000000000000000000000000000000000000000000081565b6102407f000000000000000000000000000000000000000000000000000000000000000081565b6101fc611149565b6101fc610372366004611d62565b611253565b61024060055481565b6101fc61038e366004611d47565b6113ef565b6102406103a1366004611d47565b61151c565b61028b7f000000000000000000000000000000000000000000000000000000000000000081565b61024060065481565b600260015403610447576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c0060448201526064015b60405180910390fd5b600260015533600090815260096020526040902080548211156104c6576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601b60248201527f416d6f756e7420746f20776974686472617720746f6f20686967680000000000604482015260640161043e565b6104ce611706565b600081600101547f000000000000000000000000000000000000000000000000000000000000000060035484600001546105089190611e00565b6105129190611e17565b61051c9190611e52565b90508215610574578154610531908490611e52565b825561057473ffffffffffffffffffffffffffffffffffffffff7f0000000000000000000000000000000000000000000000000000000000000000163385611843565b80156105bb576105bb73ffffffffffffffffffffffffffffffffffffffff7f0000000000000000000000000000000000000000000000000000000000000000163383611843565b60035482547f0000000000000000000000000000000000000000000000000000000000000000916105eb91611e00565b6105f59190611e17565b600183015560405183815233907f884edad9ce6fa2440d8a54cc123490eb96d2768479d49ff9c7366125a94243649060200160405180910390a250506001805550565b60005473ffffffffffffffffffffffffffffffffffffffff1633146106b9576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b6106fa73ffffffffffffffffffffffffffffffffffffffff7f0000000000000000000000000000000000000000000000000000000000000000163383611843565b50565b60005473ffffffffffffffffffffffffffffffffffffffff16331461077e576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b7f000000000000000000000000000000000000000000000000000000000000000073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603610833576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601660248201527f43616e6e6f74206265207374616b656420746f6b656e00000000000000000000604482015260640161043e565b7f000000000000000000000000000000000000000000000000000000000000000073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff16036108e8576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601660248201527f43616e6e6f742062652072657761726420746f6b656e00000000000000000000604482015260640161043e565b61090973ffffffffffffffffffffffffffffffffffffffff83163383611843565b6040805173ffffffffffffffffffffffffffffffffffffffff84168152602081018390527f74545154aac348a3eac92596bd1971957ca94795f4e954ec5f613b55fab7812991015b60405180910390a15050565b60005473ffffffffffffffffffffffffffffffffffffffff1633146109de576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b6109e6611706565b60088190556040518181527f3fca6699460f553eae31233dba0b41f635e80f5bd8132d7f2af5456c3e247be0906020015b60405180910390a150565b60005473ffffffffffffffffffffffffffffffffffffffff163314610aa3576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b428111610b0c576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601160248201527f496e76616c69642074696d657374616d70000000000000000000000000000000604482015260640161043e565b610b14611706565b60048190556040518181527fac7d83845fcc6871010ded05a8cb9bddee5cc49fdb8f2d24b96141d401b6bfed90602001610a17565b60005473ffffffffffffffffffffffffffffffffffffffff163314610bca576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b610bd4600061191c565b565b60005473ffffffffffffffffffffffffffffffffffffffff163314610c57576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b4260045410610cc2576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601760248201527f43616e6e6f742073746f7020656e646564206379636c65000000000000000000604482015260640161043e565b4260048190556040519081527ffed9fcb0ca3d1e761a4b929792bb24082fba92dca81252646ad306d3068065669060200160405180910390a1565b60005473ffffffffffffffffffffffffffffffffffffffff163314610d7e576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b60025460ff16610dea576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600b60248201527f4d75737420626520736574000000000000000000000000000000000000000000604482015260640161043e565b8115610e65576007548111610e5b576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601860248201527f4e6577206c696d6974206d757374206265206869676865720000000000000000604482015260640161043e565b6007819055610e97565b600280547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001683151517905560006007555b7f241f67ee5f41b7a5cabf911367329be7215900f602ebfc47f89dce2a6bcd847c60075460405161095191815260200190565b600260015403610f36576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604482015260640161043e565b60026001819055336000908152600960205260409020905460ff1615610fcd576007548154610f659084611e65565b1115610fcd576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601760248201527f5573657220616d6f756e742061626f7665206c696d6974000000000000000000604482015260640161043e565b610fd5611706565b80541561107557600081600101547f000000000000000000000000000000000000000000000000000000000000000060035484600001546110169190611e00565b6110209190611e17565b61102a9190611e52565b905080156110735761107373ffffffffffffffffffffffffffffffffffffffff7f0000000000000000000000000000000000000000000000000000000000000000163383611843565b505b81156110cc578054611088908390611e65565b81556110cc73ffffffffffffffffffffffffffffffffffffffff7f000000000000000000000000000000000000000000000000000000000000000016333085611991565b60035481547f0000000000000000000000000000000000000000000000000000000000000000916110fc91611e00565b6111069190611e17565b600182015560405182815233907fe1fffcc4923d04b559f4d29a8bfc6cda04eb5b0d3c460751c2402c5c5cc9109c906020015b60405180910390a2505060018055565b6002600154036111b5576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604482015260640161043e565b6002600190815533600090815260096020526040812080548282559281019190915590801561121f5761121f73ffffffffffffffffffffffffffffffffffffffff7f0000000000000000000000000000000000000000000000000000000000000000163383611843565b815460405190815233907f5fafa99d0643513820be26656b45130b01e1c03062e1266bf36f88cbd3bd969590602001611139565b60005473ffffffffffffffffffffffffffffffffffffffff1633146112d4576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b426005541161133f576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601260248201527f4d696e696e672068617320737461727465640000000000000000000000000000604482015260640161043e565b428111801561134f575060045481105b6113b5576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601160248201527f496e76616c69642074696d657374616d70000000000000000000000000000000604482015260640161043e565b600581905560068190556040518181527f1fbaeae1127a400a14c2cdb0180f42aae5f87ae12dd95578d39be1a3bd19f93390602001610a17565b60005473ffffffffffffffffffffffffffffffffffffffff163314611470576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b73ffffffffffffffffffffffffffffffffffffffff8116611513576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201527f6464726573730000000000000000000000000000000000000000000000000000606482015260840161043e565b6106fa8161191c565b73ffffffffffffffffffffffffffffffffffffffff81811660009081526009602052604080822090517f70a082310000000000000000000000000000000000000000000000000000000081523060048201529192909183917f000000000000000000000000000000000000000000000000000000000000000016906370a0823190602401602060405180830381865afa1580156115bd573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906115e19190611e78565b9050600654421180156115f357508015155b156116b5576000611606600654426119f5565b90506000600854826116189190611e00565b90506000836116477f000000000000000000000000000000000000000000000000000000000000000084611e00565b6116519190611e17565b60035461165e9190611e65565b905084600101547f00000000000000000000000000000000000000000000000000000000000000008287600001546116969190611e00565b6116a09190611e17565b6116aa9190611e52565b979650505050505050565b600182015460035483547f0000000000000000000000000000000000000000000000000000000000000000916116ea91611e00565b6116f49190611e17565b6116fe9190611e52565b949350505050565b600654421161171157565b6040517f70a082310000000000000000000000000000000000000000000000000000000081523060048201526000907f000000000000000000000000000000000000000000000000000000000000000073ffffffffffffffffffffffffffffffffffffffff16906370a0823190602401602060405180830381865afa15801561179e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117c29190611e78565b9050806000036117d3575042600655565b60006117e1600654426119f5565b90506000600854826117f39190611e00565b9050826118207f000000000000000000000000000000000000000000000000000000000000000083611e00565b61182a9190611e17565b6003546118379190611e65565b60035550504260065550565b60405173ffffffffffffffffffffffffffffffffffffffff83166024820152604481018290526119179084907fa9059cbb00000000000000000000000000000000000000000000000000000000906064015b604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08184030181529190526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fffffffff0000000000000000000000000000000000000000000000000000000090931692909217909152611a36565b505050565b6000805473ffffffffffffffffffffffffffffffffffffffff8381167fffffffffffffffffffffffff0000000000000000000000000000000000000000831681178455604051919092169283917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e09190a35050565b60405173ffffffffffffffffffffffffffffffffffffffff808516602483015283166044820152606481018290526119ef9085907f23b872dd0000000000000000000000000000000000000000000000000000000090608401611895565b50505050565b60006004548211611a1157611a0a8383611e52565b9050611a30565b6004548310611a2257506000611a30565b82600454611a0a9190611e52565b92915050565b6000611a98826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c65648152508573ffffffffffffffffffffffffffffffffffffffff16611b429092919063ffffffff16565b8051909150156119175780806020019051810190611ab69190611e91565b611917576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e60448201527f6f74207375636365656400000000000000000000000000000000000000000000606482015260840161043e565b6060611b518484600085611b5b565b90505b9392505050565b606082471015611bed576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f60448201527f722063616c6c0000000000000000000000000000000000000000000000000000606482015260840161043e565b843b611c55576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e7472616374000000604482015260640161043e565b6000808673ffffffffffffffffffffffffffffffffffffffff168587604051611c7e9190611ed2565b60006040518083038185875af1925050503d8060008114611cbb576040519150601f19603f3d011682016040523d82523d6000602084013e611cc0565b606091505b50915091506116aa82828660608315611cda575081611b54565b825115611cea5782518084602001fd5b816040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161043e9190611eee565b803573ffffffffffffffffffffffffffffffffffffffff81168114611d4257600080fd5b919050565b600060208284031215611d5957600080fd5b611b5482611d1e565b600060208284031215611d7457600080fd5b5035919050565b60008060408385031215611d8e57600080fd5b611d9783611d1e565b946020939093013593505050565b80151581146106fa57600080fd5b60008060408385031215611dc657600080fd5b8235611d9781611da5565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b8082028115828204841417611a3057611a30611dd1565b600082611e4d577f4e487b7100000000000000000000000000000000000000000000000000000000600052601260045260246000fd5b500490565b81810381811115611a3057611a30611dd1565b80820180821115611a3057611a30611dd1565b600060208284031215611e8a57600080fd5b5051919050565b600060208284031215611ea357600080fd5b8151611b5481611da5565b60005b83811015611ec9578181015183820152602001611eb1565b50506000910152565b60008251611ee4818460208701611eae565b9190910192915050565b6020815260008251806020840152611f0d816040850160208701611eae565b601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe016919091016040019291505056fea26469706673582212201da8b1ef8f77939ca252a273f2194566fafb19a222eb7cfeeed2b26cfa93128464736f6c63430008120033000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d25000000000000000000000000abccefb00528c9c792ac7c46997f0f6ee5dcdddd0000000000000000000000000000000000000000000000056bc75e2d631000000000000000000000000000000000000000000000000000000000000067dab1c00000000000000000000000000000000000000000000000000000000068023ec00000000000000000000000000000000000000000000000000000000000000000

Deployed ByteCode

0x608060405234801561001057600080fd5b50600436106101a35760003560e01c806392e8990e116100ee578063db2e21bc11610097578063f2fde38b11610071578063f2fde38b14610380578063f40f0f5214610393578063f7c618c1146103a6578063f8077fae146103cd57600080fd5b8063db2e21bc1461035c578063e67151ae14610364578063e6fd48bc1461037757600080fd5b8063b6b55f25116100c8578063b6b55f25146102fb578063cc7a262e1461030e578063ccd34cd51461033557600080fd5b806392e8990e146102c2578063a0b40905146102df578063a85adeab146102f257600080fd5b80636e1613fb116101505780638da5cb5b1161012a5780638da5cb5b146102715780638f10369a146102b05780638f662915146102b957600080fd5b80636e1613fb1461024e578063715018a61461026157806380dc06721461026957600080fd5b80633f138d4b116101815780633f138d4b146102115780634004c8e71461022457806366fe9f8a1461023757600080fd5b80631959a002146101a85780632e1a7d4d146101e95780633279beab146101fe575b600080fd5b6101cf6101b6366004611d47565b6009602052600090815260409020805460019091015482565b604080519283526020830191909152015b60405180910390f35b6101fc6101f7366004611d62565b6103d6565b005b6101fc61020c366004611d62565b610638565b6101fc61021f366004611d7b565b6106fd565b6101fc610232366004611d62565b61095d565b61024060075481565b6040519081526020016101e0565b6101fc61025c366004611d62565b610a22565b6101fc610b49565b6101fc610bd6565b60005473ffffffffffffffffffffffffffffffffffffffff165b60405173ffffffffffffffffffffffffffffffffffffffff90911681526020016101e0565b61024060085481565b61024060035481565b6002546102cf9060ff1681565b60405190151581526020016101e0565b6101fc6102ed366004611db3565b610cfd565b61024060045481565b6101fc610309366004611d62565b610eca565b61028b7f000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d2581565b6102407f000000000000000000000000000000000000000000000000000000e8d4a5100081565b6101fc611149565b6101fc610372366004611d62565b611253565b61024060055481565b6101fc61038e366004611d47565b6113ef565b6102406103a1366004611d47565b61151c565b61028b7f000000000000000000000000abccefb00528c9c792ac7c46997f0f6ee5dcdddd81565b61024060065481565b600260015403610447576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c0060448201526064015b60405180910390fd5b600260015533600090815260096020526040902080548211156104c6576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601b60248201527f416d6f756e7420746f20776974686472617720746f6f20686967680000000000604482015260640161043e565b6104ce611706565b600081600101547f000000000000000000000000000000000000000000000000000000e8d4a5100060035484600001546105089190611e00565b6105129190611e17565b61051c9190611e52565b90508215610574578154610531908490611e52565b825561057473ffffffffffffffffffffffffffffffffffffffff7f000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d25163385611843565b80156105bb576105bb73ffffffffffffffffffffffffffffffffffffffff7f000000000000000000000000abccefb00528c9c792ac7c46997f0f6ee5dcdddd163383611843565b60035482547f000000000000000000000000000000000000000000000000000000e8d4a51000916105eb91611e00565b6105f59190611e17565b600183015560405183815233907f884edad9ce6fa2440d8a54cc123490eb96d2768479d49ff9c7366125a94243649060200160405180910390a250506001805550565b60005473ffffffffffffffffffffffffffffffffffffffff1633146106b9576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b6106fa73ffffffffffffffffffffffffffffffffffffffff7f000000000000000000000000abccefb00528c9c792ac7c46997f0f6ee5dcdddd163383611843565b50565b60005473ffffffffffffffffffffffffffffffffffffffff16331461077e576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b7f000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d2573ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603610833576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601660248201527f43616e6e6f74206265207374616b656420746f6b656e00000000000000000000604482015260640161043e565b7f000000000000000000000000abccefb00528c9c792ac7c46997f0f6ee5dcdddd73ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff16036108e8576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601660248201527f43616e6e6f742062652072657761726420746f6b656e00000000000000000000604482015260640161043e565b61090973ffffffffffffffffffffffffffffffffffffffff83163383611843565b6040805173ffffffffffffffffffffffffffffffffffffffff84168152602081018390527f74545154aac348a3eac92596bd1971957ca94795f4e954ec5f613b55fab7812991015b60405180910390a15050565b60005473ffffffffffffffffffffffffffffffffffffffff1633146109de576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b6109e6611706565b60088190556040518181527f3fca6699460f553eae31233dba0b41f635e80f5bd8132d7f2af5456c3e247be0906020015b60405180910390a150565b60005473ffffffffffffffffffffffffffffffffffffffff163314610aa3576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b428111610b0c576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601160248201527f496e76616c69642074696d657374616d70000000000000000000000000000000604482015260640161043e565b610b14611706565b60048190556040518181527fac7d83845fcc6871010ded05a8cb9bddee5cc49fdb8f2d24b96141d401b6bfed90602001610a17565b60005473ffffffffffffffffffffffffffffffffffffffff163314610bca576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b610bd4600061191c565b565b60005473ffffffffffffffffffffffffffffffffffffffff163314610c57576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b4260045410610cc2576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601760248201527f43616e6e6f742073746f7020656e646564206379636c65000000000000000000604482015260640161043e565b4260048190556040519081527ffed9fcb0ca3d1e761a4b929792bb24082fba92dca81252646ad306d3068065669060200160405180910390a1565b60005473ffffffffffffffffffffffffffffffffffffffff163314610d7e576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b60025460ff16610dea576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600b60248201527f4d75737420626520736574000000000000000000000000000000000000000000604482015260640161043e565b8115610e65576007548111610e5b576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601860248201527f4e6577206c696d6974206d757374206265206869676865720000000000000000604482015260640161043e565b6007819055610e97565b600280547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001683151517905560006007555b7f241f67ee5f41b7a5cabf911367329be7215900f602ebfc47f89dce2a6bcd847c60075460405161095191815260200190565b600260015403610f36576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604482015260640161043e565b60026001819055336000908152600960205260409020905460ff1615610fcd576007548154610f659084611e65565b1115610fcd576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601760248201527f5573657220616d6f756e742061626f7665206c696d6974000000000000000000604482015260640161043e565b610fd5611706565b80541561107557600081600101547f000000000000000000000000000000000000000000000000000000e8d4a5100060035484600001546110169190611e00565b6110209190611e17565b61102a9190611e52565b905080156110735761107373ffffffffffffffffffffffffffffffffffffffff7f000000000000000000000000abccefb00528c9c792ac7c46997f0f6ee5dcdddd163383611843565b505b81156110cc578054611088908390611e65565b81556110cc73ffffffffffffffffffffffffffffffffffffffff7f000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d2516333085611991565b60035481547f000000000000000000000000000000000000000000000000000000e8d4a51000916110fc91611e00565b6111069190611e17565b600182015560405182815233907fe1fffcc4923d04b559f4d29a8bfc6cda04eb5b0d3c460751c2402c5c5cc9109c906020015b60405180910390a2505060018055565b6002600154036111b5576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604482015260640161043e565b6002600190815533600090815260096020526040812080548282559281019190915590801561121f5761121f73ffffffffffffffffffffffffffffffffffffffff7f000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d25163383611843565b815460405190815233907f5fafa99d0643513820be26656b45130b01e1c03062e1266bf36f88cbd3bd969590602001611139565b60005473ffffffffffffffffffffffffffffffffffffffff1633146112d4576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b426005541161133f576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601260248201527f4d696e696e672068617320737461727465640000000000000000000000000000604482015260640161043e565b428111801561134f575060045481105b6113b5576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601160248201527f496e76616c69642074696d657374616d70000000000000000000000000000000604482015260640161043e565b600581905560068190556040518181527f1fbaeae1127a400a14c2cdb0180f42aae5f87ae12dd95578d39be1a3bd19f93390602001610a17565b60005473ffffffffffffffffffffffffffffffffffffffff163314611470576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161043e565b73ffffffffffffffffffffffffffffffffffffffff8116611513576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201527f6464726573730000000000000000000000000000000000000000000000000000606482015260840161043e565b6106fa8161191c565b73ffffffffffffffffffffffffffffffffffffffff81811660009081526009602052604080822090517f70a082310000000000000000000000000000000000000000000000000000000081523060048201529192909183917f000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d2516906370a0823190602401602060405180830381865afa1580156115bd573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906115e19190611e78565b9050600654421180156115f357508015155b156116b5576000611606600654426119f5565b90506000600854826116189190611e00565b90506000836116477f000000000000000000000000000000000000000000000000000000e8d4a5100084611e00565b6116519190611e17565b60035461165e9190611e65565b905084600101547f000000000000000000000000000000000000000000000000000000e8d4a510008287600001546116969190611e00565b6116a09190611e17565b6116aa9190611e52565b979650505050505050565b600182015460035483547f000000000000000000000000000000000000000000000000000000e8d4a51000916116ea91611e00565b6116f49190611e17565b6116fe9190611e52565b949350505050565b600654421161171157565b6040517f70a082310000000000000000000000000000000000000000000000000000000081523060048201526000907f000000000000000000000000925bd85890a5e40606d07f5601311560b9d09d2573ffffffffffffffffffffffffffffffffffffffff16906370a0823190602401602060405180830381865afa15801561179e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117c29190611e78565b9050806000036117d3575042600655565b60006117e1600654426119f5565b90506000600854826117f39190611e00565b9050826118207f000000000000000000000000000000000000000000000000000000e8d4a5100083611e00565b61182a9190611e17565b6003546118379190611e65565b60035550504260065550565b60405173ffffffffffffffffffffffffffffffffffffffff83166024820152604481018290526119179084907fa9059cbb00000000000000000000000000000000000000000000000000000000906064015b604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08184030181529190526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fffffffff0000000000000000000000000000000000000000000000000000000090931692909217909152611a36565b505050565b6000805473ffffffffffffffffffffffffffffffffffffffff8381167fffffffffffffffffffffffff0000000000000000000000000000000000000000831681178455604051919092169283917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e09190a35050565b60405173ffffffffffffffffffffffffffffffffffffffff808516602483015283166044820152606481018290526119ef9085907f23b872dd0000000000000000000000000000000000000000000000000000000090608401611895565b50505050565b60006004548211611a1157611a0a8383611e52565b9050611a30565b6004548310611a2257506000611a30565b82600454611a0a9190611e52565b92915050565b6000611a98826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c65648152508573ffffffffffffffffffffffffffffffffffffffff16611b429092919063ffffffff16565b8051909150156119175780806020019051810190611ab69190611e91565b611917576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e60448201527f6f74207375636365656400000000000000000000000000000000000000000000606482015260840161043e565b6060611b518484600085611b5b565b90505b9392505050565b606082471015611bed576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f60448201527f722063616c6c0000000000000000000000000000000000000000000000000000606482015260840161043e565b843b611c55576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e7472616374000000604482015260640161043e565b6000808673ffffffffffffffffffffffffffffffffffffffff168587604051611c7e9190611ed2565b60006040518083038185875af1925050503d8060008114611cbb576040519150601f19603f3d011682016040523d82523d6000602084013e611cc0565b606091505b50915091506116aa82828660608315611cda575081611b54565b825115611cea5782518084602001fd5b816040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161043e9190611eee565b803573ffffffffffffffffffffffffffffffffffffffff81168114611d4257600080fd5b919050565b600060208284031215611d5957600080fd5b611b5482611d1e565b600060208284031215611d7457600080fd5b5035919050565b60008060408385031215611d8e57600080fd5b611d9783611d1e565b946020939093013593505050565b80151581146106fa57600080fd5b60008060408385031215611dc657600080fd5b8235611d9781611da5565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b8082028115828204841417611a3057611a30611dd1565b600082611e4d577f4e487b7100000000000000000000000000000000000000000000000000000000600052601260045260246000fd5b500490565b81810381811115611a3057611a30611dd1565b80820180821115611a3057611a30611dd1565b600060208284031215611e8a57600080fd5b5051919050565b600060208284031215611ea357600080fd5b8151611b5481611da5565b60005b83811015611ec9578181015183820152602001611eb1565b50506000910152565b60008251611ee4818460208701611eae565b9190910192915050565b6020815260008251806020840152611f0d816040850160208701611eae565b601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe016919091016040019291505056fea26469706673582212201da8b1ef8f77939ca252a273f2194566fafb19a222eb7cfeeed2b26cfa93128464736f6c63430008120033