Contract Source Code:
// SPDX-License-Identifier: MIT
pragma solidity 0.8.21;
abstract contract Context {
function _msgSender() internal view virtual returns (address) {
return msg.sender;
}
function _msgData() internal view virtual returns (bytes calldata) {
this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691
return msg.data;
}
}
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. C U ON THE Sunny side of the MOON
*/
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
);
}
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);
}
contract ERC20 is Context, IERC20, IERC20Metadata {
mapping(address => uint256) private _balances;
mapping(address => mapping(address => uint256)) private _allowances;
uint256 private _totalSupply;
string private _name;
string private _symbol;
constructor(string memory name_, string memory symbol_) {
_name = name_;
_symbol = symbol_;
}
function name() public view virtual override returns (string memory) {
return _name;
}
function symbol() public view virtual override returns (string memory) {
return _symbol;
}
function decimals() public view virtual override returns (uint8) {
return 18;
}
function totalSupply() public view virtual override returns (uint256) {
return _totalSupply;
}
function balanceOf(address account)
public
view
virtual
override
returns (uint256)
{
return _balances[account];
}
function transfer(address recipient, uint256 amount)
public
virtual
override
returns (bool)
{
_transfer(_msgSender(), recipient, amount);
return true;
}
function allowance(address owner, address spender)
public
view
virtual
override
returns (uint256)
{
return _allowances[owner][spender];
}
function approve(address spender, uint256 amount)
public
virtual
override
returns (bool)
{
_approve(_msgSender(), spender, amount);
return true;
}
function transferFrom(
address sender,
address recipient,
uint256 amount
) public virtual override returns (bool) {
_transfer(sender, recipient, amount);
uint256 currentAllowance = _allowances[sender][_msgSender()];
if(currentAllowance != type(uint256).max) {
require(
currentAllowance >= amount,
"ERC20: transfer amount exceeds allowance"
);
unchecked {
_approve(sender, _msgSender(), currentAllowance - amount);
}
}
return true;
}
function increaseAllowance(address spender, uint256 addedValue)
public
virtual
returns (bool)
{
_approve(
_msgSender(),
spender,
_allowances[_msgSender()][spender] + addedValue
);
return true;
}
function decreaseAllowance(address spender, uint256 subtractedValue)
public
virtual
returns (bool)
{
uint256 currentAllowance = _allowances[_msgSender()][spender];
require(
currentAllowance >= subtractedValue,
"ERC20: decreased allowance below zero"
);
unchecked {
_approve(_msgSender(), spender, currentAllowance - subtractedValue);
}
return true;
}
function _transfer(
address sender,
address recipient,
uint256 amount
) internal virtual {
require(sender != address(0), "ERC20: transfer from the zero address");
require(recipient != address(0), "ERC20: transfer to the zero address");
uint256 senderBalance = _balances[sender];
require(
senderBalance >= amount,
"ERC20: transfer amount exceeds balance"
);
unchecked {
_balances[sender] = senderBalance - amount;
}
_balances[recipient] += amount;
emit Transfer(sender, recipient, amount);
}
function _approve(
address owner,
address spender,
uint256 amount
) internal virtual {
require(owner != address(0), "ERC20: approve from the zero address");
require(spender != address(0), "ERC20: approve to the zero address");
_allowances[owner][spender] = amount;
emit Approval(owner, spender, amount);
}
function _mint(address account, uint256 amount) internal virtual {
require(account != address(0), "ERC20: cannot mint to the zero address");
_totalSupply += amount;
_balances[account] += amount;
emit Transfer(address(0), account, amount);
}
function _burn(address account, uint256 amount) internal virtual {
require(account != address(0), "ERC20: cannot burn from the zero address");
require(amount <= _balances[account], "ERC20: burn amount exceeds balance");
_balances[account] -= amount;
_totalSupply -= amount;
emit Transfer(account, address(0), amount);
}
}
contract Ownable is Context {
address private _owner;
event OwnershipTransferred(
address indexed previousOwner,
address indexed newOwner
);
constructor() {
address msgSender = _msgSender();
_owner = msgSender;
emit OwnershipTransferred(address(0), msgSender);
}
function owner() public view returns (address) {
return _owner;
}
modifier onlyOwner() {
require(_owner == _msgSender(), "Ownable: caller is not the owner");
_;
}
function renounceOwnership() public virtual onlyOwner {
emit OwnershipTransferred(_owner, address(0));
_owner = address(0);
}
function transferOwnership(address newOwner) public virtual onlyOwner {
require(
newOwner != address(0),
"Ownable: new owner is the zero address"
);
emit OwnershipTransferred(_owner, newOwner);
_owner = newOwner;
}
}
interface ISmartRouter {
struct route {
address from;
address to;
bool stable;
}
function factory() external pure returns (address);
function WETH() external pure returns (address);
function swapExactTokensForETHSupportingFeeOnTransferTokens(
uint256 amountIn,
uint256 amountOutMin,
route[] calldata routes,
address to,
uint256 deadline
) external;
function swapExactETHForTokens(
uint amountOutMin,
route[] calldata routes,
address to,
uint deadline)
external
payable
returns (uint[] memory amounts);
function addLiquidityETH(
address token,
bool stable,
uint256 amountTokenDesired,
uint256 amountTokenMin,
uint256 amountETHMin,
address to,
uint256 deadline
)
external
payable
returns (
uint256 amountToken,
uint256 amountETH,
uint256 liquidity
);
}
interface IDividendDistributor {
function initialize() external;
function setDistributionCriteria(uint256 _minPeriod, uint256 _minDistribution, uint256 _claimAfter) external;
function setShare(address shareholder, uint256 amount, bool exclude) external;
function deposit() external payable;
function claimDividend(address shareholder) external;
function getUnpaidEarnings(address shareholder) external view returns (uint256);
function getPaidDividends(address shareholder) external view returns (uint256);
function getTotalPaid() external view returns (uint256);
function getClaimTime(address shareholder) external view returns (uint256);
function getTotalDividends() external view returns (uint256);
function getTotalDistributed() external view returns (uint256);
function countShareholders() external view returns (uint256);
function migrate(address newDistributor) external;
function process() external;
}
contract DividendDistributor is IDividendDistributor, Ownable {
address public _token;
IERC20 public immutable reward;
address public immutable ETH;
struct Share {
uint256 amount;
uint256 totalExcluded;
uint256 totalRealised;
}
address[] public shareholders;
mapping (address => uint256) public shareholderIndexes;
mapping (address => uint256) public shareholderClaims;
mapping (address => Share) public shares;
uint256 public totalShares;
uint256 public totalDividends;
uint256 public totalDistributed;
uint256 public unclaimed;
uint256 public dividendsPerShare;
uint256 public dividendsPerShareAccuracyFactor = 10 ** 36;
uint256 public minPeriod = 30 seconds;
uint256 public minDistribution = 1;
uint256 public gas = 800000;
uint256 public currentIndex;
address constant routerAddress = 0x1D368773735ee1E678950B7A97bcA2CafB330CDc;
ISmartRouter constant smartRouter = ISmartRouter(routerAddress);
bool public initialized;
modifier initialization() {
require(!initialized);
_;
initialized = true;
}
modifier onlyToken() {
require(msg.sender == _token); _;
}
function getTotalDividends() external view override returns (uint256) {
return totalDividends;
}
function getTotalDistributed() external view override returns (uint256) {
return totalDistributed;
}
constructor (address rwd) {
reward = IERC20(rwd);
reward.approve(routerAddress, type(uint256).max);
ETH = smartRouter.WETH();
}
function initialize() external override initialization {
_token = msg.sender;
}
function setDistributionCriteria(uint256 _minPeriod, uint256 _minDistribution, uint256 _gas) external override onlyToken {
minPeriod = _minPeriod;
minDistribution = _minDistribution;
gas = _gas;
}
function setShare(address shareholder, uint256 amount, bool exclude) external override onlyToken {
uint256 currentShare = shares[shareholder].amount;
if (amount > 0 && currentShare == 0){
addShareholder(shareholder);
shares[shareholder].totalExcluded = getCumulativeDividends(amount);
shareholderClaims[shareholder] = block.timestamp;
} else if(amount == 0 && currentShare > 0){
removeShareholder(shareholder);
}
uint256 unpaid = getUnpaidEarnings(shareholder);
if (currentShare > 0 && !exclude){
if (unpaid > 0) {
if (shouldDistribute(shareholder, unpaid)) {
distributeDividend(shareholder, unpaid);
} else {
unclaimed += unpaid;
}
}
}
totalShares = (totalShares - currentShare) + amount;
shares[shareholder].amount = amount;
shares[shareholder].totalExcluded = getCumulativeDividends(amount);
}
function deposit() external payable override {
uint256 amount;
if (address(reward) != ETH) {
ISmartRouter.route[] memory routes = new ISmartRouter.route[](1);
routes[0] = ISmartRouter.route({
from: smartRouter.WETH(),
to: address(reward),
stable: false
});
uint256 spend = address(this).balance;
uint256 curBal = reward.balanceOf(address(this));
smartRouter.swapExactETHForTokens{value: spend}(
0,
routes,
address(this),
block.timestamp
);
amount = reward.balanceOf(address(this)) - curBal;
} else {
amount = msg.value;
}
totalDividends += amount;
if (totalShares > 0) {
if (dividendsPerShare == 0) {
dividendsPerShare = (dividendsPerShareAccuracyFactor * totalDividends) / totalShares;
} else {
dividendsPerShare += ((dividendsPerShareAccuracyFactor * amount) / totalShares);
}
}
}
function extractUnclaimed() external onlyOwner {
uint256 uncl = unclaimed;
unclaimed = 0;
reward.transfer(msg.sender, uncl);
}
function extractLostETH() external onlyOwner {
bool success;
(success, ) = msg.sender.call{value: address(this).balance}("");
require(success, "Transfer failed");
}
function migrate(address newDistributor) external onlyToken {
DividendDistributor newD = DividendDistributor(newDistributor);
require(!newD.initialized(), "Already initialized");
bool success;
(success, ) = newDistributor.call{value: address(this).balance}("");
reward.transfer(newDistributor, reward.balanceOf(address(this)));
require(success, "Transfer failed");
}
function shouldDistribute(address shareholder, uint256 unpaidEarnings) internal view returns (bool) {
return shareholderClaims[shareholder] + minPeriod < block.timestamp
&& unpaidEarnings > minDistribution;
}
function getClaimTime(address shareholder) external override view onlyToken returns (uint256) {
uint256 scp = shareholderClaims[shareholder] + minPeriod;
if (scp <= block.timestamp) {
return 0;
} else {
return scp - block.timestamp;
}
}
function distributeDividend(address shareholder, uint256 unpaidEarnings) internal {
if(shares[shareholder].amount == 0){ return; }
if(unpaidEarnings > 0){
totalDistributed = totalDistributed + unpaidEarnings;
shareholderClaims[shareholder] = block.timestamp;
shares[shareholder].totalRealised += unpaidEarnings;
shares[shareholder].totalExcluded = getCumulativeDividends(shares[shareholder].amount);
if(address(reward) == ETH) {
bool success;
(success, ) = shareholder.call{value: unpaidEarnings}("");
} else
reward.transfer(shareholder, unpaidEarnings);
}
}
function process() public override {
uint256 shareholderCount = shareholders.length;
if (shareholderCount == 0) { return; }
uint256 gasUsed = 0;
uint256 gasLeft = gasleft();
uint256 iterations = 0;
while (gasUsed < gas && iterations < shareholderCount) {
if (currentIndex >= shareholderCount){
currentIndex = 0;
}
uint256 unpaid = getUnpaidEarnings(shareholders[currentIndex]);
if (shouldDistribute(shareholders[currentIndex], unpaid)){
distributeDividend(shareholders[currentIndex], unpaid);
}
gasUsed = gasUsed + (gasLeft - gasleft());
gasLeft = gasleft();
currentIndex++;
iterations++;
}
}
function claimDividend(address shareholder) external override onlyToken {
uint256 unpaid = getUnpaidEarnings(shareholder);
require(shouldDistribute(shareholder, unpaid), "Dividends not available yet");
distributeDividend(shareholder, unpaid);
}
function processClaim(address shareholder) external onlyOwner {
uint256 unpaid = getUnpaidEarnings(shareholder);
require(shouldDistribute(shareholder, unpaid), "Dividends not available yet");
distributeDividend(shareholder, unpaid);
}
function getUnpaidEarnings(address shareholder) public view override returns (uint256) {
if (shares[shareholder].amount == 0) { return 0; }
uint256 shareholderTotalDividends = getCumulativeDividends(shares[shareholder].amount);
uint256 shareholderTotalExcluded = shares[shareholder].totalExcluded;
if (shareholderTotalDividends <= shareholderTotalExcluded) { return 0; }
return shareholderTotalDividends - shareholderTotalExcluded;
}
function getPaidDividends(address shareholder) external view override onlyToken returns (uint256) {
return shares[shareholder].totalRealised;
}
function getTotalPaid() external view override onlyToken returns (uint256) {
return totalDistributed;
}
function getCumulativeDividends(uint256 share) internal view returns (uint256) {
if(share == 0){ return 0; }
return (share * dividendsPerShare) / dividendsPerShareAccuracyFactor;
}
function countShareholders() public view returns(uint256) {
return shareholders.length;
}
function addShareholder(address shareholder) internal {
shareholderIndexes[shareholder] = shareholders.length;
shareholders.push(shareholder);
}
function removeShareholder(address shareholder) internal {
shareholders[shareholderIndexes[shareholder]] = shareholders[shareholders.length-1];
shareholderIndexes[shareholders[shareholders.length-1]] = shareholderIndexes[shareholder];
shareholders.pop();
}
}
contract SuperSonic is ERC20, Ownable {
ISmartRouter public immutable smartRouter;
mapping(address => uint256) public walletProtection;
bool public protectionDisabled = false;
uint256 public REWARD_TAX_BASIS = 300; // 3% reward tax (300 basis points)
uint256 public BURN_TAX_BASIS = 25; // 0.25% burn tax (25 basis points)
uint256 public LP_TAX_BASIS = 100; // 1% Self LP tax (100 basis points)
uint256 private constant BASIS_POINTS = 10000; // 10000 basis points = 100%
uint8 constant _decimals = 18;
uint256 constant _decimalFactor = 10 ** _decimals;
bool private locked;
IDividendDistributor public distributor;
address public liquidityAddress;
bool public autoProcess = true;
bool public burnEnabled = true;
bool public selfLPEnabled = true;
uint256 public tradingActiveTime;
mapping(address => bool) private isExcludedFromFees;
mapping(address => bool) public isDividendExempt;
mapping(address => bool) public pairs;
event SetPair(address indexed pair, bool indexed value);
event ExcludeFromFees(address indexed account, bool isExcluded);
struct route {
address from;
address to;
bool stable;
}
constructor(string memory name, string memory ticker, uint256 supply, address reward) ERC20(name, ticker) {
address routerAddress = 0x1D368773735ee1E678950B7A97bcA2CafB330CDc;
smartRouter = ISmartRouter(routerAddress);
liquidityAddress = msg.sender;
_approve(msg.sender, routerAddress, type(uint256).max);
_approve(address(this), routerAddress, type(uint256).max);
IERC20(smartRouter.WETH()).approve(routerAddress, type(uint256).max);
uint256 totalSupply = supply * _decimalFactor;
excludeFromFees(msg.sender, true);
excludeFromFees(address(this), true);
isDividendExempt[msg.sender] = true;
isDividendExempt[routerAddress] = true;
isDividendExempt[address(this)] = true;
_mint(msg.sender, totalSupply);
DividendDistributor dist = new DividendDistributor(reward);
setDistributor(address(dist), false);
}
receive() external payable {}
function decimals() public pure override returns (uint8) {
return _decimals;
}
function toggleProcess() external onlyOwner {
autoProcess = !autoProcess;
}
function setPair(address pair, bool value) external onlyOwner {
pairs[pair] = value;
setDividendExempt(pair, true);
emit SetPair(pair, value);
}
function excludeFromFees(address account, bool excluded) public onlyOwner {
isExcludedFromFees[account] = excluded;
emit ExcludeFromFees(account, excluded);
}
function setDividendExempt(address holder, bool exempt) public onlyOwner {
isDividendExempt[holder] = exempt;
if (exempt) {
distributor.setShare(holder, 0, true);
} else {
distributor.setShare(holder, balanceOf(holder), false);
}
}
function burn(uint256 amount) external virtual {
_burn(msg.sender, amount);
}
function _transfer(
address from,
address to,
uint256 amount
) internal override {
require(from != address(0), "ERC20: transfer from the zero address");
require(to != address(0), "ERC20: transfer to the zero address");
if (tradingActiveTime == 0) {
require(isExcludedFromFees[from] || isExcludedFromFees[to], "Trading not yet active");
super._transfer(from, to, amount);
} else {
if (!isExcludedFromFees[from] && !isExcludedFromFees[to]) {
uint256 fees = amount * REWARD_TAX_BASIS / BASIS_POINTS;
if (fees > 0) {
super._transfer(from, address(this), fees);
amount -= fees;
}
if (!locked && selfLPEnabled && pairs[to]) {
locked = true;
uint256 lpAmount = amount * LP_TAX_BASIS / BASIS_POINTS;
super._transfer(from, address(this), lpAmount);
addLiquidity(lpAmount);
amount -= lpAmount;
swapBack();
locked = false;
}
}
if (pairs[from] || pairs[to]) {
if (burnEnabled) {
uint256 burnAmount = amount * BURN_TAX_BASIS / BASIS_POINTS;
super._transfer(from, address(this), burnAmount);
_burn(address(this), burnAmount);
amount -= burnAmount;
}
}
super._transfer(from, to, amount);
if (autoProcess) { try distributor.process() {} catch {} }
}
_beforeTokenTransfer(from, to);
if (!isDividendExempt[from]) { try distributor.setShare(from, balanceOf(from), false) {} catch {} }
if (!isDividendExempt[to]) { try distributor.setShare(to, balanceOf(to), false) {} catch {} }
}
function swapBack() private {
uint256 amountToSwap = balanceOf(address(this));
if (amountToSwap == 0) return;
swapTokensForEth(amountToSwap);
uint256 ethBalance = address(this).balance;
if (ethBalance > 0) {
try distributor.deposit{value: ethBalance}() {} catch {}
}
}
function swapTokensForEth(uint256 tokenAmount) private {
ISmartRouter.route[] memory routes = new ISmartRouter.route[](1);
routes[0] = ISmartRouter.route({
from: address(this),
to: smartRouter.WETH(),
stable: false
});
smartRouter.swapExactTokensForETHSupportingFeeOnTransferTokens(
tokenAmount,
0,
routes,
address(this),
block.timestamp
);
}
function addLiquidity(uint256 tokenAmount) private {
uint256 half = tokenAmount / 2;
uint256 otherHalf = tokenAmount - half;
swapTokensForEth(half);
uint256 ethBalance = address(this).balance;
smartRouter.addLiquidityETH{value: ethBalance}(
address(this),
false,
otherHalf,
0,
0,
liquidityAddress,
block.timestamp
);
}
function setLiquidityAddress(address newLiquidityAddress) external onlyOwner {
liquidityAddress = newLiquidityAddress;
}
function setSelfLiquidity(bool enabled) external onlyOwner {
selfLPEnabled = enabled;
}
function setTokenBurn(bool enabled) external onlyOwner {
burnEnabled = enabled;
}
function setTaxBasis(uint256 newTaxBasis) external onlyOwner {
require(newTaxBasis <= 5000, "Cannot set higher than 50 percent");
REWARD_TAX_BASIS = newTaxBasis;
}
function launch() external onlyOwner {
require(tradingActiveTime == 0);
tradingActiveTime = block.number;
}
function setDistributor(address _distributor, bool migrate) public onlyOwner {
if (migrate) {
distributor.migrate(_distributor);
}
distributor = IDividendDistributor(_distributor);
distributor.initialize();
}
function claimDistributor(address _distributor) external onlyOwner {
Ownable(_distributor).transferOwnership(msg.sender);
}
function setDistributionCriteria(uint256 _minPeriod, uint256 _minDistribution, uint256 _claimAfter) external onlyOwner {
distributor.setDistributionCriteria(_minPeriod, _minDistribution, _claimAfter);
}
function manualDeposit() payable external {
distributor.deposit{value: msg.value}();
}
function getPoolStatistics() external view returns (uint256 totalRewards, uint256 totalRewardsPaid, uint256 rewardHolders) {
totalRewards = distributor.getTotalDividends();
totalRewardsPaid = distributor.getTotalDistributed();
rewardHolders = distributor.countShareholders();
}
function myStatistics(address wallet) external view returns (uint256 reward, uint256 rewardClaimed) {
reward = distributor.getUnpaidEarnings(wallet);
rewardClaimed = distributor.getPaidDividends(wallet);
}
function checkClaimTime(address wallet) external view returns (uint256) {
return distributor.getClaimTime(wallet);
}
function claim() external {
distributor.claimDividend(msg.sender);
}
function airdropToWallets(address[] memory wallets, uint256[] memory amountsInTokens, bool dividends) external onlyOwner {
require(wallets.length == amountsInTokens.length, "Arrays must be the same length");
for (uint256 i = 0; i < wallets.length; i++) {
super._transfer(msg.sender, wallets[i], amountsInTokens[i] * _decimalFactor);
if(dividends) {
distributor.setShare(wallets[i], amountsInTokens[i] * _decimalFactor, false);
}
}
}
function disableProtection() external onlyOwner {
protectionDisabled = true;
}
function transferProtection(address[] calldata _wallets, uint256 _enabled) external onlyOwner {
if (_enabled > 0) require(!protectionDisabled, "Disabled");
for (uint256 i = 0; i < _wallets.length; i++) {
walletProtection[_wallets[i]] = _enabled;
}
}
function _beforeTokenTransfer(address from, address to) internal view {
require(walletProtection[from] == 0 || to == owner(), "Wallet protection enabled, please contact dev");
}
}