| Transaction Hash |
|
Block
|
From
|
To
|
|||||
|---|---|---|---|---|---|---|---|---|---|
Latest 8 Deposits
| L2 Txn Hash | L1 Deposit Txn | Value | Token | |
|---|---|---|---|---|
| 0x15e3aad6147a532e312ffda7a7eb1082a99c5e1cf5ea9db52fe2d668f011f546 | 16 days ago | 1,606 | ||
| 0x416a191aa865dd1d7e2f932de450092740c764622c8c58d2cea35637506929e7 | 39 days ago | 582 | ||
| 0xfd5969f82f7f23c8e00e664a3d5adecade560bdff68c13597371ced796fe3d3b | 155 days ago | 6,570 | ||
| 0xc4756278e072e141c5c0fc9d88846ffec8b916598c0db42ba32f1b93a59de4b1 | 260 days ago | 5,940 | ||
| 0x5ad757d00af451eb8802844d8ba77527cf31dd08e1e0f7d901ed953f24df5aa7 | 446 days ago | 11,700 | ||
| 0x5d3f86f8cd662455a791e0893ad4b9e07efe4f8054f4375dfe6e7c14b171b560 | 536 days ago | 13,000 | ||
| 0xbb0aa1e5dc9dd466b813b140f5e3e262b502a2b79c122c1a8c17f7c11b8c15ff | 593 days ago | 2,250 | ||
| 0x18df456f975c49d61dbdd914d71a85b1806fab9662db54eba313c027343f0732 | 985 days ago | 12,500 |
Cross-Chain Transactions
Loading...
Loading
Contract Name:
CometRewards
Compiler Version
v0.8.15+commit.e14f2714
Optimization Enabled:
Yes with 1 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
import "./CometInterface.sol";
import "./ERC20.sol";
/**
* @title Compound's CometRewards Contract
* @notice Hold and claim token rewards
* @author Compound
*/
contract CometRewards {
struct RewardConfig {
address token;
uint64 rescaleFactor;
bool shouldUpscale;
// Note: We define new variables after existing variables to keep interface backwards-compatible
uint256 multiplier;
}
struct RewardOwed {
address token;
uint owed;
}
/// @notice The governor address which controls the contract
address public governor;
/// @notice Reward token address per Comet instance
mapping(address => RewardConfig) public rewardConfig;
/// @notice Rewards claimed per Comet instance and user account
mapping(address => mapping(address => uint)) public rewardsClaimed;
/// @dev The scale for factors
uint256 internal constant FACTOR_SCALE = 1e18;
/** Custom events **/
event GovernorTransferred(address indexed oldGovernor, address indexed newGovernor);
event RewardsClaimedSet(address indexed user, address indexed comet, uint256 amount);
event RewardClaimed(address indexed src, address indexed recipient, address indexed token, uint256 amount);
/** Custom errors **/
error AlreadyConfigured(address);
error BadData();
error InvalidUInt64(uint);
error NotPermitted(address);
error NotSupported(address);
error TransferOutFailed(address, uint);
/**
* @notice Construct a new rewards pool
* @param governor_ The governor who will control the contract
*/
constructor(address governor_) {
governor = governor_;
}
/**
* @notice Set the reward token for a Comet instance
* @param comet The protocol instance
* @param token The reward token address
* @param multiplier The multiplier for converting a unit of accrued tracking to a unit of the reward token
*/
function setRewardConfigWithMultiplier(address comet, address token, uint256 multiplier) public {
if (msg.sender != governor) revert NotPermitted(msg.sender);
if (rewardConfig[comet].token != address(0)) revert AlreadyConfigured(comet);
uint64 accrualScale = CometInterface(comet).baseAccrualScale();
uint8 tokenDecimals = ERC20(token).decimals();
uint64 tokenScale = safe64(10 ** tokenDecimals);
if (accrualScale > tokenScale) {
rewardConfig[comet] = RewardConfig({
token: token,
rescaleFactor: accrualScale / tokenScale,
shouldUpscale: false,
multiplier: multiplier
});
} else {
rewardConfig[comet] = RewardConfig({
token: token,
rescaleFactor: tokenScale / accrualScale,
shouldUpscale: true,
multiplier: multiplier
});
}
}
/**
* @notice Set the reward token for a Comet instance
* @param comet The protocol instance
* @param token The reward token address
*/
function setRewardConfig(address comet, address token) external {
setRewardConfigWithMultiplier(comet, token, FACTOR_SCALE);
}
/**
* @notice Set the rewards claimed for a list of users
* @param comet The protocol instance to populate the data for
* @param users The list of users to populate the data for
* @param claimedAmounts The list of claimed amounts to populate the data with
*/
function setRewardsClaimed(address comet, address[] calldata users, uint[] calldata claimedAmounts) external {
if (msg.sender != governor) revert NotPermitted(msg.sender);
if (users.length != claimedAmounts.length) revert BadData();
for (uint i = 0; i < users.length; ) {
rewardsClaimed[comet][users[i]] = claimedAmounts[i];
emit RewardsClaimedSet(users[i], comet, claimedAmounts[i]);
unchecked { i++; }
}
}
/**
* @notice Withdraw tokens from the contract
* @param token The reward token address
* @param to Where to send the tokens
* @param amount The number of tokens to withdraw
*/
function withdrawToken(address token, address to, uint amount) external {
if (msg.sender != governor) revert NotPermitted(msg.sender);
doTransferOut(token, to, amount);
}
/**
* @notice Transfers the governor rights to a new address
* @param newGovernor The address of the new governor
*/
function transferGovernor(address newGovernor) external {
if (msg.sender != governor) revert NotPermitted(msg.sender);
address oldGovernor = governor;
governor = newGovernor;
emit GovernorTransferred(oldGovernor, newGovernor);
}
/**
* @notice Calculates the amount of a reward token owed to an account
* @param comet The protocol instance
* @param account The account to check rewards for
*/
function getRewardOwed(address comet, address account) external returns (RewardOwed memory) {
RewardConfig memory config = rewardConfig[comet];
if (config.token == address(0)) revert NotSupported(comet);
CometInterface(comet).accrueAccount(account);
uint claimed = rewardsClaimed[comet][account];
uint accrued = getRewardAccrued(comet, account, config);
uint owed = accrued > claimed ? accrued - claimed : 0;
return RewardOwed(config.token, owed);
}
/**
* @notice Claim rewards of token type from a comet instance to owner address
* @param comet The protocol instance
* @param src The owner to claim for
* @param shouldAccrue Whether or not to call accrue first
*/
function claim(address comet, address src, bool shouldAccrue) external {
claimInternal(comet, src, src, shouldAccrue);
}
/**
* @notice Claim rewards of token type from a comet instance to a target address
* @param comet The protocol instance
* @param src The owner to claim for
* @param to The address to receive the rewards
*/
function claimTo(address comet, address src, address to, bool shouldAccrue) external {
if (!CometInterface(comet).hasPermission(src, msg.sender)) revert NotPermitted(msg.sender);
claimInternal(comet, src, to, shouldAccrue);
}
/**
* @dev Claim to, assuming permitted
*/
function claimInternal(address comet, address src, address to, bool shouldAccrue) internal {
RewardConfig memory config = rewardConfig[comet];
if (config.token == address(0)) revert NotSupported(comet);
if (shouldAccrue) {
CometInterface(comet).accrueAccount(src);
}
uint claimed = rewardsClaimed[comet][src];
uint accrued = getRewardAccrued(comet, src, config);
if (accrued > claimed) {
uint owed = accrued - claimed;
rewardsClaimed[comet][src] = accrued;
doTransferOut(config.token, to, owed);
emit RewardClaimed(src, to, config.token, owed);
}
}
/**
* @dev Calculates the reward accrued for an account on a Comet deployment
*/
function getRewardAccrued(address comet, address account, RewardConfig memory config) internal view returns (uint) {
uint accrued = CometInterface(comet).baseTrackingAccrued(account);
if (config.shouldUpscale) {
accrued *= config.rescaleFactor;
} else {
accrued /= config.rescaleFactor;
}
return accrued * config.multiplier / FACTOR_SCALE;
}
/**
* @dev Safe ERC20 transfer out
*/
function doTransferOut(address token, address to, uint amount) internal {
bool success = ERC20(token).transfer(to, amount);
if (!success) revert TransferOutFailed(to, amount);
}
/**
* @dev Safe cast to uint64
*/
function safe64(uint n) internal pure returns (uint64) {
if (n > type(uint64).max) revert InvalidUInt64(n);
return uint64(n);
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
/**
* @title Compound's Comet Configuration Interface
* @author Compound
*/
contract CometConfiguration {
struct ExtConfiguration {
bytes32 name32;
bytes32 symbol32;
}
struct Configuration {
address governor;
address pauseGuardian;
address baseToken;
address baseTokenPriceFeed;
address extensionDelegate;
uint64 supplyKink;
uint64 supplyPerYearInterestRateSlopeLow;
uint64 supplyPerYearInterestRateSlopeHigh;
uint64 supplyPerYearInterestRateBase;
uint64 borrowKink;
uint64 borrowPerYearInterestRateSlopeLow;
uint64 borrowPerYearInterestRateSlopeHigh;
uint64 borrowPerYearInterestRateBase;
uint64 storeFrontPriceFactor;
uint64 trackingIndexScale;
uint64 baseTrackingSupplySpeed;
uint64 baseTrackingBorrowSpeed;
uint104 baseMinForRewards;
uint104 baseBorrowMin;
uint104 targetReserves;
AssetConfig[] assetConfigs;
}
struct AssetConfig {
address asset;
address priceFeed;
uint8 decimals;
uint64 borrowCollateralFactor;
uint64 liquidateCollateralFactor;
uint64 liquidationFactor;
uint128 supplyCap;
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
import "./CometConfiguration.sol";
import "./CometStorage.sol";
import "./CometMath.sol";
abstract contract CometCore is CometConfiguration, CometStorage, CometMath {
struct AssetInfo {
uint8 offset;
address asset;
address priceFeed;
uint64 scale;
uint64 borrowCollateralFactor;
uint64 liquidateCollateralFactor;
uint64 liquidationFactor;
uint128 supplyCap;
}
/** Internal constants **/
/// @dev The max number of assets this contract is hardcoded to support
/// Do not change this variable without updating all the fields throughout the contract,
// including the size of UserBasic.assetsIn and corresponding integer conversions.
uint8 internal constant MAX_ASSETS = 15;
/// @dev The max number of decimals base token can have
/// Note this cannot just be increased arbitrarily.
uint8 internal constant MAX_BASE_DECIMALS = 18;
/// @dev The max value for a collateral factor (1)
uint64 internal constant MAX_COLLATERAL_FACTOR = FACTOR_SCALE;
/// @dev Offsets for specific actions in the pause flag bit array
uint8 internal constant PAUSE_SUPPLY_OFFSET = 0;
uint8 internal constant PAUSE_TRANSFER_OFFSET = 1;
uint8 internal constant PAUSE_WITHDRAW_OFFSET = 2;
uint8 internal constant PAUSE_ABSORB_OFFSET = 3;
uint8 internal constant PAUSE_BUY_OFFSET = 4;
/// @dev The decimals required for a price feed
uint8 internal constant PRICE_FEED_DECIMALS = 8;
/// @dev 365 days * 24 hours * 60 minutes * 60 seconds
uint64 internal constant SECONDS_PER_YEAR = 31_536_000;
/// @dev The scale for base tracking accrual
uint64 internal constant BASE_ACCRUAL_SCALE = 1e6;
/// @dev The scale for base index (depends on time/rate scales, not base token)
uint64 internal constant BASE_INDEX_SCALE = 1e15;
/// @dev The scale for prices (in USD)
uint64 internal constant PRICE_SCALE = uint64(10 ** PRICE_FEED_DECIMALS);
/// @dev The scale for factors
uint64 internal constant FACTOR_SCALE = 1e18;
/**
* @notice Determine if the manager has permission to act on behalf of the owner
* @param owner The owner account
* @param manager The manager account
* @return Whether or not the manager has permission
*/
function hasPermission(address owner, address manager) public view returns (bool) {
return owner == manager || isAllowed[owner][manager];
}
/**
* @dev The positive present supply balance if positive or the negative borrow balance if negative
*/
function presentValue(int104 principalValue_) internal view returns (int256) {
if (principalValue_ >= 0) {
return signed256(presentValueSupply(baseSupplyIndex, uint104(principalValue_)));
} else {
return -signed256(presentValueBorrow(baseBorrowIndex, uint104(-principalValue_)));
}
}
/**
* @dev The principal amount projected forward by the supply index
*/
function presentValueSupply(uint64 baseSupplyIndex_, uint104 principalValue_) internal pure returns (uint256) {
return uint256(principalValue_) * baseSupplyIndex_ / BASE_INDEX_SCALE;
}
/**
* @dev The principal amount projected forward by the borrow index
*/
function presentValueBorrow(uint64 baseBorrowIndex_, uint104 principalValue_) internal pure returns (uint256) {
return uint256(principalValue_) * baseBorrowIndex_ / BASE_INDEX_SCALE;
}
/**
* @dev The positive principal if positive or the negative principal if negative
*/
function principalValue(int256 presentValue_) internal view returns (int104) {
if (presentValue_ >= 0) {
return signed104(principalValueSupply(baseSupplyIndex, uint256(presentValue_)));
} else {
return -signed104(principalValueBorrow(baseBorrowIndex, uint256(-presentValue_)));
}
}
/**
* @dev The present value projected backward by the supply index (rounded down)
* Note: This will overflow (revert) at 2^104/1e18=~20 trillion principal for assets with 18 decimals.
*/
function principalValueSupply(uint64 baseSupplyIndex_, uint256 presentValue_) internal pure returns (uint104) {
return safe104((presentValue_ * BASE_INDEX_SCALE) / baseSupplyIndex_);
}
/**
* @dev The present value projected backward by the borrow index (rounded up)
* Note: This will overflow (revert) at 2^104/1e18=~20 trillion principal for assets with 18 decimals.
*/
function principalValueBorrow(uint64 baseBorrowIndex_, uint256 presentValue_) internal pure returns (uint104) {
return safe104((presentValue_ * BASE_INDEX_SCALE + baseBorrowIndex_ - 1) / baseBorrowIndex_);
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
import "./CometCore.sol";
/**
* @title Compound's Comet Ext Interface
* @notice An efficient monolithic money market protocol
* @author Compound
*/
abstract contract CometExtInterface is CometCore {
error BadAmount();
error BadNonce();
error BadSignatory();
error InvalidValueS();
error InvalidValueV();
error SignatureExpired();
function allow(address manager, bool isAllowed) virtual external;
function allowBySig(address owner, address manager, bool isAllowed, uint256 nonce, uint256 expiry, uint8 v, bytes32 r, bytes32 s) virtual external;
function collateralBalanceOf(address account, address asset) virtual external view returns (uint128);
function baseTrackingAccrued(address account) virtual external view returns (uint64);
function baseAccrualScale() virtual external view returns (uint64);
function baseIndexScale() virtual external view returns (uint64);
function factorScale() virtual external view returns (uint64);
function priceScale() virtual external view returns (uint64);
function maxAssets() virtual external view returns (uint8);
function totalsBasic() virtual external view returns (TotalsBasic memory);
function version() virtual external view returns (string memory);
/**
* ===== ERC20 interfaces =====
* Does not include the following functions/events, which are defined in `CometMainInterface` instead:
* - function decimals() virtual external view returns (uint8)
* - function totalSupply() virtual external view returns (uint256)
* - function transfer(address dst, uint amount) virtual external returns (bool)
* - function transferFrom(address src, address dst, uint amount) virtual external returns (bool)
* - function balanceOf(address owner) virtual external view returns (uint256)
* - event Transfer(address indexed from, address indexed to, uint256 amount)
*/
function name() virtual external view returns (string memory);
function symbol() virtual external view returns (string memory);
/**
* @notice Approve `spender` to transfer up to `amount` from `src`
* @dev This will overwrite the approval amount for `spender`
* and is subject to issues noted [here](https://eips.ethereum.org/EIPS/eip-20#approve)
* @param spender The address of the account which may transfer tokens
* @param amount The number of tokens that are approved (-1 means infinite)
* @return Whether or not the approval succeeded
*/
function approve(address spender, uint256 amount) virtual external returns (bool);
/**
* @notice Get the current allowance from `owner` for `spender`
* @param owner The address of the account which owns the tokens to be spent
* @param spender The address of the account which may transfer tokens
* @return The number of tokens allowed to be spent (-1 means infinite)
*/
function allowance(address owner, address spender) virtual external view returns (uint256);
event Approval(address indexed owner, address indexed spender, uint256 amount);
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
import "./CometMainInterface.sol";
import "./CometExtInterface.sol";
/**
* @title Compound's Comet Interface
* @notice An efficient monolithic money market protocol
* @author Compound
*/
abstract contract CometInterface is CometMainInterface, CometExtInterface {}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
import "./CometCore.sol";
/**
* @title Compound's Comet Main Interface (without Ext)
* @notice An efficient monolithic money market protocol
* @author Compound
*/
abstract contract CometMainInterface is CometCore {
error Absurd();
error AlreadyInitialized();
error BadAsset();
error BadDecimals();
error BadDiscount();
error BadMinimum();
error BadPrice();
error BorrowTooSmall();
error BorrowCFTooLarge();
error InsufficientReserves();
error LiquidateCFTooLarge();
error NoSelfTransfer();
error NotCollateralized();
error NotForSale();
error NotLiquidatable();
error Paused();
error SupplyCapExceeded();
error TimestampTooLarge();
error TooManyAssets();
error TooMuchSlippage();
error TransferInFailed();
error TransferOutFailed();
error Unauthorized();
event Supply(address indexed from, address indexed dst, uint amount);
event Transfer(address indexed from, address indexed to, uint amount);
event Withdraw(address indexed src, address indexed to, uint amount);
event SupplyCollateral(address indexed from, address indexed dst, address indexed asset, uint amount);
event TransferCollateral(address indexed from, address indexed to, address indexed asset, uint amount);
event WithdrawCollateral(address indexed src, address indexed to, address indexed asset, uint amount);
/// @notice Event emitted when a borrow position is absorbed by the protocol
event AbsorbDebt(address indexed absorber, address indexed borrower, uint basePaidOut, uint usdValue);
/// @notice Event emitted when a user's collateral is absorbed by the protocol
event AbsorbCollateral(address indexed absorber, address indexed borrower, address indexed asset, uint collateralAbsorbed, uint usdValue);
/// @notice Event emitted when a collateral asset is purchased from the protocol
event BuyCollateral(address indexed buyer, address indexed asset, uint baseAmount, uint collateralAmount);
/// @notice Event emitted when an action is paused/unpaused
event PauseAction(bool supplyPaused, bool transferPaused, bool withdrawPaused, bool absorbPaused, bool buyPaused);
/// @notice Event emitted when reserves are withdrawn by the governor
event WithdrawReserves(address indexed to, uint amount);
function supply(address asset, uint amount) virtual external;
function supplyTo(address dst, address asset, uint amount) virtual external;
function supplyFrom(address from, address dst, address asset, uint amount) virtual external;
function transfer(address dst, uint amount) virtual external returns (bool);
function transferFrom(address src, address dst, uint amount) virtual external returns (bool);
function transferAsset(address dst, address asset, uint amount) virtual external;
function transferAssetFrom(address src, address dst, address asset, uint amount) virtual external;
function withdraw(address asset, uint amount) virtual external;
function withdrawTo(address to, address asset, uint amount) virtual external;
function withdrawFrom(address src, address to, address asset, uint amount) virtual external;
function approveThis(address manager, address asset, uint amount) virtual external;
function withdrawReserves(address to, uint amount) virtual external;
function absorb(address absorber, address[] calldata accounts) virtual external;
function buyCollateral(address asset, uint minAmount, uint baseAmount, address recipient) virtual external;
function quoteCollateral(address asset, uint baseAmount) virtual public view returns (uint);
function getAssetInfo(uint8 i) virtual public view returns (AssetInfo memory);
function getAssetInfoByAddress(address asset) virtual public view returns (AssetInfo memory);
function getCollateralReserves(address asset) virtual public view returns (uint);
function getReserves() virtual public view returns (int);
function getPrice(address priceFeed) virtual public view returns (uint);
function isBorrowCollateralized(address account) virtual public view returns (bool);
function isLiquidatable(address account) virtual public view returns (bool);
function totalSupply() virtual external view returns (uint256);
function totalBorrow() virtual external view returns (uint256);
function balanceOf(address owner) virtual public view returns (uint256);
function borrowBalanceOf(address account) virtual public view returns (uint256);
function pause(bool supplyPaused, bool transferPaused, bool withdrawPaused, bool absorbPaused, bool buyPaused) virtual external;
function isSupplyPaused() virtual public view returns (bool);
function isTransferPaused() virtual public view returns (bool);
function isWithdrawPaused() virtual public view returns (bool);
function isAbsorbPaused() virtual public view returns (bool);
function isBuyPaused() virtual public view returns (bool);
function accrueAccount(address account) virtual external;
function getSupplyRate(uint utilization) virtual public view returns (uint64);
function getBorrowRate(uint utilization) virtual public view returns (uint64);
function getUtilization() virtual public view returns (uint);
function governor() virtual external view returns (address);
function pauseGuardian() virtual external view returns (address);
function baseToken() virtual external view returns (address);
function baseTokenPriceFeed() virtual external view returns (address);
function extensionDelegate() virtual external view returns (address);
/// @dev uint64
function supplyKink() virtual external view returns (uint);
/// @dev uint64
function supplyPerSecondInterestRateSlopeLow() virtual external view returns (uint);
/// @dev uint64
function supplyPerSecondInterestRateSlopeHigh() virtual external view returns (uint);
/// @dev uint64
function supplyPerSecondInterestRateBase() virtual external view returns (uint);
/// @dev uint64
function borrowKink() virtual external view returns (uint);
/// @dev uint64
function borrowPerSecondInterestRateSlopeLow() virtual external view returns (uint);
/// @dev uint64
function borrowPerSecondInterestRateSlopeHigh() virtual external view returns (uint);
/// @dev uint64
function borrowPerSecondInterestRateBase() virtual external view returns (uint);
/// @dev uint64
function storeFrontPriceFactor() virtual external view returns (uint);
/// @dev uint64
function baseScale() virtual external view returns (uint);
/// @dev uint64
function trackingIndexScale() virtual external view returns (uint);
/// @dev uint64
function baseTrackingSupplySpeed() virtual external view returns (uint);
/// @dev uint64
function baseTrackingBorrowSpeed() virtual external view returns (uint);
/// @dev uint104
function baseMinForRewards() virtual external view returns (uint);
/// @dev uint104
function baseBorrowMin() virtual external view returns (uint);
/// @dev uint104
function targetReserves() virtual external view returns (uint);
function numAssets() virtual external view returns (uint8);
function decimals() virtual external view returns (uint8);
function initializeStorage() virtual external;
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
/**
* @title Compound's Comet Math Contract
* @dev Pure math functions
* @author Compound
*/
contract CometMath {
/** Custom errors **/
error InvalidUInt64();
error InvalidUInt104();
error InvalidUInt128();
error InvalidInt104();
error InvalidInt256();
error NegativeNumber();
function safe64(uint n) internal pure returns (uint64) {
if (n > type(uint64).max) revert InvalidUInt64();
return uint64(n);
}
function safe104(uint n) internal pure returns (uint104) {
if (n > type(uint104).max) revert InvalidUInt104();
return uint104(n);
}
function safe128(uint n) internal pure returns (uint128) {
if (n > type(uint128).max) revert InvalidUInt128();
return uint128(n);
}
function signed104(uint104 n) internal pure returns (int104) {
if (n > uint104(type(int104).max)) revert InvalidInt104();
return int104(n);
}
function signed256(uint256 n) internal pure returns (int256) {
if (n > uint256(type(int256).max)) revert InvalidInt256();
return int256(n);
}
function unsigned104(int104 n) internal pure returns (uint104) {
if (n < 0) revert NegativeNumber();
return uint104(n);
}
function unsigned256(int256 n) internal pure returns (uint256) {
if (n < 0) revert NegativeNumber();
return uint256(n);
}
function toUInt8(bool x) internal pure returns (uint8) {
return x ? 1 : 0;
}
function toBool(uint8 x) internal pure returns (bool) {
return x != 0;
}
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
/**
* @title Compound's Comet Storage Interface
* @dev Versions can enforce append-only storage slots via inheritance.
* @author Compound
*/
contract CometStorage {
// 512 bits total = 2 slots
struct TotalsBasic {
// 1st slot
uint64 baseSupplyIndex;
uint64 baseBorrowIndex;
uint64 trackingSupplyIndex;
uint64 trackingBorrowIndex;
// 2nd slot
uint104 totalSupplyBase;
uint104 totalBorrowBase;
uint40 lastAccrualTime;
uint8 pauseFlags;
}
struct TotalsCollateral {
uint128 totalSupplyAsset;
uint128 _reserved;
}
struct UserBasic {
int104 principal;
uint64 baseTrackingIndex;
uint64 baseTrackingAccrued;
uint16 assetsIn;
uint8 _reserved;
}
struct UserCollateral {
uint128 balance;
uint128 _reserved;
}
struct LiquidatorPoints {
uint32 numAbsorbs;
uint64 numAbsorbed;
uint128 approxSpend;
uint32 _reserved;
}
/// @dev Aggregate variables tracked for the entire market
uint64 internal baseSupplyIndex;
uint64 internal baseBorrowIndex;
uint64 internal trackingSupplyIndex;
uint64 internal trackingBorrowIndex;
uint104 internal totalSupplyBase;
uint104 internal totalBorrowBase;
uint40 internal lastAccrualTime;
uint8 internal pauseFlags;
/// @notice Aggregate variables tracked for each collateral asset
mapping(address => TotalsCollateral) public totalsCollateral;
/// @notice Mapping of users to accounts which may be permitted to manage the user account
mapping(address => mapping(address => bool)) public isAllowed;
/// @notice The next expected nonce for an address, for validating authorizations via signature
mapping(address => uint) public userNonce;
/// @notice Mapping of users to base principal and other basic data
mapping(address => UserBasic) public userBasic;
/// @notice Mapping of users to collateral data per collateral asset
mapping(address => mapping(address => UserCollateral)) public userCollateral;
/// @notice Mapping of magic liquidator points
mapping(address => LiquidatorPoints) public liquidatorPoints;
}// SPDX-License-Identifier: BUSL-1.1
pragma solidity 0.8.15;
/**
* @title ERC 20 Token Standard Interface
* https://eips.ethereum.org/EIPS/eip-20
*/
interface ERC20 {
function name() external view returns (string memory);
function symbol() external view returns (string memory);
function decimals() external view returns (uint8);
/**
* @notice Get the total number of tokens in circulation
* @return The supply of tokens
*/
function totalSupply() external view returns (uint256);
/**
* @notice Gets the balance of the specified address
* @param owner The address from which the balance will be retrieved
* @return The balance
*/
function balanceOf(address owner) external view returns (uint256);
/**
* @notice Transfer `amount` tokens from `msg.sender` to `dst`
* @param dst The address of the destination account
* @param amount The number of tokens to transfer
* @return Whether or not the transfer succeeded
*/
function transfer(address dst, uint256 amount) external returns (bool);
/**
* @notice Transfer `amount` tokens from `src` to `dst`
* @param src The address of the source account
* @param dst The address of the destination account
* @param amount The number of tokens to transfer
* @return Whether or not the transfer succeeded
*/
function transferFrom(address src, address dst, uint256 amount) external returns (bool);
/**
* @notice Approve `spender` to transfer up to `amount` from `src`
* @dev This will overwrite the approval amount for `spender`
* and is subject to issues noted [here](https://eips.ethereum.org/EIPS/eip-20#approve)
* @param spender The address of the account which may transfer tokens
* @param amount The number of tokens that are approved (-1 means infinite)
* @return Whether or not the approval succeeded
*/
function approve(address spender, uint256 amount) external returns (bool);
/**
* @notice Get the current allowance from `owner` for `spender`
* @param owner The address of the account which owns the tokens to be spent
* @param spender The address of the account which may transfer tokens
* @return The number of tokens allowed to be spent (-1 means infinite)
*/
function allowance(address owner, address spender) external view returns (uint256);
event Transfer(address indexed from, address indexed to, uint256 amount);
event Approval(address indexed owner, address indexed spender, uint256 amount);
}{
"optimizer": {
"enabled": true,
"runs": 1,
"details": {
"yulDetails": {
"optimizerSteps": "dhfoDgvulfnTUtnIf [xa[r]scLM cCTUtTOntnfDIul Lcul Vcul [j] Tpeul xa[rul] xa[r]cL gvif CTUca[r]LsTOtfDnca[r]Iulc] jmul[jul] VcTOcul jmul"
}
}
},
"outputSelection": {
"*": {
"*": [
"evm.bytecode",
"evm.deployedBytecode",
"devdoc",
"userdoc",
"metadata",
"abi"
]
}
},
"viaIR": true,
"libraries": {}
}Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
Contract ABI
API[{"inputs":[{"internalType":"address","name":"governor_","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"AlreadyConfigured","type":"error"},{"inputs":[],"name":"BadData","type":"error"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"InvalidUInt64","type":"error"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"NotPermitted","type":"error"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"NotSupported","type":"error"},{"inputs":[{"internalType":"address","name":"","type":"address"},{"internalType":"uint256","name":"","type":"uint256"}],"name":"TransferOutFailed","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"oldGovernor","type":"address"},{"indexed":true,"internalType":"address","name":"newGovernor","type":"address"}],"name":"GovernorTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"src","type":"address"},{"indexed":true,"internalType":"address","name":"recipient","type":"address"},{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"RewardClaimed","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":true,"internalType":"address","name":"comet","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"RewardsClaimedSet","type":"event"},{"inputs":[{"internalType":"address","name":"comet","type":"address"},{"internalType":"address","name":"src","type":"address"},{"internalType":"bool","name":"shouldAccrue","type":"bool"}],"name":"claim","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"comet","type":"address"},{"internalType":"address","name":"src","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"bool","name":"shouldAccrue","type":"bool"}],"name":"claimTo","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"comet","type":"address"},{"internalType":"address","name":"account","type":"address"}],"name":"getRewardOwed","outputs":[{"components":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"owed","type":"uint256"}],"internalType":"struct CometRewards.RewardOwed","name":"","type":"tuple"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"governor","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"rewardConfig","outputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"uint64","name":"rescaleFactor","type":"uint64"},{"internalType":"bool","name":"shouldUpscale","type":"bool"},{"internalType":"uint256","name":"multiplier","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"},{"internalType":"address","name":"","type":"address"}],"name":"rewardsClaimed","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"comet","type":"address"},{"internalType":"address","name":"token","type":"address"}],"name":"setRewardConfig","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"comet","type":"address"},{"internalType":"address","name":"token","type":"address"},{"internalType":"uint256","name":"multiplier","type":"uint256"}],"name":"setRewardConfigWithMultiplier","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"comet","type":"address"},{"internalType":"address[]","name":"users","type":"address[]"},{"internalType":"uint256[]","name":"claimedAmounts","type":"uint256[]"}],"name":"setRewardsClaimed","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newGovernor","type":"address"}],"name":"transferGovernor","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"withdrawToken","outputs":[],"stateMutability":"nonpayable","type":"function"}]Contract Creation Code
6080806040523461007857601f610e2538819003918201601f19168301916001600160401b0383118484101761007d5780849260209460405283398101031261007857516001600160a01b0381169081900361007857600080546001600160a01b031916919091179055604051610d9190816100948239f35b600080fd5b634e487b7160e01b600052604160045260246000fdfe6080604081815260048036101561001557600080fd5b600092833560e01c90816301e336671461066c575080630c340a24146106445780632289b6b8146105d757806341e0cad61461046c5780634ff85d941461038a5780636394f1611461024457806365e12392146101f357806395e36d2c146101b0578063b7034f7e14610169578063b8cc9ce6146100e55763cdc0ca091461009c57600080fd5b346100e15760603660031901126100dc576001600160a01b03903581811681036100dc5760243591821682036100dc576100d99160443591610786565b51f35b600080fd5b8280fd5b5090346100e15760203660031901126100e15781356001600160a01b0381811692918390036100dc5784549081169384330361015257506001600160a01b0319168217845551917f6fadb1c244276388aee22be93b919985a18748c021e5d48553957a48101a25608484a3f35b6024908351906319b1d90760e31b82523390820152fd5b50346100e15760603660031901126100e157356001600160a01b0380821682036100dc5760243590811681036100dc576044359081151582036100dc57806100d993610a68565b50346100e157816003193601126100e1576001600160a01b03903581811681036100dc5760243591821682036100dc576100d991670de0b6b3a764000091610786565b50346100e157816003193601126100e1576001600160a01b039035818116908190036100dc576024359182168092036100dc5783839160209552600285522090600052825280600020549051908152f35b50919034610386576060366003190112610386576001600160a01b038335818116908190036100dc576001600160401b03916024358381116103825761028d90369088016106d0565b96909360443590811161037e576102a790369083016106d0565b9091838854163303610367578189036103595750865b8881106102c957878751f35b84886102d68385876109f5565b3582825283878d8c6020956002875220926102f1918d6109f5565b6102fa90610a1b565b1660005282528960002055610310838c8a6109f5565b61031990610a1b565b866103258587896109f5565b35918b5192835216917f8bd30d9ed3a8b430389fd4df14d7791abf777bfc8b82909777ea0a1ca271ac0d91a36001016102bd565b865163a554dcdf60e01b8152fd5b6024908751906319b1d90760e31b82523390820152fd5b8680fd5b8580fd5b5080fd5b50919034610386576080366003190112610386578235926001600160a01b03808516918286036100dc5760243590828216938483036100dc5760443593841684036100dc576064359485151586036100dc57602090604488518094819363cde6804160e01b8352878301523360248301525afa908115610462578791610434575b501561041d57506100d9939495610a68565b6024908551906319b1d90760e31b82523390820152fd5b610455915060203d811161045b575b61044d8183610700565b810190610a50565b3861040b565b503d610443565b86513d89823e3d90fd5b50346100e157816003193601126100e1578035926001600160a01b0390818516908186036105d45760243595838716968781036100e157869760019751966104b48a89610700565b848852846020809901528585528888528985208a51998a916104d7608084610700565b60ff81548b81168095528d8d858060401b038360a01c1691015260e01c1615158d8d0152015460608b0152156105bd57853b156105b957895163bfe69c8d60e01b81529081018290528481602481838a5af180156105af579089939291610599575b50849561055a94955260028852898620906000528752886000205493610be8565b818111156105915761056c9250610a2f565b925b51169181845161057e8682610700565b8481520190815283519283525190820152f35b50509261056e565b946105a88161055a9697610700565b9493610539565b8a513d87823e3d90fd5b8480fd5b8951634e2c71db60e11b8152908101869052602490fd5b80fd5b50346100e15760203660031901126100e1576001600160a01b039190358281169081900361064057838291608095526001602052209060ff60018354930154928251948116855260018060401b038160a01c16602086015260e01c161515908301526060820152f35b8380fd5b505034610386578160031936011261038657905490516001600160a01b039091168152602090f35b91905034610640576060366003190112610640578035916001600160a01b039182841684036103825760243592808416840361037e5786541633036106bb575050906100d99160443591610cd4565b6319b1d90760e31b8252339082015260249150fd5b9181601f840112156100dc578235916001600160401b0383116100dc576020808501948460051b0101116100dc57565b601f909101601f19168101906001600160401b0382119082101761072357604052565b634e487b7160e01b600052604160045260246000fd5b908160209103126100dc57516001600160401b03811681036100dc5790565b6001600160401b039182169190821561077057160490565b634e487b7160e01b600052601260045260246000fd5b9160018060a01b03916000938385541633036109dd5783168085526001936020958587526040908282822054166109c55781516351076acb60e11b8152948886600481885afa9586156109bb57829661098a575b50831697825163313ce56760e01b815281816004818d5afa8015610980578390610948575b60ff915016604d8111610934576001600160401b039690600a0a87811161091e5790878a9392169081898216116000146108a9579061083d91610758565b9684519a61084c60808d610700565b8b52909616868a01908152838a0183815260608b0198895295835295522095518654935192516001600160e81b031990941691161760a09190911b600160a01b600160e01b03161790151560e01b60ff60e01b1617835551910155565b6108b291610758565b9684519a6108c160808d610700565b8b52909616868a01908152838a0182815260608b0198895295835295522095518654935192516001600160e81b031990941691161760a09190911b600160a01b600160e01b03161790151560e01b60ff60e01b1617835551910155565b602490855190624809a360e21b82526004820152fd5b634e487b7160e01b83526011600452602483fd5b508181813d8311610979575b61095e8183610700565b810103126100e1575160ff811681036100e15760ff906107ff565b503d610954565b84513d85823e3d90fd5b849196506109ad908a3d8c116109b4575b6109a58183610700565b810190610739565b95906107da565b503d61099b565b83513d84823e3d90fd5b8151633a4406b560e01b815260048101859052602490fd5b6040516319b1d90760e31b8152336004820152602490fd5b9190811015610a055760051b0190565b634e487b7160e01b600052603260045260246000fd5b356001600160a01b03811681036100dc5790565b818110610a3a570390565b634e487b7160e01b600052601160045260246000fd5b908160209103126100dc575180151581036100dc5790565b600060018060a01b03808316948583526020926001845260409788822090895191610a94608084610700565b600181549160ff88841693848752838060401b038160a01c168b88015260e01c1615158d8601520154606084015215610bbd57610b6c575b87825260028552610af0818a842098868116998a60005288528b6000205498610be8565b868111610b04575b50505050505050505050565b898593610b327f2422cac5e23c46c890fdcf42d0c64757409df6832174df639337558f09d99c689984610a2f565b9a815260028852208860005286528960002055610b53888484845116610cd4565b511696519586521693a438808080808080808080610af8565b90873b156105d457885163bfe69c8d60e01b815287851660048201528181602481838d5af18015610bb357610ba3575b5090610acc565b81610bad91610700565b38610b9c565b8a513d84823e3d90fd5b8951634e2c71db60e11b8152600481018a9052602490fd5b8060001904821181151516610a3a570290565b604051632ae6e9fd60e21b81526001600160a01b039283166004820152929160209184916024918391165afa918215610cad57600092610c8d575b5060408101516001600160401b03928316929015610c6957906060610c5b670de0b6b3a764000094610c659460208501511690610bd5565b915b015190610bd5565b0490565b602082015116908115610770576060610c6592670de0b6b3a7640000940491610c5d565b610ca691925060203d81116109b4576109a58183610700565b9038610c23565b6040513d6000823e3d90fd5b6001600160a01b039091168152602081019190915260400190565b6020604051809263a9059cbb60e01b825281600081610cf7898960048401610cb9565b03926001600160a01b03165af1908115610cad57600091610d3d575b5015610d1d575050565b610d3960405192839263701ed0db60e01b845260048401610cb9565b0390fd5b610d55915060203d811161045b5761044d8183610700565b38610d1356fea26469706673582212200192a1f4804032057870e7e3c398a4b66267ea539ab666e98f83681592c029dd64736f6c634300080f00330000000000000000000000006103db328d4864dc16bd2f0ee1b9a92e3f87f915
Deployed Bytecode
0x6080604081815260048036101561001557600080fd5b600092833560e01c90816301e336671461066c575080630c340a24146106445780632289b6b8146105d757806341e0cad61461046c5780634ff85d941461038a5780636394f1611461024457806365e12392146101f357806395e36d2c146101b0578063b7034f7e14610169578063b8cc9ce6146100e55763cdc0ca091461009c57600080fd5b346100e15760603660031901126100dc576001600160a01b03903581811681036100dc5760243591821682036100dc576100d99160443591610786565b51f35b600080fd5b8280fd5b5090346100e15760203660031901126100e15781356001600160a01b0381811692918390036100dc5784549081169384330361015257506001600160a01b0319168217845551917f6fadb1c244276388aee22be93b919985a18748c021e5d48553957a48101a25608484a3f35b6024908351906319b1d90760e31b82523390820152fd5b50346100e15760603660031901126100e157356001600160a01b0380821682036100dc5760243590811681036100dc576044359081151582036100dc57806100d993610a68565b50346100e157816003193601126100e1576001600160a01b03903581811681036100dc5760243591821682036100dc576100d991670de0b6b3a764000091610786565b50346100e157816003193601126100e1576001600160a01b039035818116908190036100dc576024359182168092036100dc5783839160209552600285522090600052825280600020549051908152f35b50919034610386576060366003190112610386576001600160a01b038335818116908190036100dc576001600160401b03916024358381116103825761028d90369088016106d0565b96909360443590811161037e576102a790369083016106d0565b9091838854163303610367578189036103595750865b8881106102c957878751f35b84886102d68385876109f5565b3582825283878d8c6020956002875220926102f1918d6109f5565b6102fa90610a1b565b1660005282528960002055610310838c8a6109f5565b61031990610a1b565b866103258587896109f5565b35918b5192835216917f8bd30d9ed3a8b430389fd4df14d7791abf777bfc8b82909777ea0a1ca271ac0d91a36001016102bd565b865163a554dcdf60e01b8152fd5b6024908751906319b1d90760e31b82523390820152fd5b8680fd5b8580fd5b5080fd5b50919034610386576080366003190112610386578235926001600160a01b03808516918286036100dc5760243590828216938483036100dc5760443593841684036100dc576064359485151586036100dc57602090604488518094819363cde6804160e01b8352878301523360248301525afa908115610462578791610434575b501561041d57506100d9939495610a68565b6024908551906319b1d90760e31b82523390820152fd5b610455915060203d811161045b575b61044d8183610700565b810190610a50565b3861040b565b503d610443565b86513d89823e3d90fd5b50346100e157816003193601126100e1578035926001600160a01b0390818516908186036105d45760243595838716968781036100e157869760019751966104b48a89610700565b848852846020809901528585528888528985208a51998a916104d7608084610700565b60ff81548b81168095528d8d858060401b038360a01c1691015260e01c1615158d8d0152015460608b0152156105bd57853b156105b957895163bfe69c8d60e01b81529081018290528481602481838a5af180156105af579089939291610599575b50849561055a94955260028852898620906000528752886000205493610be8565b818111156105915761056c9250610a2f565b925b51169181845161057e8682610700565b8481520190815283519283525190820152f35b50509261056e565b946105a88161055a9697610700565b9493610539565b8a513d87823e3d90fd5b8480fd5b8951634e2c71db60e11b8152908101869052602490fd5b80fd5b50346100e15760203660031901126100e1576001600160a01b039190358281169081900361064057838291608095526001602052209060ff60018354930154928251948116855260018060401b038160a01c16602086015260e01c161515908301526060820152f35b8380fd5b505034610386578160031936011261038657905490516001600160a01b039091168152602090f35b91905034610640576060366003190112610640578035916001600160a01b039182841684036103825760243592808416840361037e5786541633036106bb575050906100d99160443591610cd4565b6319b1d90760e31b8252339082015260249150fd5b9181601f840112156100dc578235916001600160401b0383116100dc576020808501948460051b0101116100dc57565b601f909101601f19168101906001600160401b0382119082101761072357604052565b634e487b7160e01b600052604160045260246000fd5b908160209103126100dc57516001600160401b03811681036100dc5790565b6001600160401b039182169190821561077057160490565b634e487b7160e01b600052601260045260246000fd5b9160018060a01b03916000938385541633036109dd5783168085526001936020958587526040908282822054166109c55781516351076acb60e11b8152948886600481885afa9586156109bb57829661098a575b50831697825163313ce56760e01b815281816004818d5afa8015610980578390610948575b60ff915016604d8111610934576001600160401b039690600a0a87811161091e5790878a9392169081898216116000146108a9579061083d91610758565b9684519a61084c60808d610700565b8b52909616868a01908152838a0183815260608b0198895295835295522095518654935192516001600160e81b031990941691161760a09190911b600160a01b600160e01b03161790151560e01b60ff60e01b1617835551910155565b6108b291610758565b9684519a6108c160808d610700565b8b52909616868a01908152838a0182815260608b0198895295835295522095518654935192516001600160e81b031990941691161760a09190911b600160a01b600160e01b03161790151560e01b60ff60e01b1617835551910155565b602490855190624809a360e21b82526004820152fd5b634e487b7160e01b83526011600452602483fd5b508181813d8311610979575b61095e8183610700565b810103126100e1575160ff811681036100e15760ff906107ff565b503d610954565b84513d85823e3d90fd5b849196506109ad908a3d8c116109b4575b6109a58183610700565b810190610739565b95906107da565b503d61099b565b83513d84823e3d90fd5b8151633a4406b560e01b815260048101859052602490fd5b6040516319b1d90760e31b8152336004820152602490fd5b9190811015610a055760051b0190565b634e487b7160e01b600052603260045260246000fd5b356001600160a01b03811681036100dc5790565b818110610a3a570390565b634e487b7160e01b600052601160045260246000fd5b908160209103126100dc575180151581036100dc5790565b600060018060a01b03808316948583526020926001845260409788822090895191610a94608084610700565b600181549160ff88841693848752838060401b038160a01c168b88015260e01c1615158d8601520154606084015215610bbd57610b6c575b87825260028552610af0818a842098868116998a60005288528b6000205498610be8565b868111610b04575b50505050505050505050565b898593610b327f2422cac5e23c46c890fdcf42d0c64757409df6832174df639337558f09d99c689984610a2f565b9a815260028852208860005286528960002055610b53888484845116610cd4565b511696519586521693a438808080808080808080610af8565b90873b156105d457885163bfe69c8d60e01b815287851660048201528181602481838d5af18015610bb357610ba3575b5090610acc565b81610bad91610700565b38610b9c565b8a513d84823e3d90fd5b8951634e2c71db60e11b8152600481018a9052602490fd5b8060001904821181151516610a3a570290565b604051632ae6e9fd60e21b81526001600160a01b039283166004820152929160209184916024918391165afa918215610cad57600092610c8d575b5060408101516001600160401b03928316929015610c6957906060610c5b670de0b6b3a764000094610c659460208501511690610bd5565b915b015190610bd5565b0490565b602082015116908115610770576060610c6592670de0b6b3a7640000940491610c5d565b610ca691925060203d81116109b4576109a58183610700565b9038610c23565b6040513d6000823e3d90fd5b6001600160a01b039091168152602081019190915260400190565b6020604051809263a9059cbb60e01b825281600081610cf7898960048401610cb9565b03926001600160a01b03165af1908115610cad57600091610d3d575b5015610d1d575050565b610d3960405192839263701ed0db60e01b845260048401610cb9565b0390fd5b610d55915060203d811161045b5761044d8183610700565b38610d1356fea26469706673582212200192a1f4804032057870e7e3c398a4b66267ea539ab666e98f83681592c029dd64736f6c634300080f0033
Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)
0000000000000000000000006103db328d4864dc16bd2f0ee1b9a92e3f87f915
-----Decoded View---------------
Arg [0] : governor_ (address): 0x6103DB328d4864dc16BD2F0eE1B9A92e3F87f915
-----Encoded View---------------
1 Constructor Arguments found :
Arg [0] : 0000000000000000000000006103db328d4864dc16bd2f0ee1b9a92e3f87f915
Loading...
Loading
Loading...
Loading
Loading...
Loading
Net Worth in USD
$33,984.55
Net Worth in ETH
11.500688
Token Allocations
COMP
100.00%
Multichain Portfolio | 35 Chains
| Chain | Token | Portfolio % | Price | Amount | Value |
|---|---|---|---|---|---|
| ARB | 100.00% | $23.91 | 1,421.3531 | $33,984.55 |
Loading...
Loading
Loading...
Loading
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.