Overview
ETH Balance
0 ETH
Eth Value
$0.00More Info
Private Name Tags
ContractCreator
Latest 1 from a total of 1 transactions
Transaction Hash |
Method
|
Block
|
From
|
To
|
|||||
---|---|---|---|---|---|---|---|---|---|
Set Params | 18424802 | 402 days ago | IN | 0 ETH | 0.00112997 |
View more zero value Internal Transactions in Advanced View mode
Advanced mode:
Loading...
Loading
Similar Match Source Code This contract matches the deployed Bytecode of the Source Code for Contract 0xB897ff22...a052a2839 The constructor portion of the code might be different and could alter the actual behaviour of the contract
Contract Name:
SortedTroves
Compiler Version
v0.8.17+commit.8df45f5f
Optimization Enabled:
Yes with 100 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; import "./Interfaces/ISortedTroves.sol"; import "./Interfaces/ITroveManager.sol"; import "./Interfaces/IBorrowerOperations.sol"; import "./Dependencies/Ownable.sol"; import "./Dependencies/CheckContract.sol"; /* * A sorted doubly linked list with nodes sorted in descending order. * * Nodes map to active Troves in the system - the ID property is the address of a Trove owner. * Nodes are ordered according to their current nominal individual collateral ratio (NICR), * which is like the ICR but without the price, i.e., just collateral / debt. * * The list optionally accepts insert position hints. * * NICRs are computed dynamically at runtime, and not stored on the Node. This is because NICRs of active Troves * change dynamically as liquidation events occur. * * The list relies on the fact that liquidation events preserve ordering: a liquidation decreases the NICRs of all active Troves, * but maintains their order. A node inserted based on current NICR will maintain the correct position, * relative to it's peers, as rewards accumulate, as long as it's raw collateral and debt have not changed. * Thus, Nodes remain sorted by current NICR. * * Nodes need only be re-inserted upon a Trove operation - when the owner adds or removes collateral or debt * to their position. * * The list is a modification of the following audited SortedDoublyLinkedList: * https://github.com/livepeer/protocol/blob/master/contracts/libraries/SortedDoublyLL.sol * * * Changes made in the Liquity implementation: * * - Keys have been removed from nodes * * - Ordering checks for insertion are performed by comparing an NICR argument to the current NICR, calculated at runtime. * The list relies on the property that ordering by ICR is maintained as the collateral:USD price varies. * * - Public functions with parameters have been made internal to save gas, and given an external wrapper function for external access */ contract SortedTroves is Ownable, CheckContract, ISortedTroves { string constant public NAME = "SortedTroves"; event TroveManagerAddressChanged(address _troveManagerAddress); address public borrowerOperationsAddress; ITroveManager public troveManager; // Information for a node in the list struct Node { bool exists; address nextId; // Id of next node (smaller NICR) in the list address prevId; // Id of previous node (larger NICR) in the list } // Information for the list struct Data { address head; // Head of the list. Also the node in the list with the largest NICR address tail; // Tail of the list. Also the node in the list with the smallest NICR uint256 maxSize; // Maximum size of the list uint256 size; // Current size of the list mapping (address => Node) nodes; // Track the corresponding ids for each node in the list } Data public data; // --- Dependency setters --- function setParams(uint256 _size, address _troveManagerAddress, address _borrowerOperationsAddress) external override onlyOwner { require(_size > 0, "SortedTroves: Size cant be zero"); checkContract(_troveManagerAddress); checkContract(_borrowerOperationsAddress); data.maxSize = _size; troveManager = ITroveManager(_troveManagerAddress); borrowerOperationsAddress = _borrowerOperationsAddress; emit TroveManagerAddressChanged(_troveManagerAddress); emit BorrowerOperationsAddressChanged(_borrowerOperationsAddress); _renounceOwnership(); } /* * @dev Add a node to the list * @param _id Node's id * @param _NICR Node's NICR * @param _prevId Id of previous node for the insert position * @param _nextId Id of next node for the insert position */ function insert (address _id, uint256 _NICR, address _prevId, address _nextId) external override { ITroveManager troveManagerCached = troveManager; _requireCallerIsBOorTroveM(troveManagerCached); _insert(troveManagerCached, _id, _NICR, _prevId, _nextId); } function _insert(ITroveManager _troveManager, address _id, uint256 _NICR, address _prevId, address _nextId) internal { // List must not be full require(!isFull(), "SortedTroves: List is full"); // List must not already contain node require(!contains(_id), "SortedTroves: List already contains the node"); // Node id must not be null require(_id != address(0), "SortedTroves: Id cannot be zero"); // NICR must be non-zero require(_NICR > 0, "SortedTroves: NICR must be positive"); address prevId = _prevId; address nextId = _nextId; if (!_validInsertPosition(_troveManager, _NICR, prevId, nextId)) { // Sender's hint was not a valid insert position // Use sender's hint to find a valid insert position (prevId, nextId) = _findInsertPosition(_troveManager, _NICR, prevId, nextId); } data.nodes[_id].exists = true; if (prevId == address(0) && nextId == address(0)) { // Insert as head and tail data.head = _id; data.tail = _id; } else if (prevId == address(0)) { // Insert before `prevId` as the head data.nodes[_id].nextId = data.head; data.nodes[data.head].prevId = _id; data.head = _id; } else if (nextId == address(0)) { // Insert after `nextId` as the tail data.nodes[_id].prevId = data.tail; data.nodes[data.tail].nextId = _id; data.tail = _id; } else { // Insert at insert position between `prevId` and `nextId` data.nodes[_id].nextId = nextId; data.nodes[_id].prevId = prevId; data.nodes[prevId].nextId = _id; data.nodes[nextId].prevId = _id; } data.size += 1; emit NodeAdded(_id, _NICR); } function remove(address _id) external override { _requireCallerIsTroveManager(); _remove(_id); } /* * @dev Remove a node from the list * @param _id Node's id */ function _remove(address _id) internal { // List must contain the node require(contains(_id), "SortedTroves: List does not contain the id"); if (data.size > 1) { // List contains more than a single node if (_id == data.head) { // The removed node is the head // Set head to next node data.head = data.nodes[_id].nextId; // Set prev pointer of new head to null data.nodes[data.head].prevId = address(0); } else if (_id == data.tail) { // The removed node is the tail // Set tail to previous node data.tail = data.nodes[_id].prevId; // Set next pointer of new tail to null data.nodes[data.tail].nextId = address(0); } else { // The removed node is neither the head nor the tail // Set next pointer of previous node to the next node data.nodes[data.nodes[_id].prevId].nextId = data.nodes[_id].nextId; // Set prev pointer of next node to the previous node data.nodes[data.nodes[_id].nextId].prevId = data.nodes[_id].prevId; } } else { // List contains a single node // Set the head and tail to null data.head = address(0); data.tail = address(0); } delete data.nodes[_id]; data.size -= 1; emit NodeRemoved(_id); } /* * @dev Re-insert the node at a new position, based on its new NICR * @param _id Node's id * @param _newNICR Node's new NICR * @param _prevId Id of previous node for the new insert position * @param _nextId Id of next node for the new insert position */ function reInsert(address _id, uint256 _newNICR, address _prevId, address _nextId) external override { ITroveManager troveManagerCached = troveManager; _requireCallerIsBOorTroveM(troveManagerCached); // List must contain the node require(contains(_id), "SortedTroves: List does not contain the id"); // NICR must be non-zero require(_newNICR > 0, "SortedTroves: NICR must be positive"); // Remove node from the list _remove(_id); _insert(troveManagerCached, _id, _newNICR, _prevId, _nextId); } /* * @dev Checks if the list contains a node */ function contains(address _id) public view override returns (bool) { return data.nodes[_id].exists; } /* * @dev Checks if the list is full */ function isFull() public view override returns (bool) { return data.size == data.maxSize; } /* * @dev Checks if the list is empty */ function isEmpty() public view override returns (bool) { return data.size == 0; } /* * @dev Returns the current size of the list */ function getSize() external view override returns (uint256) { return data.size; } /* * @dev Returns the maximum size of the list */ function getMaxSize() external view override returns (uint256) { return data.maxSize; } /* * @dev Returns the first node in the list (node with the largest NICR) */ function getFirst() external view override returns (address) { return data.head; } /* * @dev Returns the last node in the list (node with the smallest NICR) */ function getLast() external view override returns (address) { return data.tail; } /* * @dev Returns the next node (with a smaller NICR) in the list for a given node * @param _id Node's id */ function getNext(address _id) external view override returns (address) { return data.nodes[_id].nextId; } /* * @dev Returns the previous node (with a larger NICR) in the list for a given node * @param _id Node's id */ function getPrev(address _id) external view override returns (address) { return data.nodes[_id].prevId; } /* * @dev Check if a pair of nodes is a valid insertion point for a new node with the given NICR * @param _NICR Node's NICR * @param _prevId Id of previous node for the insert position * @param _nextId Id of next node for the insert position */ function validInsertPosition(uint256 _NICR, address _prevId, address _nextId) external view override returns (bool) { return _validInsertPosition(troveManager, _NICR, _prevId, _nextId); } function _validInsertPosition(ITroveManager _troveManager, uint256 _NICR, address _prevId, address _nextId) internal view returns (bool) { if (_prevId == address(0) && _nextId == address(0)) { // `(null, null)` is a valid insert position if the list is empty return isEmpty(); } else if (_prevId == address(0)) { // `(null, _nextId)` is a valid insert position if `_nextId` is the head of the list return data.head == _nextId && _NICR >= _troveManager.getNominalICR(_nextId); } else if (_nextId == address(0)) { // `(_prevId, null)` is a valid insert position if `_prevId` is the tail of the list return data.tail == _prevId && _NICR <= _troveManager.getNominalICR(_prevId); } else { // `(_prevId, _nextId)` is a valid insert position if they are adjacent nodes and `_NICR` falls between the two nodes' NICRs return data.nodes[_prevId].nextId == _nextId && _troveManager.getNominalICR(_prevId) >= _NICR && _NICR >= _troveManager.getNominalICR(_nextId); } } /* * @dev Descend the list (larger NICRs to smaller NICRs) to find a valid insert position * @param _troveManager TroveManager contract, passed in as param to save SLOAD’s * @param _NICR Node's NICR * @param _startId Id of node to start descending the list from */ function _descendList(ITroveManager _troveManager, uint256 _NICR, address _startId) internal view returns (address, address) { // If `_startId` is the head, check if the insert position is before the head if (data.head == _startId && _NICR >= _troveManager.getNominalICR(_startId)) { return (address(0), _startId); } address prevId = _startId; address nextId = data.nodes[prevId].nextId; // Descend the list until we reach the end or until we find a valid insert position while (prevId != address(0) && !_validInsertPosition(_troveManager, _NICR, prevId, nextId)) { prevId = data.nodes[prevId].nextId; nextId = data.nodes[prevId].nextId; } return (prevId, nextId); } /* * @dev Ascend the list (smaller NICRs to larger NICRs) to find a valid insert position * @param _troveManager TroveManager contract, passed in as param to save SLOAD’s * @param _NICR Node's NICR * @param _startId Id of node to start ascending the list from */ function _ascendList(ITroveManager _troveManager, uint256 _NICR, address _startId) internal view returns (address, address) { // If `_startId` is the tail, check if the insert position is after the tail if (data.tail == _startId && _NICR <= _troveManager.getNominalICR(_startId)) { return (_startId, address(0)); } address nextId = _startId; address prevId = data.nodes[nextId].prevId; // Ascend the list until we reach the end or until we find a valid insertion point while (nextId != address(0) && !_validInsertPosition(_troveManager, _NICR, prevId, nextId)) { nextId = data.nodes[nextId].prevId; prevId = data.nodes[nextId].prevId; } return (prevId, nextId); } /* * @dev Find the insert position for a new node with the given NICR * @param _NICR Node's NICR * @param _prevId Id of previous node for the insert position * @param _nextId Id of next node for the insert position */ function findInsertPosition(uint256 _NICR, address _prevId, address _nextId) external view override returns (address, address) { return _findInsertPosition(troveManager, _NICR, _prevId, _nextId); } function _findInsertPosition(ITroveManager _troveManager, uint256 _NICR, address _prevId, address _nextId) internal view returns (address, address) { address prevId = _prevId; address nextId = _nextId; if (prevId != address(0)) { if (!contains(prevId) || _NICR > _troveManager.getNominalICR(prevId)) { // `prevId` does not exist anymore or now has a smaller NICR than the given NICR prevId = address(0); } } if (nextId != address(0)) { if (!contains(nextId) || _NICR < _troveManager.getNominalICR(nextId)) { // `nextId` does not exist anymore or now has a larger NICR than the given NICR nextId = address(0); } } if (prevId == address(0) && nextId == address(0)) { // No hint - descend list starting from head return _descendList(_troveManager, _NICR, data.head); } else if (prevId == address(0)) { // No `prevId` for hint - ascend list starting from `nextId` return _ascendList(_troveManager, _NICR, nextId); } else if (nextId == address(0)) { // No `nextId` for hint - descend list starting from `prevId` return _descendList(_troveManager, _NICR, prevId); } else { // Descend list starting from `prevId` return _descendList(_troveManager, _NICR, prevId); } } // --- 'require' functions --- function _requireCallerIsTroveManager() internal view { require(msg.sender == address(troveManager), "SortedTroves: Caller is not the TroveManager"); } function _requireCallerIsBOorTroveM(ITroveManager _troveManager) internal view { require(msg.sender == borrowerOperationsAddress || msg.sender == address(_troveManager), "SortedTroves: Caller is neither BO nor TroveM"); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/IERC20Metadata.sol) pragma solidity ^0.8.0; import "../IERC20.sol"; /** * @dev Interface for the optional metadata functions from the ERC20 standard. * * _Available since v4.1._ */ interface IERC20Metadata is IERC20 { /** * @dev Returns the name of the token. */ function name() external view returns (string memory); /** * @dev Returns the symbol of the token. */ function symbol() external view returns (string memory); /** * @dev Returns the decimals places of the token. */ function decimals() external view returns (uint8); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (token/ERC20/IERC20.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `to`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address to, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `from` to `to` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom(address from, address to, uint256 amount) external returns (bool); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; contract CheckContract { /** * Check that the account is an already deployed non-destroyed contract. * See: https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/utils/Address.sol#L12 */ function checkContract(address _account) internal view { require(_account != address(0), "Account cannot be zero address"); uint256 size; // solhint-disable-next-line no-inline-assembly assembly { size := extcodesize(_account) } require(size > 0, "Account code size cannot be zero"); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; /** * @dev Interface of the ERC2612 standard as defined in the EIP. * * Adds the {permit} method, which can be used to change one's * {IERC20-allowance} without having to send a transaction, by signing a * message. This allows users to spend tokens without having to hold Ether. * * See https://eips.ethereum.org/EIPS/eip-2612. * * Code adapted from https://github.com/OpenZeppelin/openzeppelin-contracts/pull/2237/ */ interface IERC2612 { /** * @dev Sets `amount` as the allowance of `spender` over `owner`'s tokens, * given `owner`'s signed approval. * * IMPORTANT: The same issues {IERC20-approve} has related to transaction * ordering also apply here. * * Emits an {Approval} event. * * Requirements: * * - `owner` cannot be the zero address. * - `spender` cannot be the zero address. * - `deadline` must be a timestamp in the future. * - `v`, `r` and `s` must be a valid `secp256k1` signature from `owner` * over the EIP712-formatted function arguments. * - the signature must use ``owner``'s current nonce (see {nonces}). * * For more information on the signature format, see the * https://eips.ethereum.org/EIPS/eip-2612#specification[relevant EIP * section]. */ function permit(address owner, address spender, uint256 amount, uint256 deadline, uint8 v, bytes32 r, bytes32 s) external; /** * @dev Returns the current ERC2612 nonce for `owner`. This value must be * included whenever a signature is generated for {permit}. * * Every successful call to {permit} increases `owner`'s nonce by one. This * prevents a signature from being used multiple times. * * `owner` can limit the time a Permit is valid for by setting `deadline` to * a value in the near future. The deadline argument can be set to uint(-1) to * create Permits that effectively never expire. */ function nonces(address owner) external view returns (uint256); function version() external view returns (string memory); function permitTypeHash() external view returns (bytes32); function domainSeparator() external view returns (bytes32); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; /** * Based on OpenZeppelin's Ownable contract: * https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/access/Ownable.sol * * @dev Contract module which provides a basic access control mechanism, where * there is an account (an owner) that can be granted exclusive access to * specific functions. * * This module is used through inheritance. It will make available the modifier * `onlyOwner`, which can be applied to your functions to restrict their use to * the owner. */ contract Ownable { address private _owner; event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); /** * @dev Initializes the contract setting the deployer as the initial owner. */ constructor () { _owner = msg.sender; emit OwnershipTransferred(address(0), msg.sender); } /** * @dev Returns the address of the current owner. */ function owner() public view returns (address) { return _owner; } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { require(isOwner(), "Ownable: caller is not the owner"); _; } /** * @dev Returns true if the caller is the current owner. */ function isOwner() public view returns (bool) { return msg.sender == _owner; } /** * @dev Leaves the contract without owner. It will not be possible to call * `onlyOwner` functions anymore. * * NOTE: Renouncing ownership will leave the contract without an owner, * thereby removing any functionality that is only available to the owner. * * NOTE: This function is not safe, as it doesn’t check owner is calling it. * Make sure you check it before calling it. */ function _renounceOwnership() internal { emit OwnershipTransferred(_owner, address(0)); _owner = address(0); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Can only be called by the current owner. */ function transferOwnership(address newOwner) public virtual onlyOwner { require(newOwner != address(0), "Ownable: new owner is the zero address"); _transferOwnership(newOwner); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _transferOwnership(address newOwner) internal virtual { address oldOwner = _owner; _owner = newOwner; emit OwnershipTransferred(oldOwner, newOwner); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; // Common interface for the Trove Manager. interface IBorrowerOperations { // --- Events --- event TroveManagerAddressChanged(address _newTroveManagerAddress); event ActivePoolAddressChanged(address _activePoolAddress); event DefaultPoolAddressChanged(address _defaultPoolAddress); event StabilityPoolAddressChanged(address _stabilityPoolAddress); event GasPoolAddressChanged(address _gasPoolAddress); event CollSurplusPoolAddressChanged(address _collSurplusPoolAddress); event PriceFeedAddressChanged(address _newPriceFeedAddress); event SortedTrovesAddressChanged(address _sortedTrovesAddress); event THUSDTokenAddressChanged(address _thusdTokenAddress); event PCVAddressChanged(address _pcvAddress); event CollateralAddressChanged(address _newCollateralAddress); event TroveCreated(address indexed _borrower, uint256 arrayIndex); event TroveUpdated(address indexed _borrower, uint256 _debt, uint256 _coll, uint256 stake, uint8 operation); event THUSDBorrowingFeePaid(address indexed _borrower, uint256 _THUSDFee); // --- Functions --- function setAddresses( address _troveManagerAddress, address _activePoolAddress, address _defaultPoolAddress, address _stabilityPoolAddress, address _gasPoolAddress, address _collSurplusPoolAddress, address _priceFeedAddress, address _sortedTrovesAddress, address _thusdTokenAddress, address _pcvAddress, address _collateralAddress ) external; function openTrove(uint256 _maxFee, uint256 _THUSDAmount, uint256 _assetAmount, address _upperHint, address _lowerHint) external payable; function addColl(uint256 _assetAmount, address _upperHint, address _lowerHint) external payable; function moveCollateralGainToTrove(address _user, uint256 _assetAmount, address _upperHint, address _lowerHint) external payable; function withdrawColl(uint256 _amount, address _upperHint, address _lowerHint) external; function withdrawTHUSD(uint256 _maxFee, uint256 _amount, address _upperHint, address _lowerHint) external; function repayTHUSD(uint256 _amount, address _upperHint, address _lowerHint) external; function closeTrove() external; function adjustTrove(uint256 _maxFee, uint256 _collWithdrawal, uint256 _debtChange, bool isDebtIncrease, uint256 _assetAmount, address _upperHint, address _lowerHint) external payable; function claimCollateral() external; function getCompositeDebt(uint256 _debt) external pure returns (uint); function collateralAddress() external view returns(address); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; import "./IPriceFeed.sol"; interface ILiquityBase { function priceFeed() external view returns (IPriceFeed); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; import "@openzeppelin/contracts/token/ERC20/IERC20.sol"; import "./ITHUSDToken.sol"; interface IPCV { // --- Events -- event THUSDTokenAddressSet(address _thusdTokenAddress); event BorrowerOperationsAddressSet(address _borrowerOperationsAddress); event CollateralAddressSet(address _collateralAddress); event BAMMAddressSet(address _bammAddress); event RolesSet(address _council, address _treasury); event BAMMDeposit(uint256 _thusdAmount); event BAMMWithdraw(uint256 _numShares); event THUSDWithdraw(address _recipient, uint256 _thusdAmount); event CollateralWithdraw(address _recipient, uint256 _collateralAmount); event PCVDebtPaid(uint256 _paidDebt); event RecipientAdded(address _recipient); event RecipientRemoved(address _recipient); // --- Functions --- function debtToPay() external returns(uint256); function payDebt(uint256 _thusdToBurn) external; function setAddresses( address _thusdTokenAddress, address _borrowerOperations, address payable _bammAddress, address _collateralERC20 ) external; function initialize() external; function depositToBAMM(uint256 _thusdAmount) external; function withdrawFromBAMM(uint256 _numShares) external; function withdrawTHUSD(address _recipient, uint256 _thusdAmount) external; function withdrawCollateral(address _recipient, uint256 _collateralAmount) external; function addRecipientToWhitelist(address _recipient) external; function addRecipientsToWhitelist(address[] calldata _recipients) external; function removeRecipientFromWhitelist(address _recipient) external; function removeRecipientsFromWhitelist(address[] calldata _recipients) external; function startChangingRoles(address _council, address _treasury) external; function cancelChangingRoles() external; function finalizeChangingRoles() external; function collateralERC20() external view returns(IERC20); function thusdToken() external view returns(ITHUSDToken); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; interface IPriceFeed { // --- Events --- event LastGoodPriceUpdated(uint256 _lastGoodPrice); // --- Function --- function fetchPrice() external returns (uint); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; // Common interface for the SortedTroves Doubly Linked List. interface ISortedTroves { // --- Events --- event SortedTrovesAddressChanged(address _sortedDoublyLLAddress); event BorrowerOperationsAddressChanged(address _borrowerOperationsAddress); event NodeAdded(address _id, uint256 _NICR); event NodeRemoved(address _id); // --- Functions --- function setParams(uint256 _size, address _TroveManagerAddress, address _borrowerOperationsAddress) external; function insert(address _id, uint256 _ICR, address _prevId, address _nextId) external; function remove(address _id) external; function reInsert(address _id, uint256 _newICR, address _prevId, address _nextId) external; function contains(address _id) external view returns (bool); function isFull() external view returns (bool); function isEmpty() external view returns (bool); function getSize() external view returns (uint256); function getMaxSize() external view returns (uint256); function getFirst() external view returns (address); function getLast() external view returns (address); function getNext(address _id) external view returns (address); function getPrev(address _id) external view returns (address); function validInsertPosition(uint256 _ICR, address _prevId, address _nextId) external view returns (bool); function findInsertPosition(uint256 _ICR, address _prevId, address _nextId) external view returns (address, address); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; /* * The Stability Pool holds THUSD tokens deposited by Stability Pool depositors. * * When a trove is liquidated, then depending on system conditions, some of its THUSD debt gets offset with * THUSD in the Stability Pool: that is, the offset debt evaporates, and an equal amount of THUSD tokens in the Stability Pool is burned. * * Thus, a liquidation causes each depositor to receive a THUSD loss, in proportion to their deposit as a share of total deposits. * They also receive an collateral gain, as the collateral of the liquidated trove is distributed among Stability depositors, * in the same proportion. * * When a liquidation occurs, it depletes every deposit by the same fraction: for example, a liquidation that depletes 40% * of the total THUSD in the Stability Pool, depletes 40% of each deposit. * * A deposit that has experienced a series of liquidations is termed a "compounded deposit": each liquidation depletes the deposit, * multiplying it by some factor in range ]0,1[ * * Please see the implementation spec in the proof document, which closely follows on from the compounded deposit / collateral gain derivations: * https://github.com/liquity/liquity/blob/master/papers/Scalable_Reward_Distribution_with_Compounding_Stakes.pdf * */ interface IStabilityPool { // --- Events --- event StabilityPoolCollateralBalanceUpdated(uint256 _newBalance); event StabilityPoolTHUSDBalanceUpdated(uint256 _newBalance); event BorrowerOperationsAddressChanged(address _newBorrowerOperationsAddress); event TroveManagerAddressChanged(address _newTroveManagerAddress); event ActivePoolAddressChanged(address _newActivePoolAddress); event DefaultPoolAddressChanged(address _newDefaultPoolAddress); event THUSDTokenAddressChanged(address _newTHUSDTokenAddress); event SortedTrovesAddressChanged(address _newSortedTrovesAddress); event PriceFeedAddressChanged(address _newPriceFeedAddress); event CollateralAddressChanged(address _newCollateralAddress); event P_Updated(uint256 _P); event S_Updated(uint256 _S, uint128 _epoch, uint128 _scale); event EpochUpdated(uint128 _currentEpoch); event ScaleUpdated(uint128 _currentScale); event DepositSnapshotUpdated(address indexed _depositor, uint256 _P, uint256 _S); event UserDepositChanged(address indexed _depositor, uint256 _newDeposit); event CollateralGainWithdrawn(address indexed _depositor, uint256 _collateral, uint256 _THUSDLoss); event CollateralSent(address _to, uint256 _amount); // --- Functions --- /* * Called only once on init, to set addresses of other Liquity contracts * Callable only by owner, renounces ownership at the end */ function setAddresses( address _borrowerOperationsAddress, address _troveManagerAddress, address _activePoolAddress, address _thusdTokenAddress, address _sortedTrovesAddress, address _priceFeedAddress, address _collateralAddress ) external; /* * Initial checks: * - _amount is not zero * --- * - Sends depositor's accumulated gains (collateral) to depositor */ function provideToSP(uint256 _amount) external; /* * Initial checks: * - _amount is zero or there are no under collateralized troves left in the system * - User has a non zero deposit * --- * - Sends all depositor's accumulated gains (collateral) to depositor * - Decreases deposit stake, and takes new snapshot. * * If _amount > userDeposit, the user withdraws all of their compounded deposit. */ function withdrawFromSP(uint256 _amount) external; /* * Initial checks: * - User has a non zero deposit * - User has an open trove * - User has some collateral gain * --- * - Transfers the depositor's entire collateral gain from the Stability Pool to the caller's trove * - Leaves their compounded deposit in the Stability Pool * - Updates snapshots for deposit */ function withdrawCollateralGainToTrove(address _upperHint, address _lowerHint) external; /* * Initial checks: * - Caller is TroveManager * --- * Cancels out the specified debt against the THUSD contained in the Stability Pool (as far as possible) * and transfers the Trove's collateral from ActivePool to StabilityPool. * Only called by liquidation functions in the TroveManager. */ function offset(uint256 _debt, uint256 _coll) external; /* * Returns the total amount of collateral held by the pool, accounted in an internal variable instead of `balance`, * to exclude edge cases like collateral received from a self-destruct. */ function getCollateralBalance() external view returns (uint); /* * Returns THUSD held in the pool. Changes when users deposit/withdraw, and when Trove debt is offset. */ function getTotalTHUSDDeposits() external view returns (uint); /* * Calculates the collateral gain earned by the deposit since its last snapshots were taken. */ function getDepositorCollateralGain(address _depositor) external view returns (uint); /* * Return the user's compounded deposit. */ function getCompoundedTHUSDDeposit(address _depositor) external view returns (uint); /* * Only callable by Active Pool, updates ERC20 tokens recieved */ function updateCollateralBalance(uint256 _amount) external; /* * Fallback function * Only callable by Active Pool, it just accounts for ETH received * receive() external payable; */ function collateralAddress() external view returns(address); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; import "@openzeppelin/contracts/token/ERC20/extensions/IERC20Metadata.sol"; import "../Dependencies/IERC2612.sol"; interface ITHUSDToken is IERC20Metadata, IERC2612 { // --- Events --- event TroveManagerAddressAdded(address _troveManagerAddress); event StabilityPoolAddressAdded(address _newStabilityPoolAddress); event BorrowerOperationsAddressAdded(address _newBorrowerOperationsAddress); event THUSDTokenBalanceUpdated(address _user, uint256 _amount); // --- Functions --- function mintList(address contractAddress) external view returns (bool); function burnList(address contractAddress) external view returns (bool); function mint(address _account, uint256 _amount) external; function burn(address _account, uint256 _amount) external; function increaseAllowance(address spender, uint256 addedValue) external returns (bool); function decreaseAllowance(address spender, uint256 subtractedValue) external returns (bool); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.17; import "./ILiquityBase.sol"; import "./IStabilityPool.sol"; import "./ITHUSDToken.sol"; import "./IPCV.sol"; // Common interface for the Trove Manager. interface ITroveManager is ILiquityBase { enum Status { nonExistent, active, closedByOwner, closedByLiquidation, closedByRedemption } // --- Events --- event BorrowerOperationsAddressChanged(address _newBorrowerOperationsAddress); event PriceFeedAddressChanged(address _newPriceFeedAddress); event THUSDTokenAddressChanged(address _newTHUSDTokenAddress); event ActivePoolAddressChanged(address _activePoolAddress); event DefaultPoolAddressChanged(address _defaultPoolAddress); event StabilityPoolAddressChanged(address _stabilityPoolAddress); event GasPoolAddressChanged(address _gasPoolAddress); event CollSurplusPoolAddressChanged(address _collSurplusPoolAddress); event SortedTrovesAddressChanged(address _sortedTrovesAddress); event PCVAddressChanged(address _pcvAddress); event Liquidation(uint256 _liquidatedDebt, uint256 _liquidatedColl, uint256 _collGasCompensation, uint256 _THUSDGasCompensation); event Redemption(uint256 _attemptedTHUSDAmount, uint256 _actualTHUSDAmount, uint256 _collateralSent, uint256 _collateralFee); event TroveUpdated(address indexed _borrower, uint256 _debt, uint256 _coll, uint256 stake, uint8 operation); event TroveLiquidated(address indexed _borrower, uint256 _debt, uint256 _coll, uint8 operation); event BaseRateUpdated(uint256 _baseRate); event LastFeeOpTimeUpdated(uint256 _lastFeeOpTime); event TotalStakesUpdated(uint256 _newTotalStakes); event SystemSnapshotsUpdated(uint256 _totalStakesSnapshot, uint256 _totalCollateralSnapshot); event LTermsUpdated(uint256 _L_Collateral, uint256 _L_THUSDDebt); event TroveSnapshotsUpdated(uint256 _L_Collateral, uint256 _L_THUSDDebt); event TroveIndexUpdated(address _borrower, uint256 _newIndex); // --- Functions --- function setAddresses( address _borrowerOperationsAddress, address _activePoolAddress, address _defaultPoolAddress, address _stabilityPoolAddress, address _gasPoolAddress, address _collSurplusPoolAddress, address _priceFeedAddress, address _thusdTokenAddress, address _sortedTrovesAddress, address _pcvAddress ) external; function stabilityPool() external view returns (IStabilityPool); function thusdToken() external view returns (ITHUSDToken); function pcv() external view returns (IPCV); function getTroveOwnersCount() external view returns (uint); function getTroveFromTroveOwnersArray(uint256 _index) external view returns (address); function getNominalICR(address _borrower) external view returns (uint); function getCurrentICR(address _borrower, uint256 _price) external view returns (uint); function liquidate(address _borrower) external; function liquidateTroves(uint256 _n) external; function batchLiquidateTroves(address[] calldata _troveArray) external; function redeemCollateral( uint256 _THUSDAmount, address _firstRedemptionHint, address _upperPartialRedemptionHint, address _lowerPartialRedemptionHint, uint256 _partialRedemptionHintNICR, uint256 _maxIterations, uint256 _maxFee ) external; function updateStakeAndTotalStakes(address _borrower) external returns (uint); function updateTroveRewardSnapshots(address _borrower) external; function addTroveOwnerToArray(address _borrower) external returns (uint256 index); function applyPendingRewards(address _borrower) external; function getPendingCollateralReward(address _borrower) external view returns (uint); function getPendingTHUSDDebtReward(address _borrower) external view returns (uint); function hasPendingRewards(address _borrower) external view returns (bool); function getEntireDebtAndColl(address _borrower) external view returns ( uint256 debt, uint256 coll, uint256 pendingTHUSDDebtReward, uint256 pendingCollateralReward ); function closeTrove(address _borrower) external; function removeStake(address _borrower) external; function getRedemptionRate() external view returns (uint); function getRedemptionRateWithDecay() external view returns (uint); function getRedemptionFeeWithDecay(uint256 _collateralDrawn) external view returns (uint); function getBorrowingRate() external view returns (uint); function getBorrowingRateWithDecay() external view returns (uint); function getBorrowingFee(uint256 THUSDDebt) external view returns (uint); function getBorrowingFeeWithDecay(uint256 _THUSDDebt) external view returns (uint); function decayBaseRateFromBorrowing() external; function getTroveStatus(address _borrower) external view returns (Status); function getTroveStake(address _borrower) external view returns (uint); function getTroveDebt(address _borrower) external view returns (uint); function getTroveColl(address _borrower) external view returns (uint); function setTroveStatus(address _borrower, Status _status) external; function increaseTroveColl(address _borrower, uint256 _collIncrease) external returns (uint); function decreaseTroveColl(address _borrower, uint256 _collDecrease) external returns (uint); function increaseTroveDebt(address _borrower, uint256 _debtIncrease) external returns (uint); function decreaseTroveDebt(address _borrower, uint256 _collDecrease) external returns (uint); function getTCR(uint256 _price) external view returns (uint); function checkRecoveryMode(uint256 _price) external view returns (bool); }
{ "optimizer": { "enabled": true, "runs": 100 }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_borrowerOperationsAddress","type":"address"}],"name":"BorrowerOperationsAddressChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_id","type":"address"},{"indexed":false,"internalType":"uint256","name":"_NICR","type":"uint256"}],"name":"NodeAdded","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_id","type":"address"}],"name":"NodeRemoved","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_sortedDoublyLLAddress","type":"address"}],"name":"SortedTrovesAddressChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_troveManagerAddress","type":"address"}],"name":"TroveManagerAddressChanged","type":"event"},{"inputs":[],"name":"NAME","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"borrowerOperationsAddress","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_id","type":"address"}],"name":"contains","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"data","outputs":[{"internalType":"address","name":"head","type":"address"},{"internalType":"address","name":"tail","type":"address"},{"internalType":"uint256","name":"maxSize","type":"uint256"},{"internalType":"uint256","name":"size","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_NICR","type":"uint256"},{"internalType":"address","name":"_prevId","type":"address"},{"internalType":"address","name":"_nextId","type":"address"}],"name":"findInsertPosition","outputs":[{"internalType":"address","name":"","type":"address"},{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getFirst","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getLast","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getMaxSize","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_id","type":"address"}],"name":"getNext","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_id","type":"address"}],"name":"getPrev","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getSize","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_id","type":"address"},{"internalType":"uint256","name":"_NICR","type":"uint256"},{"internalType":"address","name":"_prevId","type":"address"},{"internalType":"address","name":"_nextId","type":"address"}],"name":"insert","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"isEmpty","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"isFull","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"isOwner","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_id","type":"address"},{"internalType":"uint256","name":"_newNICR","type":"uint256"},{"internalType":"address","name":"_prevId","type":"address"},{"internalType":"address","name":"_nextId","type":"address"}],"name":"reInsert","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_id","type":"address"}],"name":"remove","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_size","type":"uint256"},{"internalType":"address","name":"_troveManagerAddress","type":"address"},{"internalType":"address","name":"_borrowerOperationsAddress","type":"address"}],"name":"setParams","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"troveManager","outputs":[{"internalType":"contract ITroveManager","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_NICR","type":"uint256"},{"internalType":"address","name":"_prevId","type":"address"},{"internalType":"address","name":"_nextId","type":"address"}],"name":"validInsertPosition","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"}]
Deployed Bytecode
0x608060405234801561001057600080fd5b50600436106101425760003560e01c806373d4a13a116100b8578063b72703ac1161007c578063b72703ac14610327578063b7f8cf9b14610356578063babd3d9a14610369578063de8fa43114610375578063f2fde38b1461037d578063f376d7981461039057600080fd5b806373d4a13a1461024d578063765e01591461029a5780638da5cb5b146102cb5780638f32d59b146102dc578063a3f4df7e146102ef57600080fd5b8063416980dc1161010a578063416980dc146101c857806346f7cf87146101fb5780634d6228311461020e5780635dbe47e81461021f57806363e1d57c14610232578063681fe70c1461024457600080fd5b80631e2231431461014757806329092d0e1461016a5780632be212601461017f5780633d83908a146101925780633fce12d5146101a5575b600080fd5b6003546001600160a01b03165b60405161016191906114a2565b60405180910390f35b61017d6101783660046114d2565b6103a3565b005b61017d61018d3660046114f4565b6103b7565b600254610154906001600160a01b031681565b6101b86101b3366004611541565b610437565b6040519015158152602001610161565b6101db6101d6366004611541565b61045a565b604080516001600160a01b03938416815292909116602083015201610161565b61017d6102093660046114f4565b610484565b6004546001600160a01b0316610154565b6101b861022d3660046114d2565b610499565b6005545b604051908152602001610161565b600654156101b8565b60035460045460055460065461026f936001600160a01b039081169316919084565b604080516001600160a01b039586168152949093166020850152918301526060820152608001610161565b6101546102a83660046114d2565b6001600160a01b0390811660009081526007602052604090205461010090041690565b6000546001600160a01b0316610154565b6000546001600160a01b031633146101b8565b61031a6040518060400160405280600c81526020016b536f7274656454726f76657360a01b81525081565b604051610161919061157d565b6101546103353660046114d2565b6001600160a01b039081166000908152600760205260409020600101541690565b600154610154906001600160a01b031681565b600554600654146101b8565b600654610236565b61017d61038b3660046114d2565b6104b7565b61017d61039e366004611541565b61054f565b6103ab61068c565b6103b4816106fd565b50565b6002546001600160a01b03166103cc8161090b565b6103d585610499565b6103fa5760405162461bcd60e51b81526004016103f1906115cb565b60405180910390fd5b6000841161041a5760405162461bcd60e51b81526004016103f190611615565b610423856106fd565b610430818686868661098e565b5050505050565b600254600090610452906001600160a01b0316858585610d0e565b949350505050565b6002546000908190610477906001600160a01b0316868686610f4a565b915091505b935093915050565b6002546001600160a01b03166104238161090b565b6001600160a01b031660009081526007602052604090205460ff1690565b6000546001600160a01b031633146104e15760405162461bcd60e51b81526004016103f190611658565b6001600160a01b0381166105465760405162461bcd60e51b815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201526564647265737360d01b60648201526084016103f1565b6103b48161110d565b6000546001600160a01b031633146105795760405162461bcd60e51b81526004016103f190611658565b600083116105c95760405162461bcd60e51b815260206004820152601f60248201527f536f7274656454726f7665733a2053697a652063616e74206265207a65726f0060448201526064016103f1565b6105d28261115d565b6105db8161115d565b6005839055600280546001600160a01b038085166001600160a01b03199283161790925560018054928416929091169190911790556040517f143219c9e69b09e07e095fcc889b43d8f46ca892bba65f08dc3a0050869a5678906106409084906114a2565b60405180910390a17f3ca631ffcd2a9b5d9ae18543fc82f58eb4ca33af9e6ab01b7a8e95331e6ed9858160405161067791906114a2565b60405180910390a1610687611206565b505050565b6002546001600160a01b031633146106fb5760405162461bcd60e51b815260206004820152602c60248201527f536f7274656454726f7665733a2043616c6c6572206973206e6f74207468652060448201526b2a3937bb32a6b0b730b3b2b960a11b60648201526084016103f1565b565b61070681610499565b6107225760405162461bcd60e51b81526004016103f1906115cb565b60065460011015610862576003546001600160a01b039081169082160361078f576001600160a01b0380821660009081526007602052604080822054600380546001600160a01b03199081166101009093049095169182179055825290206001018054909116905561087f565b6004546001600160a01b03908116908216036107f3576001600160a01b0380821660009081526007602052604080822060010154600480546001600160a01b03191691909416908117909355918152208054610100600160a81b031916905561087f565b6001600160a01b038082166000908152600760205260408082208054600180830180548716865284862080546101009485900489168502610100600160a81b03199091161790555492549190910485168452919092200180546001600160a01b0319169190921617905561087f565b600380546001600160a01b03199081169091556004805490911690555b6001600160a01b038116600090815260076020526040812080546001600160a81b0319168155600190810180546001600160a01b031916905560068054919290916108cb9084906116a3565b90915550506040517fcfc24166db4bb677e857cacabd1541fb2b30645021b27c5130419589b84db52b906109009083906114a2565b60405180910390a150565b6001546001600160a01b031633148061092c5750336001600160a01b038216145b6103b45760405162461bcd60e51b815260206004820152602d60248201527f536f7274656454726f7665733a2043616c6c6572206973206e6569746865722060448201526c424f206e6f722054726f76654d60981b60648201526084016103f1565b600554600654036109e15760405162461bcd60e51b815260206004820152601a60248201527f536f7274656454726f7665733a204c6973742069732066756c6c00000000000060448201526064016103f1565b6109ea84610499565b15610a4c5760405162461bcd60e51b815260206004820152602c60248201527f536f7274656454726f7665733a204c69737420616c726561647920636f6e746160448201526b696e7320746865206e6f646560a01b60648201526084016103f1565b6001600160a01b038416610aa25760405162461bcd60e51b815260206004820152601f60248201527f536f7274656454726f7665733a2049642063616e6e6f74206265207a65726f0060448201526064016103f1565b60008311610ac25760405162461bcd60e51b81526004016103f190611615565b8181610ad087868484610d0e565b610ae657610ae087868484610f4a565b90925090505b6001600160a01b038087166000908152600760205260409020805460ff191660011790558216158015610b2057506001600160a01b038116155b15610b5557600380546001600160a01b0388166001600160a01b03199182168117909255600480549091169091179055610ca9565b6001600160a01b038216610bc957600380546001600160a01b03888116600081815260076020526040808220805495851661010002610100600160a81b0319909616959095179094558454909216825291902060010180546001600160a01b03199081168317909155825416179055610ca9565b6001600160a01b038116610c3957600480546001600160a01b0388811660008181526007602052604080822060010180549585166001600160a01b031996871617905585549093168152919091208054610100600160a81b03191661010083021790558254909116179055610ca9565b6001600160a01b038087166000818152600760205260408082208054858716610100818102610100600160a81b031993841617845560019384018054988b166001600160a01b0319998a168117909155865284862080549188029190931617909155835291200180549092161790555b6001600380016000828254610cbe91906116bc565b9091555050604080516001600160a01b0388168152602081018790527fe02b43adbee0c123de070a04554a71877a0007e2fc161466299cae3c094fe82f910160405180910390a150505050505050565b60006001600160a01b038316158015610d2e57506001600160a01b038216155b15610d3f57600654155b9050610452565b6001600160a01b038316610ddc576003546001600160a01b038381169116148015610d38575060405163b0d8e18160e01b81526001600160a01b0386169063b0d8e18190610d919085906004016114a2565b602060405180830381865afa158015610dae573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610dd291906116cf565b8410159050610452565b6001600160a01b038216610e79576004546001600160a01b038481169116148015610d38575060405163b0d8e18160e01b81526001600160a01b0386169063b0d8e18190610e2e9086906004016114a2565b602060405180830381865afa158015610e4b573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610e6f91906116cf565b8411159050610452565b6001600160a01b0383811660009081526007602052604090205461010090048116908316148015610f17575060405163b0d8e18160e01b815284906001600160a01b0387169063b0d8e18190610ed39087906004016114a2565b602060405180830381865afa158015610ef0573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610f1491906116cf565b10155b8015610d38575060405163b0d8e18160e01b81526001600160a01b0386169063b0d8e18190610d919085906004016114a2565b60008083836001600160a01b03821615610fe857610f6782610499565b1580610fde575060405163b0d8e18160e01b81526001600160a01b0389169063b0d8e18190610f9a9085906004016114a2565b602060405180830381865afa158015610fb7573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610fdb91906116cf565b87115b15610fe857600091505b6001600160a01b038116156110805761100081610499565b1580611077575060405163b0d8e18160e01b81526001600160a01b0389169063b0d8e181906110339084906004016114a2565b602060405180830381865afa158015611050573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061107491906116cf565b87105b15611080575060005b6001600160a01b03821615801561109e57506001600160a01b038116155b156110c7576003546110bc90899089906001600160a01b0316611250565b935093505050611104565b6001600160a01b0382166110e0576110bc88888361137c565b6001600160a01b0381166110f9576110bc888884611250565b6110bc888884611250565b94509492505050565b600080546001600160a01b038381166001600160a01b0319831681178455604051919092169283917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e09190a35050565b6001600160a01b0381166111b35760405162461bcd60e51b815260206004820152601e60248201527f4163636f756e742063616e6e6f74206265207a65726f2061646472657373000060448201526064016103f1565b803b806112025760405162461bcd60e51b815260206004820181905260248201527f4163636f756e7420636f64652073697a652063616e6e6f74206265207a65726f60448201526064016103f1565b5050565b600080546040516001600160a01b03909116907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908390a3600080546001600160a01b0319169055565b60035460009081906001600160a01b0384811691161480156112de575060405163b0d8e18160e01b81526001600160a01b0386169063b0d8e181906112999086906004016114a2565b602060405180830381865afa1580156112b6573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906112da91906116cf565b8410155b156112ee5750600090508161047c565b6001600160a01b038084166000908152600760205260409020548491610100909104165b6001600160a01b03821615801590611333575061133187878484610d0e565b155b1561137057506001600160a01b03908116600090815260076020526040808220546101009081900484168084529190922054909291900416611312565b90969095509350505050565b60045460009081906001600160a01b03848116911614801561140a575060405163b0d8e18160e01b81526001600160a01b0386169063b0d8e181906113c59086906004016114a2565b602060405180830381865afa1580156113e2573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061140691906116cf565b8411155b1561141a5750819050600061047c565b6001600160a01b038084166000908152600760205260409020600101548491165b6001600160a01b0382161580159061145c575061145a87878385610d0e565b155b1561149757506001600160a01b039081166000908152600760205260408082206001908101548416808452919092209091015490911661143b565b969095509350505050565b6001600160a01b0391909116815260200190565b80356001600160a01b03811681146114cd57600080fd5b919050565b6000602082840312156114e457600080fd5b6114ed826114b6565b9392505050565b6000806000806080858703121561150a57600080fd5b611513856114b6565b935060208501359250611528604086016114b6565b9150611536606086016114b6565b905092959194509250565b60008060006060848603121561155657600080fd5b83359250611566602085016114b6565b9150611574604085016114b6565b90509250925092565b600060208083528351808285015260005b818110156115aa5785810183015185820160400152820161158e565b506000604082860101526040601f19601f8301168501019250505092915050565b6020808252602a908201527f536f7274656454726f7665733a204c69737420646f6573206e6f7420636f6e74604082015269185a5b881d1a19481a5960b21b606082015260800190565b60208082526023908201527f536f7274656454726f7665733a204e494352206d75737420626520706f73697460408201526269766560e81b606082015260800190565b6020808252818101527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604082015260600190565b634e487b7160e01b600052601160045260246000fd5b818103818111156116b6576116b661168d565b92915050565b808201808211156116b6576116b661168d565b6000602082840312156116e157600080fd5b505191905056fea2646970667358221220d73754660bbaffef62bff77e05c27438c3f039c9a3e67cc5c96fbd256770ff6964736f6c63430008110033
Loading...
Loading
Loading...
Loading
Multichain Portfolio | 30 Chains
Chain | Token | Portfolio % | Price | Amount | Value |
---|
Loading...
Loading
[ Download: CSV Export ]
A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.