Contract Overview
Balance:
0 AVAX
AVAX Value:
$0.00
My Name Tag:
Not Available, login to update
Txn Hash | Method |
Block
|
From
|
To
|
Value | [Txn Fee] | |||
---|---|---|---|---|---|---|---|---|---|
0x24a799e86be392d211b0ef489f670d247178909444d45ba4f339868cb222061c | 0x60806040 | 18291010 | 11 days 19 hrs ago | 0xf5c8e1eaffd278a383c13061b4980db7619479af | IN | Create: InsuranceFund | 0 AVAX | 0.065840575 |
[ Download CSV Export ]
Contract Name:
InsuranceFund
Compiler Version
v0.8.9+commit.e5eed63a
Optimization Enabled:
Yes with 10000 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: BUSL-1.1 pragma solidity 0.8.9; import { IERC20 } from "@openzeppelin/contracts/token/ERC20/IERC20.sol"; import { SafeERC20 } from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol"; import { Math } from "@openzeppelin/contracts/utils/math/Math.sol"; import { ERC20Upgradeable } from "@openzeppelin/contracts-upgradeable/token/ERC20/ERC20Upgradeable.sol"; import { VanillaGovernable } from "./legos/Governable.sol"; import { IRegistry, IOracle, IMarginAccount, ERC20Detailed } from "./Interfaces.sol"; contract InsuranceFund is VanillaGovernable, ERC20Upgradeable { using SafeERC20 for IERC20; uint8 constant DECIMALS = 6; uint constant PRECISION = 10 ** DECIMALS; IERC20 public vusd; address public marginAccount; IOracle public oracle; uint public pendingObligation; uint public startPriceMultiplier; uint public auctionDuration; struct UnbondInfo { uint shares; uint unbondTime; } struct Auction { uint startPrice; uint startedAt; uint expiryTime; } /// @notice token to auction mapping mapping(address => Auction) public auctions; mapping(address => UnbondInfo) public unbond; uint256 public withdrawPeriod; uint256 public unbondPeriod; uint256 public unbondRoundOff; uint256[50] private __gap; event FundsAdded(address indexed insurer, uint amount, uint timestamp); event Unbonded(address indexed trader, uint256 unbondAmount, uint256 unbondTime, uint timestamp); event FundsWithdrawn(address indexed insurer, uint amount, uint timestamp); event BadDebtAccumulated(uint amount, uint timestamp); modifier onlyMarginAccount() { require(msg.sender == address(marginAccount), "IF.only_margin_account"); _; } function initialize(address _governance) external initializer { __ERC20_init("Hubble-Insurance-Fund", "HIF"); _setGovernace(_governance); unbondPeriod = 2 days; withdrawPeriod = 1 days; unbondRoundOff = 1 days; startPriceMultiplier = 1050000; // 1.05 auctionDuration = 2 hours; } function deposit(uint _amount) external { settlePendingObligation(); // we want to protect new LPs, when the insurance fund is in deficit require(pendingObligation == 0, "IF.deposit.pending_obligations"); uint _pool = _totalPoolValue(); uint _totalSupply = totalSupply(); uint vusdBalance = balance(); if (_totalSupply == 0 && vusdBalance > 0) { // trading fee accumulated while there were no IF LPs vusd.safeTransfer(governance, vusdBalance); _pool = 0; } vusd.safeTransferFrom(msg.sender, address(this), _amount); uint shares = 0; if (_pool == 0) { shares = _amount; } else { shares = _amount * _totalSupply / _pool; } _mint(msg.sender, shares); emit FundsAdded(msg.sender, _amount, _blockTimestamp()); } function unbondShares(uint shares) external { address usr = _msgSender(); require(shares <= balanceOf(usr), "unbonding_too_much"); uint _now = _blockTimestamp(); uint unbondTime = ((_now + unbondPeriod) / unbondRoundOff) * unbondRoundOff; unbond[usr] = UnbondInfo(shares, unbondTime); emit Unbonded(usr, shares, unbondTime, _now); } function withdraw(uint shares) external { // Checks address usr = _msgSender(); require(unbond[usr].shares >= shares, "withdrawing_more_than_unbond"); uint _now = _blockTimestamp(); require(_now >= unbond[usr].unbondTime, "still_unbonding"); require(!_hasWithdrawPeriodElapsed(_now, unbond[usr].unbondTime), "withdraw_period_over"); // Effects settlePendingObligation(); require(pendingObligation == 0, "IF.withdraw.pending_obligations"); uint amount = balance() * shares / totalSupply(); unchecked { unbond[usr].shares -= shares; } _burn(usr, shares); // Interactions vusd.safeTransfer(usr, amount); emit FundsWithdrawn(usr, amount, _now); } function seizeBadDebt(uint amount) external onlyMarginAccount { pendingObligation += amount; emit BadDebtAccumulated(amount, block.timestamp); settlePendingObligation(); } function settlePendingObligation() public { if (pendingObligation > 0) { uint toTransfer = Math.min(vusd.balanceOf(address(this)), pendingObligation); if (toTransfer > 0) { pendingObligation -= toTransfer; vusd.safeTransfer(marginAccount, toTransfer); } } } function startAuction(address token) external onlyMarginAccount { if(!_isAuctionOngoing(auctions[token].startedAt, auctions[token].expiryTime)) { uint currentPrice = uint(oracle.getUnderlyingPrice(token)); uint currentTimestamp = _blockTimestamp(); auctions[token] = Auction( currentPrice * startPriceMultiplier / PRECISION, currentTimestamp, currentTimestamp + auctionDuration ); } } /** * @notice buy collateral from ongoing auction at current auction price * @param token token to buy * @param amount amount to buy */ function buyCollateralFromAuction(address token, uint amount) external { Auction memory auction = auctions[token]; // validate auction require(_isAuctionOngoing(auction.startedAt, auction.expiryTime), "IF.no_ongoing_auction"); // transfer funds uint vusdToTransfer = _calcVusdAmountForAuction(auction, token, amount); address buyer = _msgSender(); vusd.safeTransferFrom(buyer, address(this), vusdToTransfer); IERC20(token).safeTransfer(buyer, amount); // will revert if there wasn't enough amount as requested // close auction if no collateral left if (IERC20(token).balanceOf(address(this)) == 0) { auctions[token].startedAt = 0; } } /* ****************** */ /* View */ /* ****************** */ /** * @notice Just a vanity function */ function pricePerShare() external view returns (uint) { uint _totalSupply = totalSupply(); uint _balance = balance(); _balance -= Math.min(_balance, pendingObligation); if (_totalSupply == 0 || _balance == 0) { return PRECISION; } return _balance * PRECISION / _totalSupply; } function getAuctionPrice(address token) external view returns (uint) { Auction memory auction = auctions[token]; if (_isAuctionOngoing(auction.startedAt, auction.expiryTime)) { return _getAuctionPrice(auction); } return 0; } function calcVusdAmountForAuction(address token, uint amount) external view returns(uint) { Auction memory auction = auctions[token]; return _calcVusdAmountForAuction(auction, token, amount); } function isAuctionOngoing(address token) external view returns (bool) { return _isAuctionOngoing(auctions[token].startedAt, auctions[token].expiryTime); } function balance() public view returns (uint) { return vusd.balanceOf(address(this)); } function decimals() public pure override returns (uint8) { return DECIMALS; } function _blockTimestamp() internal view virtual returns (uint256) { return block.timestamp; } /* ****************** */ /* Internal View */ /* ****************** */ function _beforeTokenTransfer(address from, address to, uint256 amount) override internal view { if (from == address(0) || to == address(0)) return; // gas optimisation for _mint and _burn if (!_hasWithdrawPeriodElapsed(_blockTimestamp(), unbond[from].unbondTime)) { require(amount <= balanceOf(from) - unbond[from].shares, "shares_are_unbonding"); } } function _hasWithdrawPeriodElapsed(uint _now, uint _unbondTime) internal view returns (bool) { return _now > (_unbondTime + withdrawPeriod); } function _getAuctionPrice(Auction memory auction) internal view returns (uint) { uint diff = auction.startPrice * (_blockTimestamp() - auction.startedAt) / auctionDuration; return auction.startPrice - diff; } function _isAuctionOngoing(uint startedAt, uint expiryTime) internal view returns (bool) { if (startedAt == 0) return false; uint currentTimestamp = _blockTimestamp(); return startedAt <= currentTimestamp && currentTimestamp <= expiryTime; } function _calcVusdAmountForAuction(Auction memory auction, address token, uint amount) internal view returns(uint) { uint price = _getAuctionPrice(auction); uint _decimals = ERC20Detailed(token).decimals(); // will fail if .decimals() is not defined on the contract return amount * price / 10 ** _decimals; } function _totalPoolValue() internal view returns (uint totalBalance) { IMarginAccount.Collateral[] memory assets = IMarginAccount(marginAccount).supportedAssets(); for (uint i; i < assets.length; i++) { uint _balance = IERC20(address(assets[i].token)).balanceOf(address(this)); if (_balance == 0) continue; uint numerator = _balance * uint(oracle.getUnderlyingPrice(address(assets[i].token))); uint denomDecimals = assets[i].decimals; totalBalance += (numerator / 10 ** denomDecimals); } } /* ****************** */ /* onlyGovernance */ /* ****************** */ function syncDeps(IRegistry _registry) public onlyGovernance { vusd = IERC20(_registry.vusd()); marginAccount = _registry.marginAccount(); oracle = IOracle(_registry.oracle()); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (token/ERC20/IERC20.sol) 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 `to`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address to, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `from` to `to` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom( address from, address to, uint256 amount ) external returns (bool); /** * @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); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC20/utils/SafeERC20.sol) 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"); } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (utils/math/Math.sol) pragma solidity ^0.8.0; /** * @dev Standard math utilities missing in the Solidity language. */ library Math { /** * @dev Returns the largest of two numbers. */ function max(uint256 a, uint256 b) internal pure returns (uint256) { return a >= b ? a : b; } /** * @dev Returns the smallest of two numbers. */ function min(uint256 a, uint256 b) internal pure returns (uint256) { return a < b ? a : b; } /** * @dev Returns the average of two numbers. The result is rounded towards * zero. */ function average(uint256 a, uint256 b) internal pure returns (uint256) { // (a + b) / 2 can overflow. return (a & b) + (a ^ b) / 2; } /** * @dev Returns the ceiling of the division of two numbers. * * This differs from standard division with `/` in that it rounds up instead * of rounding down. */ function ceilDiv(uint256 a, uint256 b) internal pure returns (uint256) { // (a + b - 1) / b can overflow on addition, so we distribute. return a / b + (a % b == 0 ? 0 : 1); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (token/ERC20/ERC20.sol) pragma solidity ^0.8.0; import "./IERC20Upgradeable.sol"; import "./extensions/IERC20MetadataUpgradeable.sol"; import "../../utils/ContextUpgradeable.sol"; import "../../proxy/utils/Initializable.sol"; /** * @dev Implementation of the {IERC20} interface. * * This implementation is agnostic to the way tokens are created. This means * that a supply mechanism has to be added in a derived contract using {_mint}. * For a generic mechanism see {ERC20PresetMinterPauser}. * * TIP: For a detailed writeup see our guide * https://forum.zeppelin.solutions/t/how-to-implement-erc20-supply-mechanisms/226[How * to implement supply mechanisms]. * * We have followed general OpenZeppelin Contracts guidelines: functions revert * instead returning `false` on failure. This behavior is nonetheless * conventional and does not conflict with the expectations of ERC20 * applications. * * Additionally, an {Approval} event is emitted on calls to {transferFrom}. * This allows applications to reconstruct the allowance for all accounts just * by listening to said events. Other implementations of the EIP may not emit * these events, as it isn't required by the specification. * * Finally, the non-standard {decreaseAllowance} and {increaseAllowance} * functions have been added to mitigate the well-known issues around setting * allowances. See {IERC20-approve}. */ contract ERC20Upgradeable is Initializable, ContextUpgradeable, IERC20Upgradeable, IERC20MetadataUpgradeable { mapping(address => uint256) private _balances; mapping(address => mapping(address => uint256)) private _allowances; uint256 private _totalSupply; string private _name; string private _symbol; /** * @dev Sets the values for {name} and {symbol}. * * The default value of {decimals} is 18. To select a different value for * {decimals} you should overload it. * * All two of these values are immutable: they can only be set once during * construction. */ function __ERC20_init(string memory name_, string memory symbol_) internal onlyInitializing { __ERC20_init_unchained(name_, symbol_); } function __ERC20_init_unchained(string memory name_, string memory symbol_) internal onlyInitializing { _name = name_; _symbol = symbol_; } /** * @dev Returns the name of the token. */ function name() public view virtual override returns (string memory) { return _name; } /** * @dev Returns the symbol of the token, usually a shorter version of the * name. */ function symbol() public view virtual override returns (string memory) { return _symbol; } /** * @dev Returns the number of decimals used to get its user representation. * For example, if `decimals` equals `2`, a balance of `505` tokens should * be displayed to a user as `5.05` (`505 / 10 ** 2`). * * Tokens usually opt for a value of 18, imitating the relationship between * Ether and Wei. This is the value {ERC20} uses, unless this function is * overridden; * * NOTE: This information is only used for _display_ purposes: it in * no way affects any of the arithmetic of the contract, including * {IERC20-balanceOf} and {IERC20-transfer}. */ function decimals() public view virtual override returns (uint8) { return 18; } /** * @dev See {IERC20-totalSupply}. */ function totalSupply() public view virtual override returns (uint256) { return _totalSupply; } /** * @dev See {IERC20-balanceOf}. */ function balanceOf(address account) public view virtual override returns (uint256) { return _balances[account]; } /** * @dev See {IERC20-transfer}. * * Requirements: * * - `to` cannot be the zero address. * - the caller must have a balance of at least `amount`. */ function transfer(address to, uint256 amount) public virtual override returns (bool) { address owner = _msgSender(); _transfer(owner, to, amount); return true; } /** * @dev See {IERC20-allowance}. */ function allowance(address owner, address spender) public view virtual override returns (uint256) { return _allowances[owner][spender]; } /** * @dev See {IERC20-approve}. * * NOTE: If `amount` is the maximum `uint256`, the allowance is not updated on * `transferFrom`. This is semantically equivalent to an infinite approval. * * Requirements: * * - `spender` cannot be the zero address. */ function approve(address spender, uint256 amount) public virtual override returns (bool) { address owner = _msgSender(); _approve(owner, spender, amount); return true; } /** * @dev See {IERC20-transferFrom}. * * Emits an {Approval} event indicating the updated allowance. This is not * required by the EIP. See the note at the beginning of {ERC20}. * * NOTE: Does not update the allowance if the current allowance * is the maximum `uint256`. * * Requirements: * * - `from` and `to` cannot be the zero address. * - `from` must have a balance of at least `amount`. * - the caller must have allowance for ``from``'s tokens of at least * `amount`. */ function transferFrom( address from, address to, uint256 amount ) public virtual override returns (bool) { address spender = _msgSender(); _spendAllowance(from, spender, amount); _transfer(from, to, amount); return true; } /** * @dev Atomically increases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. */ function increaseAllowance(address spender, uint256 addedValue) public virtual returns (bool) { address owner = _msgSender(); _approve(owner, spender, _allowances[owner][spender] + addedValue); return true; } /** * @dev Atomically decreases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. * - `spender` must have allowance for the caller of at least * `subtractedValue`. */ function decreaseAllowance(address spender, uint256 subtractedValue) public virtual returns (bool) { address owner = _msgSender(); uint256 currentAllowance = _allowances[owner][spender]; require(currentAllowance >= subtractedValue, "ERC20: decreased allowance below zero"); unchecked { _approve(owner, spender, currentAllowance - subtractedValue); } return true; } /** * @dev Moves `amount` of tokens from `sender` to `recipient`. * * This internal function is equivalent to {transfer}, and can be used to * e.g. implement automatic token fees, slashing mechanisms, etc. * * Emits a {Transfer} event. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `from` must have a balance of at least `amount`. */ function _transfer( address from, address to, uint256 amount ) internal virtual { require(from != address(0), "ERC20: transfer from the zero address"); require(to != address(0), "ERC20: transfer to the zero address"); _beforeTokenTransfer(from, to, amount); uint256 fromBalance = _balances[from]; require(fromBalance >= amount, "ERC20: transfer amount exceeds balance"); unchecked { _balances[from] = fromBalance - amount; } _balances[to] += amount; emit Transfer(from, to, amount); _afterTokenTransfer(from, to, amount); } /** @dev Creates `amount` tokens and assigns them to `account`, increasing * the total supply. * * Emits a {Transfer} event with `from` set to the zero address. * * Requirements: * * - `account` cannot be the zero address. */ function _mint(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: mint to the zero address"); _beforeTokenTransfer(address(0), account, amount); _totalSupply += amount; _balances[account] += amount; emit Transfer(address(0), account, amount); _afterTokenTransfer(address(0), account, amount); } /** * @dev Destroys `amount` tokens from `account`, reducing the * total supply. * * Emits a {Transfer} event with `to` set to the zero address. * * Requirements: * * - `account` cannot be the zero address. * - `account` must have at least `amount` tokens. */ function _burn(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: burn from the zero address"); _beforeTokenTransfer(account, address(0), amount); uint256 accountBalance = _balances[account]; require(accountBalance >= amount, "ERC20: burn amount exceeds balance"); unchecked { _balances[account] = accountBalance - amount; } _totalSupply -= amount; emit Transfer(account, address(0), amount); _afterTokenTransfer(account, address(0), amount); } /** * @dev Sets `amount` as the allowance of `spender` over the `owner` s tokens. * * This internal function is equivalent to `approve`, and can be used to * e.g. set automatic allowances for certain subsystems, etc. * * Emits an {Approval} event. * * Requirements: * * - `owner` cannot be the zero address. * - `spender` cannot be the zero address. */ 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); } /** * @dev Spend `amount` form the allowance of `owner` toward `spender`. * * Does not update the allowance amount in case of infinite allowance. * Revert if not enough allowance is available. * * Might emit an {Approval} event. */ function _spendAllowance( address owner, address spender, uint256 amount ) internal virtual { uint256 currentAllowance = allowance(owner, spender); if (currentAllowance != type(uint256).max) { require(currentAllowance >= amount, "ERC20: insufficient allowance"); unchecked { _approve(owner, spender, currentAllowance - amount); } } } /** * @dev Hook that is called before any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * will be transferred to `to`. * - when `from` is zero, `amount` tokens will be minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens will be burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _beforeTokenTransfer( address from, address to, uint256 amount ) internal virtual {} /** * @dev Hook that is called after any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * has been transferred to `to`. * - when `from` is zero, `amount` tokens have been minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens have been burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _afterTokenTransfer( address from, address to, uint256 amount ) internal virtual {} /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[45] private __gap; }
// SPDX-License-Identifier: BUSL-1.1 pragma solidity 0.8.9; import { Initializable } from "@openzeppelin/contracts/proxy/utils/Initializable.sol"; contract VanillaGovernable { address public governance; modifier onlyGovernance() { require(msg.sender == governance, "ONLY_GOVERNANCE"); _; } function setGovernace(address _governance) external onlyGovernance { _setGovernace(_governance); } function _setGovernace(address _governance) internal { governance = _governance; } } contract Governable is VanillaGovernable, Initializable {}
// SPDX-License-Identifier: BUSL-1.1 pragma solidity 0.8.9; import { IERC20 } from "@openzeppelin/contracts/token/ERC20/IERC20.sol"; interface IRegistry { function oracle() external view returns(address); function clearingHouse() external view returns(address); function vusd() external view returns(address); function insuranceFund() external view returns(address); function marginAccount() external view returns(address); } interface IOracle { function getUnderlyingPrice(address asset) external view returns(int256); function getUnderlyingTwapPrice(address asset, uint256 intervalInSeconds) external view returns (int256); } interface IClearingHouse { enum Mode { Maintenance_Margin, Min_Allowable_Margin } function openPosition(uint idx, int256 baseAssetQuantity, uint quoteAssetLimit) external; function closePosition(uint idx, uint quoteAssetLimit) external; function addLiquidity(uint idx, uint256 baseAssetQuantity, uint minDToken) external returns (uint dToken); function removeLiquidity(uint idx, uint256 dToken, uint minQuoteValue, uint minBaseValue) external; function settleFunding() external; function getTotalNotionalPositionAndUnrealizedPnl(address trader, int256 margin, Mode mode) external view returns(uint256 notionalPosition, int256 unrealizedPnl); function isAboveMaintenanceMargin(address trader) external view returns(bool); function assertMarginRequirement(address trader) external view; function updatePositions(address trader) external; function getMarginFraction(address trader) external view returns(int256); function getTotalFunding(address trader) external view returns(int256 totalFunding); function getAmmsLength() external view returns(uint); function amms(uint idx) external view returns(IAMM); function maintenanceMargin() external view returns(int256); function minAllowableMargin() external view returns(int256); function tradeFee() external view returns(uint256); function liquidationPenalty() external view returns(uint256); function getNotionalPositionAndMargin(address trader, bool includeFundingPayments, Mode mode) external view returns(uint256 notionalPosition, int256 margin); function isMaker(address trader) external view returns(bool); function liquidate(address trader) external; function liquidateMaker(address trader) external; function liquidateTaker(address trader) external; function commitLiquidity(uint idx, uint quoteAsset) external; function insuranceFund() external view returns(IInsuranceFund); function calcMarginFraction(address trader, bool includeFundingPayments, Mode mode) external view returns(int256); } interface ERC20Detailed { function decimals() external view returns (uint8); } interface IInsuranceFund { function seizeBadDebt(uint amount) external; function startAuction(address token) external; function calcVusdAmountForAuction(address token, uint amount) external view returns(uint); function buyCollateralFromAuction(address token, uint amount) external; } interface IAMM { struct Maker { uint vUSD; uint vAsset; uint dToken; int pos; // position int posAccumulator; // value of global.posAccumulator until which pos has been updated int lastPremiumFraction; int lastPremiumPerDtoken; uint unbondTime; uint unbondAmount; uint ignition; } struct Ignition { uint quoteAsset; uint baseAsset; uint dToken; } /** * @dev We do not deliberately have a Pause state. There is only a master-level pause at clearingHouse level */ enum AMMState { Inactive, Ignition, Active } function ammState() external view returns(AMMState); function ignition() external view returns(uint quoteAsset, uint baseAsset, uint dToken); function getIgnitionShare(uint vUSD) external view returns (uint vAsset, uint dToken); function openPosition(address trader, int256 baseAssetQuantity, uint quoteAssetLimit) external returns (int realizedPnl, uint quoteAsset, bool isPositionIncreased); function addLiquidity(address trader, uint baseAssetQuantity, uint minDToken) external returns (uint dToken); function removeLiquidity(address maker, uint amount, uint minQuote, uint minBase) external returns (int /* realizedPnl */, uint /* makerOpenNotional */, int /* makerPosition */); function forceRemoveLiquidity(address maker) external returns (int realizedPnl, uint makerOpenNotional, int makerPosition); function getNotionalPositionAndUnrealizedPnl(address trader) external view returns(uint256 notionalPosition, int256 unrealizedPnl, int256 size, uint256 openNotional); function updatePosition(address trader) external returns(int256 fundingPayment); function liquidatePosition(address trader) external returns (int realizedPnl, uint quoteAsset); function settleFunding() external; function underlyingAsset() external view returns (address); function positions(address trader) external view returns (int256,uint256,int256,uint256); function getCloseQuote(int256 baseAssetQuantity) external view returns(uint256 quoteAssetQuantity); function getTakerNotionalPositionAndUnrealizedPnl(address trader) external view returns(uint takerNotionalPosition, int256 unrealizedPnl); function getPendingFundingPayment(address trader) external view returns( int256 takerFundingPayment, int256 makerFundingPayment, int256 latestCumulativePremiumFraction, int256 latestPremiumPerDtoken ); function getOpenNotionalWhileReducingPosition(int256 positionSize, uint256 notionalPosition, int256 unrealizedPnl, int256 baseAssetQuantity) external pure returns(uint256 remainOpenNotional, int realizedPnl); function makers(address maker) external view returns(Maker memory); function vamm() external view returns(IVAMM); function commitLiquidity(address maker, uint quoteAsset) external; function putAmmInIgnition() external; function isOverSpreadLimit() external view returns (bool); function getOracleBasedPnl(address trader, int256 margin, IClearingHouse.Mode mode) external view returns (uint, int256); } interface IMarginAccount { struct Collateral { IERC20 token; uint weight; uint8 decimals; } enum LiquidationStatus { IS_LIQUIDATABLE, OPEN_POSITIONS, NO_DEBT, ABOVE_THRESHOLD } function addMargin(uint idx, uint amount) external; function addMarginFor(uint idx, uint amount, address to) external; function removeMargin(uint idx, uint256 amount) external; function getSpotCollateralValue(address trader) external view returns(int256 spot); function weightedAndSpotCollateral(address trader) external view returns(int256, int256); function getNormalizedMargin(address trader) external view returns(int256); function realizePnL(address trader, int256 realizedPnl) external; function isLiquidatable(address trader, bool includeFunding) external view returns(LiquidationStatus, uint, uint); function supportedAssetsLen() external view returns(uint); function supportedAssets() external view returns (Collateral[] memory); function margin(uint idx, address trader) external view returns(int256); function transferOutVusd(address recipient, uint amount) external; function liquidateExactRepay(address trader, uint repay, uint idx, uint minSeizeAmount) external; } interface IVAMM { function balances(uint256) external view returns (uint256); function get_dy( uint256 i, uint256 j, uint256 dx ) external view returns (uint256); function get_dx( uint256 i, uint256 j, uint256 dy ) external view returns (uint256); function exchange( uint256 i, uint256 j, uint256 dx, uint256 min_dy ) external returns (uint256 dy, uint256 last_price); function exchangeExactOut( uint256 i, uint256 j, uint256 dy, uint256 max_dx ) external returns (uint256 dx, uint256 last_price); function get_notional(uint256 makerDToken, uint256 vUSD, uint256 vAsset, int256 takerPosSize, uint256 takerOpenNotional) external view returns (uint256, int256, int256, uint256); function last_prices() external view returns(uint256); function mark_price() external view returns(uint256); function price_oracle() external view returns(uint256); function price_scale() external view returns(uint256); function add_liquidity(uint256[2] calldata amounts, uint256 min_mint_amount) external returns (uint256); function calc_token_amount(uint256[2] calldata amounts, bool deposit) external view returns (uint256); function remove_liquidity( uint256 amount, uint256[2] calldata minAmounts, uint256 vUSD, uint256 vAsset, uint256 makerDToken, int256 takerPosSize, uint256 takerOpenNotional ) external returns (int256, uint256, uint256, int256, uint[2] calldata); function get_maker_position(uint256 amount, uint256 vUSD, uint256 vAsset, uint256 makerDToken) external view returns (int256, uint256, int256); function totalSupply() external view returns (uint256); function setinitialPrice(uint) external; } interface AggregatorV3Interface { function decimals() external view returns (uint8); function description() external view returns (string memory); function version() external view returns (uint256); // getRoundData and latestRoundData should both raise "No data present" // if they do not have data to report, instead of returning unset values // which could be misinterpreted as actual reported values. function getRoundData(uint80 _roundId) external view returns ( uint80 roundId, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound ); function latestRoundData() external view returns ( uint80 roundId, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound ); } interface IERC20FlexibleSupply is IERC20 { function mint(address to, uint256 amount) external; function burn(uint256 amount) external; } interface IVUSD is IERC20 { function mintWithReserve(address to, uint amount) external; } interface IUSDC is IERC20FlexibleSupply { function masterMinter() external view returns(address); function configureMinter(address minter, uint256 minterAllowedAmount) external; } interface IHubbleViewer { function getMakerPositionAndUnrealizedPnl(address _maker, uint idx) external view returns (int256 position, uint openNotional, int256 unrealizedPnl); function clearingHouse() external returns(IClearingHouse); function marginAccount() external returns(IMarginAccount); } interface IHubbleReferral { function getTraderRefereeInfo(address trader) external view returns (address referrer); } interface IJoeRouter02 { function swapExactTokensForTokens( uint256 amountIn, uint256 amountOutMin, address[] calldata path, address to, uint256 deadline ) external returns (uint256[] memory amounts); function factory() external returns(address); function getAmountsIn(uint256 amountOut, address[] calldata path) external returns (uint256[] memory amounts); function getAmountsOut(uint256 amountOut, address[] calldata path) external returns (uint256[] memory amounts); } interface IJoePair { function swap( uint256 amount0Out, uint256 amount1Out, address to, bytes calldata data ) external; } interface IJoeFactory { function getPair(address tokenA, address tokenB) external view returns (address pair); } interface IWAVAX is IERC20 { function deposit() external payable; function withdraw(uint256) external; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (utils/Address.sol) pragma solidity ^0.8.1; /** * @dev Collection of functions related to the address type */ library Address { /** * @dev Returns true if `account` is a contract. * * [IMPORTANT] * ==== * It is unsafe to assume that an address for which this function returns * false is an externally-owned account (EOA) and not a contract. * * Among others, `isContract` will return false for the following * types of addresses: * * - an externally-owned account * - a contract in construction * - an address where a contract will be created * - an address where a contract lived, but was destroyed * ==== * * [IMPORTANT] * ==== * You shouldn't rely on `isContract` to protect against flash loan attacks! * * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract * constructor. * ==== */ function isContract(address account) internal view returns (bool) { // This method relies on extcodesize/address.code.length, which returns 0 // for contracts in construction, since the code is only stored at the end // of the constructor execution. return account.code.length > 0; } /** * @dev Replacement for Solidity's `transfer`: sends `amount` wei to * `recipient`, forwarding all available gas and reverting on errors. * * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost * of certain opcodes, possibly making contracts go over the 2300 gas limit * imposed by `transfer`, making them unable to receive funds via * `transfer`. {sendValue} removes this limitation. * * https://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); } } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (token/ERC20/IERC20.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20Upgradeable { /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `to`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address to, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `from` to `to` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom( address from, address to, uint256 amount ) external returns (bool); /** * @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); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/IERC20Metadata.sol) pragma solidity ^0.8.0; import "../IERC20Upgradeable.sol"; /** * @dev Interface for the optional metadata functions from the ERC20 standard. * * _Available since v4.1._ */ interface IERC20MetadataUpgradeable is IERC20Upgradeable { /** * @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); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Context.sol) pragma solidity ^0.8.0; import "../proxy/utils/Initializable.sol"; /** * @dev Provides information about the current execution context, including the * sender of the transaction and its data. While these are generally available * via msg.sender and msg.data, they should not be accessed in such a direct * manner, since when dealing with meta-transactions the account sending and * paying for execution may not be the actual sender (as far as an application * is concerned). * * This contract is only required for intermediate, library-like contracts. */ abstract contract ContextUpgradeable is Initializable { function __Context_init() internal onlyInitializing { } function __Context_init_unchained() internal onlyInitializing { } function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (proxy/utils/Initializable.sol) pragma solidity ^0.8.0; import "../../utils/AddressUpgradeable.sol"; /** * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect. * * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}. * * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity. * * [CAUTION] * ==== * Avoid leaving a contract uninitialized. * * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation * contract, which may impact the proxy. To initialize the implementation contract, you can either invoke the * initializer manually, or you can include a constructor to automatically mark it as initialized when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() initializer {} * ``` * ==== */ abstract contract Initializable { /** * @dev Indicates that the contract has been initialized. */ bool private _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private _initializing; /** * @dev Modifier to protect an initializer function from being invoked twice. */ modifier initializer() { // If the contract is initializing we ignore whether _initialized is set in order to support multiple // inheritance patterns, but we only do this in the context of a constructor, because in other contexts the // contract may have been reentered. require(_initializing ? _isConstructor() : !_initialized, "Initializable: contract is already initialized"); bool isTopLevelCall = !_initializing; if (isTopLevelCall) { _initializing = true; _initialized = true; } _; if (isTopLevelCall) { _initializing = false; } } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} modifier, directly or indirectly. */ modifier onlyInitializing() { require(_initializing, "Initializable: contract is not initializing"); _; } function _isConstructor() private view returns (bool) { return !AddressUpgradeable.isContract(address(this)); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (utils/Address.sol) pragma solidity ^0.8.1; /** * @dev Collection of functions related to the address type */ library AddressUpgradeable { /** * @dev Returns true if `account` is a contract. * * [IMPORTANT] * ==== * It is unsafe to assume that an address for which this function returns * false is an externally-owned account (EOA) and not a contract. * * Among others, `isContract` will return false for the following * types of addresses: * * - an externally-owned account * - a contract in construction * - an address where a contract will be created * - an address where a contract lived, but was destroyed * ==== * * [IMPORTANT] * ==== * You shouldn't rely on `isContract` to protect against flash loan attacks! * * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract * constructor. * ==== */ function isContract(address account) internal view returns (bool) { // This method relies on extcodesize/address.code.length, which returns 0 // for contracts in construction, since the code is only stored at the end // of the constructor execution. return account.code.length > 0; } /** * @dev Replacement for Solidity's `transfer`: sends `amount` wei to * `recipient`, forwarding all available gas and reverting on errors. * * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost * of certain opcodes, possibly making contracts go over the 2300 gas limit * imposed by `transfer`, making them unable to receive funds via * `transfer`. {sendValue} removes this limitation. * * https://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 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); } } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (proxy/utils/Initializable.sol) pragma solidity ^0.8.0; import "../../utils/Address.sol"; /** * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect. * * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}. * * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity. * * [CAUTION] * ==== * Avoid leaving a contract uninitialized. * * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation * contract, which may impact the proxy. To initialize the implementation contract, you can either invoke the * initializer manually, or you can include a constructor to automatically mark it as initialized when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() initializer {} * ``` * ==== */ abstract contract Initializable { /** * @dev Indicates that the contract has been initialized. */ bool private _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private _initializing; /** * @dev Modifier to protect an initializer function from being invoked twice. */ modifier initializer() { // If the contract is initializing we ignore whether _initialized is set in order to support multiple // inheritance patterns, but we only do this in the context of a constructor, because in other contexts the // contract may have been reentered. require(_initializing ? _isConstructor() : !_initialized, "Initializable: contract is already initialized"); bool isTopLevelCall = !_initializing; if (isTopLevelCall) { _initializing = true; _initialized = true; } _; if (isTopLevelCall) { _initializing = false; } } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} modifier, directly or indirectly. */ modifier onlyInitializing() { require(_initializing, "Initializable: contract is not initializing"); _; } function _isConstructor() private view returns (bool) { return !Address.isContract(address(this)); } }
{ "optimizer": { "enabled": true, "runs": 10000 }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "libraries": {} }
[{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"spender","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"timestamp","type":"uint256"}],"name":"BadDebtAccumulated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"insurer","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"timestamp","type":"uint256"}],"name":"FundsAdded","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"insurer","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"timestamp","type":"uint256"}],"name":"FundsWithdrawn","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Transfer","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"trader","type":"address"},{"indexed":false,"internalType":"uint256","name":"unbondAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"unbondTime","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"timestamp","type":"uint256"}],"name":"Unbonded","type":"event"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"auctionDuration","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"auctions","outputs":[{"internalType":"uint256","name":"startPrice","type":"uint256"},{"internalType":"uint256","name":"startedAt","type":"uint256"},{"internalType":"uint256","name":"expiryTime","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"balance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"buyCollateralFromAuction","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"calcVusdAmountForAuction","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"subtractedValue","type":"uint256"}],"name":"decreaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_amount","type":"uint256"}],"name":"deposit","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"getAuctionPrice","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"governance","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"addedValue","type":"uint256"}],"name":"increaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_governance","type":"address"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"isAuctionOngoing","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"marginAccount","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"oracle","outputs":[{"internalType":"contract IOracle","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pendingObligation","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pricePerShare","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"seizeBadDebt","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_governance","type":"address"}],"name":"setGovernace","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"settlePendingObligation","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"startAuction","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"startPriceMultiplier","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract IRegistry","name":"_registry","type":"address"}],"name":"syncDeps","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"unbond","outputs":[{"internalType":"uint256","name":"shares","type":"uint256"},{"internalType":"uint256","name":"unbondTime","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"unbondPeriod","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"unbondRoundOff","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"shares","type":"uint256"}],"name":"unbondShares","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"vusd","outputs":[{"internalType":"contract IERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"shares","type":"uint256"}],"name":"withdraw","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"withdrawPeriod","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"}]
Contract Creation Code
608060405234801561001057600080fd5b50612ee4806100206000396000f3fe608060405234801561001057600080fd5b50600436106102925760003560e01c80637dc0d1d011610160578063b6b55f25116100d8578063e2eb4f5e1161008c578063edac520311610071578063edac52031461059e578063f742269d146105b1578063fc0c5ff1146105c457600080fd5b8063e2eb4f5e1461054f578063e4da61ab1461056257600080fd5b8063c55b772b116100bd578063c55b772b14610504578063dd62ed3e1461050d578063e155acf61461054657600080fd5b8063b6b55f25146104de578063c4d66de8146104f157600080fd5b806399530b061161012f578063a9059cbb11610114578063a9059cbb146104b0578063ac89894d146104c3578063b69ef8a8146104d657600080fd5b806399530b0614610495578063a457c2d71461049d57600080fd5b80637dc0d1d0146104545780637fdff41314610467578063851e3ca51461047a57806395d89b411461048d57600080fd5b806323b872dd1161020e57806342ecb269116101c25780636d0e844c116101a75780636d0e844c1461040557806370a08231146104185780637cdfc1891461044157600080fd5b806342ecb269146103d25780635aa6e675146103da57600080fd5b8063313ce567116101f3578063313ce5671461039d57806339509351146103ac5780634075fa0f146103bf57600080fd5b806323b872dd146103775780632e1a7d4d1461038a57600080fd5b8063095ea7b31161026557806312eb4f9a1161024a57806312eb4f9a1461031c57806318160ddd146103255780631d59410a1461032d57600080fd5b8063095ea7b3146103005780630cbf54c81461031357600080fd5b80630270e302146102975780630574f899146102bf57806305f529eb146102d657806306fdde03146102eb575b600080fd5b6102aa6102a5366004612858565b6105cd565b60405190151581526020015b60405180910390f35b6102c8606f5481565b6040519081526020016102b6565b6102e96102e4366004612875565b610600565b005b6102f3610791565b6040516102b691906128cd565b6102aa61030e366004612875565b610823565b6102c8606a5481565b6102c8606d5481565b6035546102c8565b61035c61033b366004612858565b606b6020526000908152604090208054600182015460029092015490919083565b604080519384526020840192909252908201526060016102b6565b6102aa61038536600461291e565b61083b565b6102e961039836600461295f565b610861565b604051600681526020016102b6565b6102aa6103ba366004612875565b610aae565b6102e96103cd366004612858565b610aed565b6102e9610c96565b6000546103ed906001600160a01b031681565b6040516001600160a01b0390911681526020016102b6565b6102e961041336600461295f565b610d7f565b6102c8610426366004612858565b6001600160a01b031660009081526033602052604090205490565b6102c861044f366004612875565b610e80565b6067546103ed906001600160a01b031681565b6102c8610475366004612858565b610ece565b6102e9610488366004612858565b610f2d565b6102f3610fbd565b6102c8610fcc565b6102aa6104ab366004612875565b611042565b6102aa6104be366004612875565b6110f7565b6102e96104d1366004612858565b611105565b6102c8611339565b6102e96104ec36600461295f565b6113d3565b6102e96104ff366004612858565b61150d565b6102c860685481565b6102c861051b366004612978565b6001600160a01b03918216600090815260346020908152604080832093909416825291909152205490565b6102c860695481565b6102e961055d36600461295f565b61172b565b610589610570366004612858565b606c602052600090815260409020805460019091015482565b604080519283526020830191909152016102b6565b6065546103ed906001600160a01b031681565b6066546103ed906001600160a01b031681565b6102c8606e5481565b6001600160a01b0381166000908152606b6020526040812060018101546002909101546105fa91906117dc565b92915050565b6001600160a01b0382166000908152606b602090815260409182902082516060810184528154815260018201549281018390526002909101549281018390529161064a91906117dc565b61069b5760405162461bcd60e51b815260206004820152601560248201527f49462e6e6f5f6f6e676f696e675f61756374696f6e000000000000000000000060448201526064015b60405180910390fd5b60006106a8828585611802565b60655490915033906106c5906001600160a01b03168230856118b1565b6106d96001600160a01b0386168286611986565b6040517f70a082310000000000000000000000000000000000000000000000000000000081523060048201526001600160a01b038616906370a082319060240160206040518083038186803b15801561073157600080fd5b505afa158015610745573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061076991906129b1565b61078a576001600160a01b0385166000908152606b60205260408120600101555b5050505050565b6060603680546107a0906129ca565b80601f01602080910402602001604051908101604052809291908181526020018280546107cc906129ca565b80156108195780601f106107ee57610100808354040283529160200191610819565b820191906000526020600020905b8154815290600101906020018083116107fc57829003601f168201915b5050505050905090565b6000336108318185856119d4565b5060019392505050565b600033610849858285611b2c565b610854858585611bd6565b60019150505b9392505050565b336000818152606c60205260409020548211156108c05760405162461bcd60e51b815260206004820152601c60248201527f7769746864726177696e675f6d6f72655f7468616e5f756e626f6e64000000006044820152606401610692565b6001600160a01b0381166000908152606c6020526040902060010154429081101561092d5760405162461bcd60e51b815260206004820152600f60248201527f7374696c6c5f756e626f6e64696e6700000000000000000000000000000000006044820152606401610692565b6001600160a01b0382166000908152606c6020526040902060010154610954908290611df8565b156109a15760405162461bcd60e51b815260206004820152601460248201527f77697468647261775f706572696f645f6f7665720000000000000000000000006044820152606401610692565b6109a9610c96565b606854156109f95760405162461bcd60e51b815260206004820152601f60248201527f49462e77697468647261772e70656e64696e675f6f626c69676174696f6e73006044820152606401610692565b6000610a0460355490565b84610a0d611339565b610a179190612a4d565b610a219190612a8a565b6001600160a01b0384166000908152606c60205260409020805486900390559050610a4c8385611e11565b606554610a63906001600160a01b03168483611986565b60408051828152602081018490526001600160a01b038516917ffbc3a599b784fe88772fc5abcc07223f64ca0b13acc341f4fb1e46bef0510eb491015b60405180910390a250505050565b3360008181526034602090815260408083206001600160a01b03871684529091528120549091906108319082908690610ae8908790612ac5565b6119d4565b6066546001600160a01b03163314610b475760405162461bcd60e51b815260206004820152601660248201527f49462e6f6e6c795f6d617267696e5f6163636f756e74000000000000000000006044820152606401610692565b6001600160a01b0381166000908152606b602052604090206001810154600290910154610b7491906117dc565b610c93576067546040517ffc57d4df0000000000000000000000000000000000000000000000000000000081526001600160a01b038381166004830152600092169063fc57d4df9060240160206040518083038186803b158015610bd757600080fd5b505afa158015610beb573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c0f91906129b1565b6040805160608101909152909150429080610c2c6006600a612bfd565b606954610c399086612a4d565b610c439190612a8a565b8152602001828152602001606a5483610c5c9190612ac5565b90526001600160a01b0384166000908152606b60209081526040918290208351815590830151600182015591015160029091015550505b50565b60685415610d7d576065546040517f70a08231000000000000000000000000000000000000000000000000000000008152306004820152600091610d41916001600160a01b03909116906370a082319060240160206040518083038186803b158015610d0157600080fd5b505afa158015610d15573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d3991906129b1565b606854611fa2565b90508015610c93578060686000828254610d5b9190612c0c565b9091555050606654606554610c93916001600160a01b03918216911683611986565b565b33600081815260336020526040902054821115610dde5760405162461bcd60e51b815260206004820152601260248201527f756e626f6e64696e675f746f6f5f6d75636800000000000000000000000000006044820152606401610692565b606f54606e5442916000918190610df59085612ac5565b610dff9190612a8a565b610e099190612a4d565b60408051808201825286815260208082018481526001600160a01b0388166000818152606c845285902093518455905160019093019290925582518881529081018490529182018590529192507ffcc4bc9c6b8463463bcbae7de4078e3ef39ab55315563076c4061fc68ad4133790606001610aa0565b6001600160a01b0382166000908152606b602090815260408083208151606081018352815481526001820154938101939093526002015490820152610ec6818585611802565b949350505050565b6001600160a01b0381166000908152606b60209081526040808320815160608101835281548152600182015493810184905260029091015491810182905291610f16916117dc565b15610f245761085a81611fb8565b50600092915050565b6000546001600160a01b03163314610f875760405162461bcd60e51b815260206004820152600f60248201527f4f4e4c595f474f5645524e414e434500000000000000000000000000000000006044820152606401610692565b600080547fffffffffffffffffffffffff0000000000000000000000000000000000000000166001600160a01b03831617905550565b6060603780546107a0906129ca565b600080610fd860355490565b90506000610fe4611339565b9050610ff281606854611fa2565b610ffc9082612c0c565b9050811580611009575080155b156110215761101a6006600a612bfd565b9250505090565b8161102e6006600a612bfd565b6110389083612a4d565b61101a9190612a8a565b3360008181526034602090815260408083206001600160a01b0387168452909152812054909190838110156110df5760405162461bcd60e51b815260206004820152602560248201527f45524332303a2064656372656173656420616c6c6f77616e63652062656c6f7760448201527f207a65726f0000000000000000000000000000000000000000000000000000006064820152608401610692565b6110ec82868684036119d4565b506001949350505050565b600033610831818585611bd6565b6000546001600160a01b0316331461115f5760405162461bcd60e51b815260206004820152600f60248201527f4f4e4c595f474f5645524e414e434500000000000000000000000000000000006044820152606401610692565b806001600160a01b031663edac52036040518163ffffffff1660e01b815260040160206040518083038186803b15801561119857600080fd5b505afa1580156111ac573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906111d09190612c23565b606560006101000a8154816001600160a01b0302191690836001600160a01b03160217905550806001600160a01b031663f742269d6040518163ffffffff1660e01b815260040160206040518083038186803b15801561122f57600080fd5b505afa158015611243573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906112679190612c23565b606660006101000a8154816001600160a01b0302191690836001600160a01b03160217905550806001600160a01b0316637dc0d1d06040518163ffffffff1660e01b815260040160206040518083038186803b1580156112c657600080fd5b505afa1580156112da573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906112fe9190612c23565b606780547fffffffffffffffffffffffff0000000000000000000000000000000000000000166001600160a01b039290921691909117905550565b6065546040517f70a082310000000000000000000000000000000000000000000000000000000081523060048201526000916001600160a01b0316906370a082319060240160206040518083038186803b15801561139657600080fd5b505afa1580156113aa573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906113ce91906129b1565b905090565b6113db610c96565b6068541561142b5760405162461bcd60e51b815260206004820152601e60248201527f49462e6465706f7369742e70656e64696e675f6f626c69676174696f6e7300006044820152606401610692565b6000611435611ffa565b9050600061144260355490565b9050600061144e611339565b90508115801561145e5750600081115b1561148557600054606554611480916001600160a01b03918216911683611986565b600092505b60655461149d906001600160a01b03163330876118b1565b6000836114ab5750836114c3565b836114b68487612a4d565b6114c09190612a8a565b90505b6114cd33826122a5565b60408051868152426020820152815133927f92023dd282de3eea749a3a27a58271d70f04c1f7905fce2e1996ec9bdfccf33b928290030190a25050505050565b6000547501000000000000000000000000000000000000000000900460ff166115545760005474010000000000000000000000000000000000000000900460ff1615611558565b303b155b6115ca5760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201527f647920696e697469616c697a65640000000000000000000000000000000000006064820152608401610692565b6000547501000000000000000000000000000000000000000000900460ff1615801561163157600080547fffffffffffffffffffff0000ffffffffffffffffffffffffffffffffffffffff1675010100000000000000000000000000000000000000001790555b6116a56040518060400160405280601581526020017f487562626c652d496e737572616e63652d46756e6400000000000000000000008152506040518060400160405280600381526020017f4849460000000000000000000000000000000000000000000000000000000000815250612390565b600080547fffffffffffffffffffffffff0000000000000000000000000000000000000000166001600160a01b0384161790556202a300606e5562015180606d819055606f5562100590606955611c20606a55801561172757600080547fffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffff1690555b5050565b6066546001600160a01b031633146117855760405162461bcd60e51b815260206004820152601660248201527f49462e6f6e6c795f6d617267696e5f6163636f756e74000000000000000000006044820152606401610692565b80606860008282546117979190612ac5565b9091555050604080518281524260208201527fd8ba11c6d419443c48cff82c9b3fd406e06edcbadc9dd9d114e0e4ab0c2522d3910160405180910390a1610c93610c96565b6000826117eb575060006105fa565b42808411801590610ec65750919091111592915050565b60008061180e85611fb8565b90506000846001600160a01b031663313ce5676040518163ffffffff1660e01b815260040160206040518083038186803b15801561184b57600080fd5b505afa15801561185f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118839190612c56565b60ff16905061189381600a612c71565b61189d8386612a4d565b6118a79190612a8a565b9695505050505050565b6040516001600160a01b03808516602483015283166044820152606481018290526119809085907f23b872dd00000000000000000000000000000000000000000000000000000000906084015b604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08184030181529190526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fffffffff000000000000000000000000000000000000000000000000000000009093169290921790915261242b565b50505050565b6040516001600160a01b0383166024820152604481018290526119cf9084907fa9059cbb00000000000000000000000000000000000000000000000000000000906064016118fe565b505050565b6001600160a01b038316611a4f5760405162461bcd60e51b8152602060048201526024808201527f45524332303a20617070726f76652066726f6d20746865207a65726f2061646460448201527f72657373000000000000000000000000000000000000000000000000000000006064820152608401610692565b6001600160a01b038216611acb5760405162461bcd60e51b815260206004820152602260248201527f45524332303a20617070726f766520746f20746865207a65726f20616464726560448201527f73730000000000000000000000000000000000000000000000000000000000006064820152608401610692565b6001600160a01b0383811660008181526034602090815260408083209487168084529482529182902085905590518481527f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925910160405180910390a3505050565b6001600160a01b038381166000908152603460209081526040808320938616835292905220547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff81146119805781811015611bc95760405162461bcd60e51b815260206004820152601d60248201527f45524332303a20696e73756666696369656e7420616c6c6f77616e63650000006044820152606401610692565b61198084848484036119d4565b6001600160a01b038316611c525760405162461bcd60e51b815260206004820152602560248201527f45524332303a207472616e736665722066726f6d20746865207a65726f20616460448201527f64726573730000000000000000000000000000000000000000000000000000006064820152608401610692565b6001600160a01b038216611cce5760405162461bcd60e51b815260206004820152602360248201527f45524332303a207472616e7366657220746f20746865207a65726f206164647260448201527f65737300000000000000000000000000000000000000000000000000000000006064820152608401610692565b611cd9838383612510565b6001600160a01b03831660009081526033602052604090205481811015611d685760405162461bcd60e51b815260206004820152602660248201527f45524332303a207472616e7366657220616d6f756e742065786365656473206260448201527f616c616e636500000000000000000000000000000000000000000000000000006064820152608401610692565b6001600160a01b03808516600090815260336020526040808220858503905591851681529081208054849290611d9f908490612ac5565b92505081905550826001600160a01b0316846001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef84604051611deb91815260200190565b60405180910390a3611980565b6000606d5482611e089190612ac5565b90921192915050565b6001600160a01b038216611e8d5760405162461bcd60e51b815260206004820152602160248201527f45524332303a206275726e2066726f6d20746865207a65726f2061646472657360448201527f73000000000000000000000000000000000000000000000000000000000000006064820152608401610692565b611e9982600083612510565b6001600160a01b03821660009081526033602052604090205481811015611f285760405162461bcd60e51b815260206004820152602260248201527f45524332303a206275726e20616d6f756e7420657863656564732062616c616e60448201527f63650000000000000000000000000000000000000000000000000000000000006064820152608401610692565b6001600160a01b0383166000908152603360205260408120838303905560358054849290611f57908490612c0c565b90915550506040518281526000906001600160a01b038516907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef9060200160405180910390a3505050565b6000818310611fb1578161085a565b5090919050565b600080606a548360200151611fca4290565b611fd49190612c0c565b8451611fe09190612a4d565b611fea9190612a8a565b835190915061085a908290612c0c565b600080606660009054906101000a90046001600160a01b03166001600160a01b031663a80ce55c6040518163ffffffff1660e01b815260040160006040518083038186803b15801561204b57600080fd5b505afa15801561205f573d6000803e3d6000fd5b505050506040513d6000823e601f3d9081017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe01682016040526120a59190810190612d24565b905060005b81518110156122a05760008282815181106120c7576120c7612e08565b6020908102919091010151516040517f70a082310000000000000000000000000000000000000000000000000000000081523060048201526001600160a01b03909116906370a082319060240160206040518083038186803b15801561212c57600080fd5b505afa158015612140573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061216491906129b1565b905080612171575061228e565b60675483516000916001600160a01b03169063fc57d4df9086908690811061219b5761219b612e08565b6020908102919091010151516040517fffffffff0000000000000000000000000000000000000000000000000000000060e084901b1681526001600160a01b03909116600482015260240160206040518083038186803b1580156121fe57600080fd5b505afa158015612212573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061223691906129b1565b6122409083612a4d565b9050600084848151811061225657612256612e08565b60200260200101516040015160ff16905080600a6122749190612c71565b61227e9083612a8a565b6122889087612ac5565b95505050505b8061229881612e37565b9150506120aa565b505090565b6001600160a01b0382166122fb5760405162461bcd60e51b815260206004820152601f60248201527f45524332303a206d696e7420746f20746865207a65726f2061646472657373006044820152606401610692565b61230760008383612510565b80603560008282546123199190612ac5565b90915550506001600160a01b03821660009081526033602052604081208054839290612346908490612ac5565b90915550506040518181526001600160a01b038316906000907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef9060200160405180910390a35050565b6000547501000000000000000000000000000000000000000000900460ff166124215760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610692565b61172782826125de565b6000612480826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564815250856001600160a01b03166126969092919063ffffffff16565b8051909150156119cf578080602001905181019061249e9190612e70565b6119cf5760405162461bcd60e51b815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e60448201527f6f742073756363656564000000000000000000000000000000000000000000006064820152608401610692565b6001600160a01b038316158061252d57506001600160a01b038216155b1561253757505050565b61255c426001600160a01b0385166000908152606c6020526040902060010154611df8565b6119cf576001600160a01b0383166000908152606c602090815260408083205460339092529091205461258f9190612c0c565b8111156119cf5760405162461bcd60e51b815260206004820152601460248201527f7368617265735f6172655f756e626f6e64696e670000000000000000000000006044820152606401610692565b6000547501000000000000000000000000000000000000000000900460ff1661266f5760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201527f6e697469616c697a696e670000000000000000000000000000000000000000006064820152608401610692565b81516126829060369060208501906127aa565b5080516119cf9060379060208401906127aa565b6060610ec68484600085856001600160a01b0385163b6126f85760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e74726163740000006044820152606401610692565b600080866001600160a01b031685876040516127149190612e92565b60006040518083038185875af1925050503d8060008114612751576040519150601f19603f3d011682016040523d82523d6000602084013e612756565b606091505b5091509150612766828286612771565b979650505050505050565b6060831561278057508161085a565b8251156127905782518084602001fd5b8160405162461bcd60e51b815260040161069291906128cd565b8280546127b6906129ca565b90600052602060002090601f0160209004810192826127d8576000855561281e565b82601f106127f157805160ff191683800117855561281e565b8280016001018555821561281e579182015b8281111561281e578251825591602001919060010190612803565b5061282a92915061282e565b5090565b5b8082111561282a576000815560010161282f565b6001600160a01b0381168114610c9357600080fd5b60006020828403121561286a57600080fd5b813561085a81612843565b6000806040838503121561288857600080fd5b823561289381612843565b946020939093013593505050565b60005b838110156128bc5781810151838201526020016128a4565b838111156119805750506000910152565b60208152600082518060208401526128ec8160408501602087016128a1565b601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0169190910160400192915050565b60008060006060848603121561293357600080fd5b833561293e81612843565b9250602084013561294e81612843565b929592945050506040919091013590565b60006020828403121561297157600080fd5b5035919050565b6000806040838503121561298b57600080fd5b823561299681612843565b915060208301356129a681612843565b809150509250929050565b6000602082840312156129c357600080fd5b5051919050565b600181811c908216806129de57607f821691505b60208210811415612a18577f4e487b7100000000000000000000000000000000000000000000000000000000600052602260045260246000fd5b50919050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b6000817fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0483118215151615612a8557612a85612a1e565b500290565b600082612ac0577f4e487b7100000000000000000000000000000000000000000000000000000000600052601260045260246000fd5b500490565b60008219821115612ad857612ad8612a1e565b500190565b600181815b80851115612b3657817fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff04821115612b1c57612b1c612a1e565b80851615612b2957918102915b93841c9390800290612ae2565b509250929050565b600082612b4d575060016105fa565b81612b5a575060006105fa565b8160018114612b705760028114612b7a57612b96565b60019150506105fa565b60ff841115612b8b57612b8b612a1e565b50506001821b6105fa565b5060208310610133831016604e8410600b8410161715612bb9575081810a6105fa565b612bc38383612add565b807fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff04821115612bf557612bf5612a1e565b029392505050565b600061085a60ff841683612b3e565b600082821015612c1e57612c1e612a1e565b500390565b600060208284031215612c3557600080fd5b815161085a81612843565b805160ff81168114612c5157600080fd5b919050565b600060208284031215612c6857600080fd5b61085a82612c40565b600061085a8383612b3e565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b6040516060810167ffffffffffffffff81118282101715612ccf57612ccf612c7d565b60405290565b604051601f82017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe016810167ffffffffffffffff81118282101715612d1c57612d1c612c7d565b604052919050565b60006020808385031215612d3757600080fd5b825167ffffffffffffffff80821115612d4f57600080fd5b818501915085601f830112612d6357600080fd5b815181811115612d7557612d75612c7d565b612d83848260051b01612cd5565b81815284810192506060918202840185019188831115612da257600080fd5b938501935b82851015612dfc5780858a031215612dbf5760008081fd5b612dc7612cac565b8551612dd281612843565b815285870151878201526040612de9818801612c40565b9082015284529384019392850192612da7565b50979650505050505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052603260045260246000fd5b60007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff821415612e6957612e69612a1e565b5060010190565b600060208284031215612e8257600080fd5b8151801515811461085a57600080fd5b60008251612ea48184602087016128a1565b919091019291505056fea2646970667358221220b54509a1ff987c655afbd5fce07b644b2ec722ed944c768050d0f780dddc3fe864736f6c63430008090033
Age | Block | Fee Address | BC Fee Address | Voting Power | Jailed | Incoming |
---|
Make sure to use the "Vote Down" button for any spammy posts, and the "Vote Up" for interesting conversations.