Overview
ETH Balance
0 ETH
Eth Value
$0.00More Info
Private Name Tags
ContractCreator
TokenTracker
View more zero value Internal Transactions in Advanced View mode
Advanced mode:
Loading...
Loading
Contract Name:
BLendingToken
Compiler Version
v0.8.19+commit.7dd6d404
Optimization Enabled:
Yes with 200 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; import "./BErc20.sol"; import "./../bondtroller/Bondtroller.sol"; import "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol"; import "@openzeppelin/contracts-upgradeable/access/AccessControlUpgradeable.sol"; /** * @title BLendingToken * @notice The BLendingToken contract */ contract BLendingToken is Initializable, BErc20, AccessControlUpgradeable { bytes32 public constant MODERATOR_ROLE = keccak256("MODERATOR_ROLE"); address public primaryLendingPlatform; /** * @dev Emitted when the primary lending platform is set. * @param oldPrimaryLendingPlatform The address of the old primary lending platform. * @param newPrimaryLendingPlatform The address of the new primary lending platform. */ event SetPrimaryLendingPlatform(address indexed oldPrimaryLendingPlatform, address indexed newPrimaryLendingPlatform); /** * @dev Initializes the bToken contract with the given parameters. * @param underlying_ The address of the underlying asset contract. * @param bondtroller_ The address of the Bondtroller contract. * @param interestRateModel_ The address of the interest rate model contract. * @param initialExchangeRateMantissa_ The initial exchange rate mantissa for the bToken contract. * @param name_ The name of the bToken contract. * @param symbol_ The symbol of the bToken contract. * @param decimals_ The number of decimals for the bToken contract. * @param admin_ The address of the admin for the bToken contract. */ function init( address underlying_, Bondtroller bondtroller_, InterestRateModel interestRateModel_, uint256 initialExchangeRateMantissa_, string memory name_, string memory symbol_, uint8 decimals_, address admin_ ) public initializer { __AccessControl_init(); _setupRole(DEFAULT_ADMIN_ROLE, admin_); _setupRole(MODERATOR_ROLE, admin_); admin = payable(msg.sender); super.initialize(underlying_, bondtroller_, interestRateModel_, initialExchangeRateMantissa_, name_, symbol_, decimals_); admin = payable(admin_); } /** * @dev Modifier to check if the caller has the DEFAULT_ADMIN_ROLE. */ modifier onlyAdmin() { require(hasRole(DEFAULT_ADMIN_ROLE, msg.sender), "msg.sender not admin!"); _; } /** * @dev Modifier to restrict access to functions that can only be called by the primary lending platform. */ modifier onlyPrimaryLendingPlatform() { require(msg.sender == primaryLendingPlatform); _; } /********************** ADMIN FUNCTIONS ********************** */ /** * @dev Sets the primary lending platform for the BLendingToken contract. * @param _primaryLendingPlatform The address of the primary lending platform to be set. */ function setPrimaryLendingPlatform(address _primaryLendingPlatform) public onlyAdmin { require(primaryLendingPlatform == address(0), "BLendingToken: primary index token is set"); emit SetPrimaryLendingPlatform(primaryLendingPlatform, _primaryLendingPlatform); primaryLendingPlatform = _primaryLendingPlatform; } /** * @dev Grants the `MODERATOR_ROLE` to a new address. * @param newModerator The address to grant the `MODERATOR_ROLE` to. */ function grantModerator(address newModerator) public onlyAdmin { grantRole(MODERATOR_ROLE, newModerator); } /** * @dev Revokes the moderator role from the specified address. * @param moderator The address of the moderator to revoke the role from. */ function revokeModerator(address moderator) public onlyAdmin { revokeRole(MODERATOR_ROLE, moderator); } /** * @dev Transfers the adminship to a new address. * @param newAdmin The address of the new admin. */ function transferAdminship(address payable newAdmin) public onlyAdmin { require(newAdmin != address(0), "BLendingToken: newAdmin==0"); grantRole(DEFAULT_ADMIN_ROLE, newAdmin); revokeRole(DEFAULT_ADMIN_ROLE, msg.sender); admin = newAdmin; } /********************** END ADMIN FUNCTIONS ********************** */ /********************** MODERATOR FUNCTIONS ********************** */ /** * @dev Returns true if the specified account has the moderator role. * @param account The address to check for the moderator role. * @return A boolean indicating whether the account has the moderator role or not. */ function hasRoleModerator(address account) public view override returns (bool) { return hasRole(MODERATOR_ROLE, account); } /********************** END MODERATOR FUNCTIONS ********************** */ /** * @dev Mints new tokens to the specified minter address. * @param minter The address of the minter. * @param mintAmount The amount of tokens to mint. * @return err An error code (0 if successful). * @return mintedAmount The amount of tokens that were minted. */ function mintTo(address minter, uint256 mintAmount) external onlyPrimaryLendingPlatform returns (uint256 err, uint256 mintedAmount) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted borrow failed return (fail(Error(error), FailureInfo.MINT_ACCRUE_INTEREST_FAILED), 0); } (err, mintedAmount) = mintFresh(minter, mintAmount); require(err == 0, "BLendingToken: err is not zero!"); require(mintedAmount > 0, "BLendingToken: minted amount is zero!"); } /** * @dev Redeems `redeemTokens` amount of bTokens for underlying assets to the `redeemer` address. * Only the primary lending platform can call this function. * @param redeemer The address of the account that will receive the underlying assets. * @param redeemTokens The amount of bTokens to be redeemed. * @return redeemErr An error code corresponding to the success or failure of the redemption operation. */ function redeemTo(address redeemer, uint256 redeemTokens) external onlyPrimaryLendingPlatform returns (uint256 redeemErr) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted redeem failed return fail(Error(error), FailureInfo.REDEEM_ACCRUE_INTEREST_FAILED); } // redeemFresh emits redeem-specific logs on errors, so we don't need to //return redeemFresh(payable(msg.sender), redeemTokens, 0); redeemErr = redeemFresh(payable(redeemer), redeemTokens, 0); } /** * @dev Redeems `redeemAmount` of bTokens for underlying asset and transfers them to `redeemer`. * Only the primary lending platform can call this function. * @param redeemer The address of the account that will receive the underlying asset. * @param redeemAmount The amount of bTokens to redeem for underlying asset. * @return redeemUnderlyingError An error code corresponding to the success or failure of the redeem operation. */ function redeemUnderlyingTo(address redeemer, uint256 redeemAmount) external onlyPrimaryLendingPlatform returns (uint256 redeemUnderlyingError) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted redeem failed return fail(Error(error), FailureInfo.REDEEM_ACCRUE_INTEREST_FAILED); } // redeemFresh emits redeem-specific logs on errors, so we don't need to redeemUnderlyingError = redeemFresh(payable(redeemer), 0, redeemAmount); } /** * @dev Allows the primary lending platform to borrow tokens on behalf of a borrower. * @param borrower The address of the borrower. * @param borrowAmount The amount of tokens to be borrowed. * @return borrowError The error code (if any) returned by the borrowFresh function. */ function borrowTo(address borrower, uint256 borrowAmount) external onlyPrimaryLendingPlatform returns (uint256 borrowError) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted borrow failed return fail(Error(error), FailureInfo.BORROW_ACCRUE_INTEREST_FAILED); } // borrowFresh emits borrow-specific logs on errors, so we don't need to borrowError = borrowFresh(payable(borrower), borrowAmount); } /** * @dev Repays a specified amount of the calling user's borrow balance to a borrower. * Only callable by the primary lending platform. * @param payer The address of the account that will be paying the borrow balance. * @param borrower The address of the account with the borrow balance being repaid. * @param repayAmount The amount of the borrow balance to repay. * @return repayBorrowError The error code corresponding to the success or failure of the repay borrow operation. * @return amountRepaid The actual amount repaid, which may be less than the specified `repayAmount` if there is not enough balance available to repay. */ function repayTo( address payer, address borrower, uint256 repayAmount ) external onlyPrimaryLendingPlatform returns (uint256 repayBorrowError, uint256 amountRepaid) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted borrow failed return (fail(Error(error), FailureInfo.REPAY_BORROW_ACCRUE_INTEREST_FAILED), 0); } // repayBorrowFresh emits repay-borrow-specific logs on errors, so we don't need to (repayBorrowError, amountRepaid) = repayBorrowFresh(payer, borrower, repayAmount); } /** * @dev Calculates the estimated borrow index based on the current borrow interest rate and the number of blocks elapsed since the last accrual. * @return The estimated borrow index as a uint256 value. */ function getEstimatedBorrowIndex() public view returns (uint256) { /* Remember the initial block number */ uint256 currentBlockNumber = getBlockNumber(); uint256 accrualBlockNumberPrior = accrualBlockNumber; /* Short-circuit accumulating 0 interest */ if (accrualBlockNumberPrior == currentBlockNumber) { return uint256(Error.NO_ERROR); } /* Read the previous values out of storage */ uint256 cashPrior = getCashPrior(); uint256 borrowsPrior = totalBorrows; uint256 reservesPrior = totalReserves; uint256 borrowIndexPrior = borrowIndex; /* Calculate the current borrow interest rate */ uint256 borrowRateMantissa = interestRateModel.getBorrowRate(cashPrior, borrowsPrior, reservesPrior, address(this)); require(borrowRateMantissa <= borrowRateMaxMantissa, "borrow rate is absurdly high"); /* Calculate the number of blocks elapsed since the last accrual */ (MathError mathErr, uint256 blockDelta) = subUInt(currentBlockNumber, accrualBlockNumberPrior); require(mathErr == MathError.NO_ERROR, "BLendingToken: Could not calculate block delta"); /* * Calculate the interest accumulated into borrows and reserves and the new index: * simpleInterestFactor = borrowRate * blockDelta * interestAccumulated = simpleInterestFactor * totalBorrows * totalBorrowsNew = interestAccumulated + totalBorrows * totalReservesNew = interestAccumulated * reserveFactor + totalReserves * borrowIndexNew = simpleInterestFactor * borrowIndex + borrowIndex */ Exp memory simpleInterestFactor; // uint256 interestAccumulated; // uint256 totalBorrowsNew; // uint256 totalReservesNew; uint256 borrowIndexNew; (mathErr, simpleInterestFactor) = mulScalar(Exp({mantissa: borrowRateMantissa}), blockDelta); if (mathErr != MathError.NO_ERROR) { return 0; } // (mathErr, interestAccumulated) = mulScalarTruncate(simpleInterestFactor, borrowsPrior); // if (mathErr != MathError.NO_ERROR) { // return 0; // } // (mathErr, totalBorrowsNew) = addUInt(interestAccumulated, borrowsPrior); // if (mathErr != MathError.NO_ERROR) { // return 0; // } // (mathErr, totalReservesNew) = mulScalarTruncateAddUInt(Exp({mantissa: reserveFactorMantissa}), interestAccumulated, reservesPrior); // if (mathErr != MathError.NO_ERROR) { // return 0; // } (mathErr, borrowIndexNew) = mulScalarTruncateAddUInt(simpleInterestFactor, borrowIndexPrior, borrowIndexPrior); if (mathErr != MathError.NO_ERROR) { return 0; } return borrowIndexNew; } /** * @dev Returns the estimated borrow balance of an account based on the current borrow index. * @param account The address of the account to get the borrow balance for. * @return accrual The estimated borrow balance of the account. */ function getEstimatedBorrowBalanceStored(address account) public view returns (uint256 accrual) { uint256 borrowIndexNew = getEstimatedBorrowIndex(); MathError mathErr; uint256 principalTimesIndex; uint256 result; /* Get borrowBalance and borrowIndex */ BorrowSnapshot memory borrowSnapshot = accountBorrows[account]; /* If borrowBalance = 0 then borrowIndex is likely also 0. * Rather than failing the calculation with a division by 0, we immediately return 0 in this case. */ if (borrowSnapshot.principal == 0) { return 0; } /* Calculate new borrow balance using the interest index: * recentBorrowBalance = borrower.borrowBalance * market.borrowIndex / borrower.borrowIndex */ (mathErr, principalTimesIndex) = mulUInt(borrowSnapshot.principal, borrowIndexNew); if (mathErr != MathError.NO_ERROR) { return 0; } (mathErr, result) = divUInt(principalTimesIndex, borrowSnapshot.interestIndex); if (mathErr != MathError.NO_ERROR) { return 0; } return result; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (access/AccessControl.sol) pragma solidity ^0.8.0; import "./IAccessControlUpgradeable.sol"; import "../utils/ContextUpgradeable.sol"; import "../utils/StringsUpgradeable.sol"; import "../utils/introspection/ERC165Upgradeable.sol"; import "../proxy/utils/Initializable.sol"; /** * @dev Contract module that allows children to implement role-based access * control mechanisms. This is a lightweight version that doesn't allow enumerating role * members except through off-chain means by accessing the contract event logs. Some * applications may benefit from on-chain enumerability, for those cases see * {AccessControlEnumerable}. * * Roles are referred to by their `bytes32` identifier. These should be exposed * in the external API and be unique. The best way to achieve this is by * using `public constant` hash digests: * * ```solidity * bytes32 public constant MY_ROLE = keccak256("MY_ROLE"); * ``` * * Roles can be used to represent a set of permissions. To restrict access to a * function call, use {hasRole}: * * ```solidity * function foo() public { * require(hasRole(MY_ROLE, msg.sender)); * ... * } * ``` * * Roles can be granted and revoked dynamically via the {grantRole} and * {revokeRole} functions. Each role has an associated admin role, and only * accounts that have a role's admin role can call {grantRole} and {revokeRole}. * * By default, the admin role for all roles is `DEFAULT_ADMIN_ROLE`, which means * that only accounts with this role will be able to grant or revoke other * roles. More complex role relationships can be created by using * {_setRoleAdmin}. * * WARNING: The `DEFAULT_ADMIN_ROLE` is also its own admin: it has permission to * grant and revoke this role. Extra precautions should be taken to secure * accounts that have been granted it. We recommend using {AccessControlDefaultAdminRules} * to enforce additional security measures for this role. */ abstract contract AccessControlUpgradeable is Initializable, ContextUpgradeable, IAccessControlUpgradeable, ERC165Upgradeable { function __AccessControl_init() internal onlyInitializing { } function __AccessControl_init_unchained() internal onlyInitializing { } struct RoleData { mapping(address => bool) members; bytes32 adminRole; } mapping(bytes32 => RoleData) private _roles; bytes32 public constant DEFAULT_ADMIN_ROLE = 0x00; /** * @dev Modifier that checks that an account has a specific role. Reverts * with a standardized message including the required role. * * The format of the revert reason is given by the following regular expression: * * /^AccessControl: account (0x[0-9a-f]{40}) is missing role (0x[0-9a-f]{64})$/ * * _Available since v4.1._ */ modifier onlyRole(bytes32 role) { _checkRole(role); _; } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IAccessControlUpgradeable).interfaceId || super.supportsInterface(interfaceId); } /** * @dev Returns `true` if `account` has been granted `role`. */ function hasRole(bytes32 role, address account) public view virtual override returns (bool) { return _roles[role].members[account]; } /** * @dev Revert with a standard message if `_msgSender()` is missing `role`. * Overriding this function changes the behavior of the {onlyRole} modifier. * * Format of the revert message is described in {_checkRole}. * * _Available since v4.6._ */ function _checkRole(bytes32 role) internal view virtual { _checkRole(role, _msgSender()); } /** * @dev Revert with a standard message if `account` is missing `role`. * * The format of the revert reason is given by the following regular expression: * * /^AccessControl: account (0x[0-9a-f]{40}) is missing role (0x[0-9a-f]{64})$/ */ function _checkRole(bytes32 role, address account) internal view virtual { if (!hasRole(role, account)) { revert( string( abi.encodePacked( "AccessControl: account ", StringsUpgradeable.toHexString(account), " is missing role ", StringsUpgradeable.toHexString(uint256(role), 32) ) ) ); } } /** * @dev Returns the admin role that controls `role`. See {grantRole} and * {revokeRole}. * * To change a role's admin, use {_setRoleAdmin}. */ function getRoleAdmin(bytes32 role) public view virtual override returns (bytes32) { return _roles[role].adminRole; } /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. * * Requirements: * * - the caller must have ``role``'s admin role. * * May emit a {RoleGranted} event. */ function grantRole(bytes32 role, address account) public virtual override onlyRole(getRoleAdmin(role)) { _grantRole(role, account); } /** * @dev Revokes `role` from `account`. * * If `account` had been granted `role`, emits a {RoleRevoked} event. * * Requirements: * * - the caller must have ``role``'s admin role. * * May emit a {RoleRevoked} event. */ function revokeRole(bytes32 role, address account) public virtual override onlyRole(getRoleAdmin(role)) { _revokeRole(role, account); } /** * @dev Revokes `role` from the calling account. * * Roles are often managed via {grantRole} and {revokeRole}: this function's * purpose is to provide a mechanism for accounts to lose their privileges * if they are compromised (such as when a trusted device is misplaced). * * If the calling account had been revoked `role`, emits a {RoleRevoked} * event. * * Requirements: * * - the caller must be `account`. * * May emit a {RoleRevoked} event. */ function renounceRole(bytes32 role, address account) public virtual override { require(account == _msgSender(), "AccessControl: can only renounce roles for self"); _revokeRole(role, account); } /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. Note that unlike {grantRole}, this function doesn't perform any * checks on the calling account. * * May emit a {RoleGranted} event. * * [WARNING] * ==== * This function should only be called from the constructor when setting * up the initial roles for the system. * * Using this function in any other way is effectively circumventing the admin * system imposed by {AccessControl}. * ==== * * NOTE: This function is deprecated in favor of {_grantRole}. */ function _setupRole(bytes32 role, address account) internal virtual { _grantRole(role, account); } /** * @dev Sets `adminRole` as ``role``'s admin role. * * Emits a {RoleAdminChanged} event. */ function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual { bytes32 previousAdminRole = getRoleAdmin(role); _roles[role].adminRole = adminRole; emit RoleAdminChanged(role, previousAdminRole, adminRole); } /** * @dev Grants `role` to `account`. * * Internal function without access restriction. * * May emit a {RoleGranted} event. */ function _grantRole(bytes32 role, address account) internal virtual { if (!hasRole(role, account)) { _roles[role].members[account] = true; emit RoleGranted(role, account, _msgSender()); } } /** * @dev Revokes `role` from `account`. * * Internal function without access restriction. * * May emit a {RoleRevoked} event. */ function _revokeRole(bytes32 role, address account) internal virtual { if (hasRole(role, account)) { _roles[role].members[account] = false; emit RoleRevoked(role, account, _msgSender()); } } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[49] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (access/IAccessControl.sol) pragma solidity ^0.8.0; /** * @dev External interface of AccessControl declared to support ERC165 detection. */ interface IAccessControlUpgradeable { /** * @dev Emitted when `newAdminRole` is set as ``role``'s admin role, replacing `previousAdminRole` * * `DEFAULT_ADMIN_ROLE` is the starting admin for all roles, despite * {RoleAdminChanged} not being emitted signaling this. * * _Available since v3.1._ */ event RoleAdminChanged(bytes32 indexed role, bytes32 indexed previousAdminRole, bytes32 indexed newAdminRole); /** * @dev Emitted when `account` is granted `role`. * * `sender` is the account that originated the contract call, an admin role * bearer except when using {AccessControl-_setupRole}. */ event RoleGranted(bytes32 indexed role, address indexed account, address indexed sender); /** * @dev Emitted when `account` is revoked `role`. * * `sender` is the account that originated the contract call: * - if using `revokeRole`, it is the admin role bearer * - if using `renounceRole`, it is the role bearer (i.e. `account`) */ event RoleRevoked(bytes32 indexed role, address indexed account, address indexed sender); /** * @dev Returns `true` if `account` has been granted `role`. */ function hasRole(bytes32 role, address account) external view returns (bool); /** * @dev Returns the admin role that controls `role`. See {grantRole} and * {revokeRole}. * * To change a role's admin, use {AccessControl-_setRoleAdmin}. */ function getRoleAdmin(bytes32 role) external view returns (bytes32); /** * @dev Grants `role` to `account`. * * If `account` had not been already granted `role`, emits a {RoleGranted} * event. * * Requirements: * * - the caller must have ``role``'s admin role. */ function grantRole(bytes32 role, address account) external; /** * @dev Revokes `role` from `account`. * * If `account` had been granted `role`, emits a {RoleRevoked} event. * * Requirements: * * - the caller must have ``role``'s admin role. */ function revokeRole(bytes32 role, address account) external; /** * @dev Revokes `role` from the calling account. * * Roles are often managed via {grantRole} and {revokeRole}: this function's * purpose is to provide a mechanism for accounts to lose their privileges * if they are compromised (such as when a trusted device is misplaced). * * If the calling account had been granted `role`, emits a {RoleRevoked} * event. * * Requirements: * * - the caller must be `account`. */ function renounceRole(bytes32 role, address account) external; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (proxy/utils/Initializable.sol) pragma solidity ^0.8.2; import "../../utils/AddressUpgradeable.sol"; /** * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect. * * The initialization functions use a version number. Once a version number is used, it is consumed and cannot be * reused. This mechanism prevents re-execution of each "step" but allows the creation of new initialization steps in * case an upgrade adds a module that needs to be initialized. * * For example: * * [.hljs-theme-light.nopadding] * ```solidity * contract MyToken is ERC20Upgradeable { * function initialize() initializer public { * __ERC20_init("MyToken", "MTK"); * } * } * * contract MyTokenV2 is MyToken, ERC20PermitUpgradeable { * function initializeV2() reinitializer(2) public { * __ERC20Permit_init("MyToken"); * } * } * ``` * * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}. * * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity. * * [CAUTION] * ==== * Avoid leaving a contract uninitialized. * * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation * contract, which may impact the proxy. To prevent the implementation contract from being used, you should invoke * the {_disableInitializers} function in the constructor to automatically lock it when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() { * _disableInitializers(); * } * ``` * ==== */ abstract contract Initializable { /** * @dev Indicates that the contract has been initialized. * @custom:oz-retyped-from bool */ uint8 private _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private _initializing; /** * @dev Triggered when the contract has been initialized or reinitialized. */ event Initialized(uint8 version); /** * @dev A modifier that defines a protected initializer function that can be invoked at most once. In its scope, * `onlyInitializing` functions can be used to initialize parent contracts. * * Similar to `reinitializer(1)`, except that functions marked with `initializer` can be nested in the context of a * constructor. * * Emits an {Initialized} event. */ modifier initializer() { bool isTopLevelCall = !_initializing; require( (isTopLevelCall && _initialized < 1) || (!AddressUpgradeable.isContract(address(this)) && _initialized == 1), "Initializable: contract is already initialized" ); _initialized = 1; if (isTopLevelCall) { _initializing = true; } _; if (isTopLevelCall) { _initializing = false; emit Initialized(1); } } /** * @dev A modifier that defines a protected reinitializer function that can be invoked at most once, and only if the * contract hasn't been initialized to a greater version before. In its scope, `onlyInitializing` functions can be * used to initialize parent contracts. * * A reinitializer may be used after the original initialization step. This is essential to configure modules that * are added through upgrades and that require initialization. * * When `version` is 1, this modifier is similar to `initializer`, except that functions marked with `reinitializer` * cannot be nested. If one is invoked in the context of another, execution will revert. * * Note that versions can jump in increments greater than 1; this implies that if multiple reinitializers coexist in * a contract, executing them in the right order is up to the developer or operator. * * WARNING: setting the version to 255 will prevent any future reinitialization. * * Emits an {Initialized} event. */ modifier reinitializer(uint8 version) { require(!_initializing && _initialized < version, "Initializable: contract is already initialized"); _initialized = version; _initializing = true; _; _initializing = false; emit Initialized(version); } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} and {reinitializer} modifiers, directly or indirectly. */ modifier onlyInitializing() { require(_initializing, "Initializable: contract is not initializing"); _; } /** * @dev Locks the contract, preventing any future reinitialization. This cannot be part of an initializer call. * Calling this in the constructor of a contract will prevent that contract from being initialized or reinitialized * to any version. It is recommended to use this to lock implementation contracts that are designed to be called * through proxies. * * Emits an {Initialized} event the first time it is successfully executed. */ function _disableInitializers() internal virtual { require(!_initializing, "Initializable: contract is initializing"); if (_initialized != type(uint8).max) { _initialized = type(uint8).max; emit Initialized(type(uint8).max); } } /** * @dev Returns the highest version that has been initialized. See {reinitializer}. */ function _getInitializedVersion() internal view returns (uint8) { return _initialized; } /** * @dev Returns `true` if the contract is currently initializing. See {onlyInitializing}. */ function _isInitializing() internal view returns (bool) { return _initializing; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (utils/Address.sol) pragma solidity ^0.8.1; /** * @dev Collection of functions related to the address type */ library AddressUpgradeable { /** * @dev Returns true if `account` is a contract. * * [IMPORTANT] * ==== * It is unsafe to assume that an address for which this function returns * false is an externally-owned account (EOA) and not a contract. * * Among others, `isContract` will return false for the following * types of addresses: * * - an externally-owned account * - a contract in construction * - an address where a contract will be created * - an address where a contract lived, but was destroyed * * Furthermore, `isContract` will also return true if the target contract within * the same transaction is already scheduled for destruction by `SELFDESTRUCT`, * which only has an effect at the end of a transaction. * ==== * * [IMPORTANT] * ==== * You shouldn't rely on `isContract` to protect against flash loan attacks! * * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract * constructor. * ==== */ function isContract(address account) internal view returns (bool) { // This method relies on extcodesize/address.code.length, which returns 0 // for contracts in construction, since the code is only stored at the end // of the constructor execution. return account.code.length > 0; } /** * @dev Replacement for Solidity's `transfer`: sends `amount` wei to * `recipient`, forwarding all available gas and reverting on errors. * * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost * of certain opcodes, possibly making contracts go over the 2300 gas limit * imposed by `transfer`, making them unable to receive funds via * `transfer`. {sendValue} removes this limitation. * * https://consensys.net/diligence/blog/2019/09/stop-using-soliditys-transfer-now/[Learn more]. * * IMPORTANT: because control is transferred to `recipient`, care must be * taken to not create reentrancy vulnerabilities. Consider using * {ReentrancyGuard} or the * https://solidity.readthedocs.io/en/v0.8.0/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern]. */ function sendValue(address payable recipient, uint256 amount) internal { require(address(this).balance >= amount, "Address: insufficient balance"); (bool success, ) = recipient.call{value: amount}(""); require(success, "Address: unable to send value, recipient may have reverted"); } /** * @dev Performs a Solidity function call using a low level `call`. A * plain `call` is an unsafe replacement for a function call: use this * function instead. * * If `target` reverts with a revert reason, it is bubbled up by this * function (like regular Solidity function calls). * * Returns the raw returned data. To convert to the expected return value, * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`]. * * Requirements: * * - `target` must be a contract. * - calling `target` with `data` must not revert. * * _Available since v3.1._ */ function functionCall(address target, bytes memory data) internal returns (bytes memory) { return functionCallWithValue(target, data, 0, "Address: low-level call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with * `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { return functionCallWithValue(target, data, 0, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but also transferring `value` wei to `target`. * * Requirements: * * - the calling contract must have an ETH balance of at least `value`. * - the called Solidity function must be `payable`. * * _Available since v3.1._ */ function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) { return functionCallWithValue(target, data, value, "Address: low-level call with value failed"); } /** * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but * with `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCallWithValue( address target, bytes memory data, uint256 value, string memory errorMessage ) internal returns (bytes memory) { require(address(this).balance >= value, "Address: insufficient balance for call"); (bool success, bytes memory returndata) = target.call{value: value}(data); return verifyCallResultFromTarget(target, success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) { return functionStaticCall(target, data, "Address: low-level static call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall( address target, bytes memory data, string memory errorMessage ) internal view returns (bytes memory) { (bool success, bytes memory returndata) = target.staticcall(data); return verifyCallResultFromTarget(target, success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) { return functionDelegateCall(target, data, "Address: low-level delegate call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { (bool success, bytes memory returndata) = target.delegatecall(data); return verifyCallResultFromTarget(target, success, returndata, errorMessage); } /** * @dev Tool to verify that a low level call to smart-contract was successful, and revert (either by bubbling * the revert reason or using the provided one) in case of unsuccessful call or if target was not a contract. * * _Available since v4.8._ */ function verifyCallResultFromTarget( address target, bool success, bytes memory returndata, string memory errorMessage ) internal view returns (bytes memory) { if (success) { if (returndata.length == 0) { // only check isContract if the call was successful and the return data is empty // otherwise we already know that it was a contract require(isContract(target), "Address: call to non-contract"); } return returndata; } else { _revert(returndata, errorMessage); } } /** * @dev Tool to verify that a low level call was successful, and revert if it wasn't, either by bubbling the * revert reason or using the provided one. * * _Available since v4.3._ */ function verifyCallResult( bool success, bytes memory returndata, string memory errorMessage ) internal pure returns (bytes memory) { if (success) { return returndata; } else { _revert(returndata, errorMessage); } } function _revert(bytes memory returndata, string memory errorMessage) private pure { // Look for revert reason and bubble it up if present if (returndata.length > 0) { // The easiest way to bubble the revert reason is using memory via assembly /// @solidity memory-safe-assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Context.sol) pragma solidity ^0.8.0; import "../proxy/utils/Initializable.sol"; /** * @dev Provides information about the current execution context, including the * sender of the transaction and its data. While these are generally available * via msg.sender and msg.data, they should not be accessed in such a direct * manner, since when dealing with meta-transactions the account sending and * paying for execution may not be the actual sender (as far as an application * is concerned). * * This contract is only required for intermediate, library-like contracts. */ abstract contract ContextUpgradeable is Initializable { function __Context_init() internal onlyInitializing { } function __Context_init_unchained() internal onlyInitializing { } function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/ERC165.sol) pragma solidity ^0.8.0; import "./IERC165Upgradeable.sol"; import "../../proxy/utils/Initializable.sol"; /** * @dev Implementation of the {IERC165} interface. * * Contracts that want to implement ERC165 should inherit from this contract and override {supportsInterface} to check * for the additional interface id that will be supported. For example: * * ```solidity * function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { * return interfaceId == type(MyInterface).interfaceId || super.supportsInterface(interfaceId); * } * ``` * * Alternatively, {ERC165Storage} provides an easier to use but more expensive implementation. */ abstract contract ERC165Upgradeable is Initializable, IERC165Upgradeable { function __ERC165_init() internal onlyInitializing { } function __ERC165_init_unchained() internal onlyInitializing { } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IERC165Upgradeable).interfaceId; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/IERC165.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC165 standard, as defined in the * https://eips.ethereum.org/EIPS/eip-165[EIP]. * * Implementers can declare support of contract interfaces, which can then be * queried by others ({ERC165Checker}). * * For an implementation, see {ERC165}. */ interface IERC165Upgradeable { /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[EIP section] * to learn more about how these ids are created. * * This function call must use less than 30 000 gas. */ function supportsInterface(bytes4 interfaceId) external view returns (bool); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (utils/math/Math.sol) pragma solidity ^0.8.0; /** * @dev Standard math utilities missing in the Solidity language. */ library MathUpgradeable { enum Rounding { Down, // Toward negative infinity Up, // Toward infinity Zero // Toward zero } /** * @dev Returns the largest of two numbers. */ function max(uint256 a, uint256 b) internal pure returns (uint256) { return a > b ? a : b; } /** * @dev Returns the smallest of two numbers. */ function min(uint256 a, uint256 b) internal pure returns (uint256) { return a < b ? a : b; } /** * @dev Returns the average of two numbers. The result is rounded towards * zero. */ function average(uint256 a, uint256 b) internal pure returns (uint256) { // (a + b) / 2 can overflow. return (a & b) + (a ^ b) / 2; } /** * @dev Returns the ceiling of the division of two numbers. * * This differs from standard division with `/` in that it rounds up instead * of rounding down. */ function ceilDiv(uint256 a, uint256 b) internal pure returns (uint256) { // (a + b - 1) / b can overflow on addition, so we distribute. return a == 0 ? 0 : (a - 1) / b + 1; } /** * @notice Calculates floor(x * y / denominator) with full precision. Throws if result overflows a uint256 or denominator == 0 * @dev Original credit to Remco Bloemen under MIT license (https://xn--2-umb.com/21/muldiv) * with further edits by Uniswap Labs also under MIT license. */ function mulDiv(uint256 x, uint256 y, uint256 denominator) internal pure returns (uint256 result) { unchecked { // 512-bit multiply [prod1 prod0] = x * y. Compute the product mod 2^256 and mod 2^256 - 1, then use // use the Chinese Remainder Theorem to reconstruct the 512 bit result. The result is stored in two 256 // variables such that product = prod1 * 2^256 + prod0. uint256 prod0; // Least significant 256 bits of the product uint256 prod1; // Most significant 256 bits of the product assembly { let mm := mulmod(x, y, not(0)) prod0 := mul(x, y) prod1 := sub(sub(mm, prod0), lt(mm, prod0)) } // Handle non-overflow cases, 256 by 256 division. if (prod1 == 0) { // Solidity will revert if denominator == 0, unlike the div opcode on its own. // The surrounding unchecked block does not change this fact. // See https://docs.soliditylang.org/en/latest/control-structures.html#checked-or-unchecked-arithmetic. return prod0 / denominator; } // Make sure the result is less than 2^256. Also prevents denominator == 0. require(denominator > prod1, "Math: mulDiv overflow"); /////////////////////////////////////////////// // 512 by 256 division. /////////////////////////////////////////////// // Make division exact by subtracting the remainder from [prod1 prod0]. uint256 remainder; assembly { // Compute remainder using mulmod. remainder := mulmod(x, y, denominator) // Subtract 256 bit number from 512 bit number. prod1 := sub(prod1, gt(remainder, prod0)) prod0 := sub(prod0, remainder) } // Factor powers of two out of denominator and compute largest power of two divisor of denominator. Always >= 1. // See https://cs.stackexchange.com/q/138556/92363. // Does not overflow because the denominator cannot be zero at this stage in the function. uint256 twos = denominator & (~denominator + 1); assembly { // Divide denominator by twos. denominator := div(denominator, twos) // Divide [prod1 prod0] by twos. prod0 := div(prod0, twos) // Flip twos such that it is 2^256 / twos. If twos is zero, then it becomes one. twos := add(div(sub(0, twos), twos), 1) } // Shift in bits from prod1 into prod0. prod0 |= prod1 * twos; // Invert denominator mod 2^256. Now that denominator is an odd number, it has an inverse modulo 2^256 such // that denominator * inv = 1 mod 2^256. Compute the inverse by starting with a seed that is correct for // four bits. That is, denominator * inv = 1 mod 2^4. uint256 inverse = (3 * denominator) ^ 2; // Use the Newton-Raphson iteration to improve the precision. Thanks to Hensel's lifting lemma, this also works // in modular arithmetic, doubling the correct bits in each step. inverse *= 2 - denominator * inverse; // inverse mod 2^8 inverse *= 2 - denominator * inverse; // inverse mod 2^16 inverse *= 2 - denominator * inverse; // inverse mod 2^32 inverse *= 2 - denominator * inverse; // inverse mod 2^64 inverse *= 2 - denominator * inverse; // inverse mod 2^128 inverse *= 2 - denominator * inverse; // inverse mod 2^256 // Because the division is now exact we can divide by multiplying with the modular inverse of denominator. // This will give us the correct result modulo 2^256. Since the preconditions guarantee that the outcome is // less than 2^256, this is the final result. We don't need to compute the high bits of the result and prod1 // is no longer required. result = prod0 * inverse; return result; } } /** * @notice Calculates x * y / denominator with full precision, following the selected rounding direction. */ function mulDiv(uint256 x, uint256 y, uint256 denominator, Rounding rounding) internal pure returns (uint256) { uint256 result = mulDiv(x, y, denominator); if (rounding == Rounding.Up && mulmod(x, y, denominator) > 0) { result += 1; } return result; } /** * @dev Returns the square root of a number. If the number is not a perfect square, the value is rounded down. * * Inspired by Henry S. Warren, Jr.'s "Hacker's Delight" (Chapter 11). */ function sqrt(uint256 a) internal pure returns (uint256) { if (a == 0) { return 0; } // For our first guess, we get the biggest power of 2 which is smaller than the square root of the target. // // We know that the "msb" (most significant bit) of our target number `a` is a power of 2 such that we have // `msb(a) <= a < 2*msb(a)`. This value can be written `msb(a)=2**k` with `k=log2(a)`. // // This can be rewritten `2**log2(a) <= a < 2**(log2(a) + 1)` // → `sqrt(2**k) <= sqrt(a) < sqrt(2**(k+1))` // → `2**(k/2) <= sqrt(a) < 2**((k+1)/2) <= 2**(k/2 + 1)` // // Consequently, `2**(log2(a) / 2)` is a good first approximation of `sqrt(a)` with at least 1 correct bit. uint256 result = 1 << (log2(a) >> 1); // At this point `result` is an estimation with one bit of precision. We know the true value is a uint128, // since it is the square root of a uint256. Newton's method converges quadratically (precision doubles at // every iteration). We thus need at most 7 iteration to turn our partial result with one bit of precision // into the expected uint128 result. unchecked { result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; return min(result, a / result); } } /** * @notice Calculates sqrt(a), following the selected rounding direction. */ function sqrt(uint256 a, Rounding rounding) internal pure returns (uint256) { unchecked { uint256 result = sqrt(a); return result + (rounding == Rounding.Up && result * result < a ? 1 : 0); } } /** * @dev Return the log in base 2, rounded down, of a positive value. * Returns 0 if given 0. */ function log2(uint256 value) internal pure returns (uint256) { uint256 result = 0; unchecked { if (value >> 128 > 0) { value >>= 128; result += 128; } if (value >> 64 > 0) { value >>= 64; result += 64; } if (value >> 32 > 0) { value >>= 32; result += 32; } if (value >> 16 > 0) { value >>= 16; result += 16; } if (value >> 8 > 0) { value >>= 8; result += 8; } if (value >> 4 > 0) { value >>= 4; result += 4; } if (value >> 2 > 0) { value >>= 2; result += 2; } if (value >> 1 > 0) { result += 1; } } return result; } /** * @dev Return the log in base 2, following the selected rounding direction, of a positive value. * Returns 0 if given 0. */ function log2(uint256 value, Rounding rounding) internal pure returns (uint256) { unchecked { uint256 result = log2(value); return result + (rounding == Rounding.Up && 1 << result < value ? 1 : 0); } } /** * @dev Return the log in base 10, rounded down, of a positive value. * Returns 0 if given 0. */ function log10(uint256 value) internal pure returns (uint256) { uint256 result = 0; unchecked { if (value >= 10 ** 64) { value /= 10 ** 64; result += 64; } if (value >= 10 ** 32) { value /= 10 ** 32; result += 32; } if (value >= 10 ** 16) { value /= 10 ** 16; result += 16; } if (value >= 10 ** 8) { value /= 10 ** 8; result += 8; } if (value >= 10 ** 4) { value /= 10 ** 4; result += 4; } if (value >= 10 ** 2) { value /= 10 ** 2; result += 2; } if (value >= 10 ** 1) { result += 1; } } return result; } /** * @dev Return the log in base 10, following the selected rounding direction, of a positive value. * Returns 0 if given 0. */ function log10(uint256 value, Rounding rounding) internal pure returns (uint256) { unchecked { uint256 result = log10(value); return result + (rounding == Rounding.Up && 10 ** result < value ? 1 : 0); } } /** * @dev Return the log in base 256, rounded down, of a positive value. * Returns 0 if given 0. * * Adding one to the result gives the number of pairs of hex symbols needed to represent `value` as a hex string. */ function log256(uint256 value) internal pure returns (uint256) { uint256 result = 0; unchecked { if (value >> 128 > 0) { value >>= 128; result += 16; } if (value >> 64 > 0) { value >>= 64; result += 8; } if (value >> 32 > 0) { value >>= 32; result += 4; } if (value >> 16 > 0) { value >>= 16; result += 2; } if (value >> 8 > 0) { result += 1; } } return result; } /** * @dev Return the log in base 256, following the selected rounding direction, of a positive value. * Returns 0 if given 0. */ function log256(uint256 value, Rounding rounding) internal pure returns (uint256) { unchecked { uint256 result = log256(value); return result + (rounding == Rounding.Up && 1 << (result << 3) < value ? 1 : 0); } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (utils/math/SignedMath.sol) pragma solidity ^0.8.0; /** * @dev Standard signed math utilities missing in the Solidity language. */ library SignedMathUpgradeable { /** * @dev Returns the largest of two signed numbers. */ function max(int256 a, int256 b) internal pure returns (int256) { return a > b ? a : b; } /** * @dev Returns the smallest of two signed numbers. */ function min(int256 a, int256 b) internal pure returns (int256) { return a < b ? a : b; } /** * @dev Returns the average of two signed numbers without overflow. * The result is rounded towards zero. */ function average(int256 a, int256 b) internal pure returns (int256) { // Formula from the book "Hacker's Delight" int256 x = (a & b) + ((a ^ b) >> 1); return x + (int256(uint256(x) >> 255) & (a ^ b)); } /** * @dev Returns the absolute unsigned value of a signed value. */ function abs(int256 n) internal pure returns (uint256) { unchecked { // must be unchecked in order to support `n = type(int256).min` return uint256(n >= 0 ? n : -n); } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (utils/Strings.sol) pragma solidity ^0.8.0; import "./math/MathUpgradeable.sol"; import "./math/SignedMathUpgradeable.sol"; /** * @dev String operations. */ library StringsUpgradeable { bytes16 private constant _SYMBOLS = "0123456789abcdef"; uint8 private constant _ADDRESS_LENGTH = 20; /** * @dev Converts a `uint256` to its ASCII `string` decimal representation. */ function toString(uint256 value) internal pure returns (string memory) { unchecked { uint256 length = MathUpgradeable.log10(value) + 1; string memory buffer = new string(length); uint256 ptr; /// @solidity memory-safe-assembly assembly { ptr := add(buffer, add(32, length)) } while (true) { ptr--; /// @solidity memory-safe-assembly assembly { mstore8(ptr, byte(mod(value, 10), _SYMBOLS)) } value /= 10; if (value == 0) break; } return buffer; } } /** * @dev Converts a `int256` to its ASCII `string` decimal representation. */ function toString(int256 value) internal pure returns (string memory) { return string(abi.encodePacked(value < 0 ? "-" : "", toString(SignedMathUpgradeable.abs(value)))); } /** * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation. */ function toHexString(uint256 value) internal pure returns (string memory) { unchecked { return toHexString(value, MathUpgradeable.log256(value) + 1); } } /** * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation with fixed length. */ function toHexString(uint256 value, uint256 length) internal pure returns (string memory) { bytes memory buffer = new bytes(2 * length + 2); buffer[0] = "0"; buffer[1] = "x"; for (uint256 i = 2 * length + 1; i > 1; --i) { buffer[i] = _SYMBOLS[value & 0xf]; value >>= 4; } require(value == 0, "Strings: hex length insufficient"); return string(buffer); } /** * @dev Converts an `address` with fixed length of 20 bytes to its not checksummed ASCII `string` hexadecimal representation. */ function toHexString(address addr) internal pure returns (string memory) { return toHexString(uint256(uint160(addr)), _ADDRESS_LENGTH); } /** * @dev Returns true if the two strings are equal. */ function equal(string memory a, string memory b) internal pure returns (bool) { return keccak256(bytes(a)) == keccak256(bytes(b)); } }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; import "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol"; import "../bToken/BToken.sol"; import "../util/ErrorReporter.sol"; import "../util/ExponentialNoError.sol"; import "./BondtrollerStorage.sol"; /** * @title Remastered from Compound's Bondtroller Contract * @author Bonded * @dev Contract for managing the Bond market and its associated BToken contracts. */ contract Bondtroller is BondtrollerV5Storage, BondtrollerErrorReporter, ExponentialNoError, Initializable { /// @notice Emitted when an admin supports a market event MarketListed(BToken bToken); /// @notice Emitted when an account enters a market event MarketEntered(BToken bToken, address account); /// @notice Emitted when an account exits a market event MarketExited(BToken bToken, address account); /// @notice Emitted when price oracle is changed event NewPriceOracle(address oldPriceOracle, address newPriceOracle); /// @notice Emitted when pause guardian is changed event NewPauseGuardian(address oldPauseGuardian, address newPauseGuardian); /// @notice Emitted when an action is paused globally event GlobalActionPaused(string action, bool pauseState); /// @notice Emitted when an action is paused on a market event ActionPaused(BToken bToken, string action, bool pauseState); /// @notice Emitted when borrow cap for a bToken is changed event NewBorrowCap(BToken indexed bToken, uint256 newBorrowCap); /// @notice Emitted when borrow cap guardian is changed event NewBorrowCapGuardian(address oldBorrowCapGuardian, address newBorrowCapGuardian); /// @notice Emitted when COMP is granted by admin event CompGranted(address recipient, uint256 amount); event NewPrimaryLendingPlatform(address oldPrimaryLendingPlatform, address newPrimaryLendingPlatform); /// @notice Emitted when admin address is changed by previous admin event NewAdmin(address newAdmin); /// @notice the address of primary index token address public primaryLendingPlatform; /** * @dev Initializes the Bondtroller contract by setting the admin to the sender's address and setting the pause guardian to the admin. */ function init() public initializer { admin = msg.sender; setPauseGuardian(admin); } /** * @dev Throws if called by any account other than the primary index token. */ modifier onlyPrimaryLendingPlatform() { require(msg.sender == primaryLendingPlatform); _; } /** * @dev Returns the address of the primary lending platform. * @return The address of the primary lending platform. */ function getPrimaryLendingPlatformAddress() external view returns (address) { return primaryLendingPlatform; } /*** Assets You Are In ***/ /** * @dev Returns the assets an account has entered. * @param account The address of the account to pull assets for. * @return A dynamic list with the assets the account has entered. */ function getAssetsIn(address account) external view returns (BToken[] memory) { BToken[] memory assetsIn = accountAssets[account]; return assetsIn; } /** * @dev Returns whether the given account is entered in the given asset. * @param account The address of the account to check. * @param bToken The bToken to check. * @return True if the account is in the asset, otherwise false. */ function checkMembership(address account, BToken bToken) external view returns (bool) { return accountMembership[account][address(bToken)]; } /** * @dev Changes the admin address of the Bondtroller contract. * @param newAdmin The new admin address to be set. */ function changeAdmin(address newAdmin) external { require(msg.sender == admin && newAdmin != address(0), "Bondtroller: Invalid address"); admin = newAdmin; emit NewAdmin(newAdmin); } /** * @dev Add assets to be included in account liquidity calculation. * @param bTokens The list of addresses of the bToken markets to be enabled. * @return Success indicator for whether each corresponding market was entered. */ function enterMarkets(address[] memory bTokens) public onlyPrimaryLendingPlatform returns (uint256[] memory) { uint256 len = bTokens.length; uint256[] memory results = new uint256[](len); for (uint256 i = 0; i < len; i++) { BToken bToken = BToken(bTokens[i]); results[i] = uint256(addToMarketInternal(bToken, msg.sender)); } return results; } /** * @dev Allows a borrower to enter a market by adding the corresponding BToken to the market and updating the borrower's status. * @param bToken The address of the BToken to add to the market. * @param borrower The address of the borrower to update status for. * @return An Error code indicating if the operation was successful or not. */ function enterMarket(address bToken, address borrower) public onlyPrimaryLendingPlatform returns (Error) { return addToMarketInternal(BToken(bToken), borrower); } /** * @dev Adds the market to the borrower's "assets in" for liquidity calculations. * @param bToken The market to enter. * @param borrower The address of the account to modify. * @return Success indicator for whether the market was entered. */ function addToMarketInternal(BToken bToken, address borrower) internal returns (Error) { Market storage marketToJoin = markets[address(bToken)]; if (!marketToJoin.isListed) { // market is not listed, cannot join return Error.MARKET_NOT_LISTED; } if (accountMembership[borrower][address(bToken)] == true) { // already joined return Error.NO_ERROR; } // survived the gauntlet, add to list // NOTE: we store these somewhat redundantly as a significant optimization // this avoids having to iterate through the list for the most common use cases // that is, only when we need to perform liquidity checks // and not whenever we want to check if an account is in a particular market accountMembership[borrower][address(bToken)] = true; accountAssets[borrower].push(bToken); emit MarketEntered(bToken, borrower); return Error.NO_ERROR; } /** * @dev Removes asset from sender's account liquidity calculation. * Sender must not have an outstanding borrow balance in the asset, * or be providing necessary collateral for an outstanding borrow. * @param cTokenAddress The address of the asset to be removed. * @return Whether or not the account successfully exited the market. */ function exitMarket(address cTokenAddress) external onlyPrimaryLendingPlatform returns (uint) { BToken bToken = BToken(cTokenAddress); /* Get sender tokensHeld and amountOwed underlying from the bToken */ (uint256 oErr, uint256 tokensHeld, uint256 amountOwed, ) = bToken.getAccountSnapshot(msg.sender); require(oErr == 0, "Bondtroller: GetAccountSnapshot failed"); // semi-opaque error code /* Fail if the sender has a borrow balance */ if (amountOwed != 0) { return fail(Error.NONZERO_BORROW_BALANCE, FailureInfo.EXIT_MARKET_BALANCE_OWED); } /* Fail if the sender is not permitted to redeem all of their tokens */ uint256 allowed = redeemAllowedInternal(cTokenAddress, msg.sender, tokensHeld); if (allowed != 0) { return failOpaque(Error.REJECTION, FailureInfo.EXIT_MARKET_REJECTION, allowed); } //Market storage marketToExit = markets[address(bToken)]; /* Return true if the sender is not already ‘in’ the market */ if (!accountMembership[msg.sender][address(bToken)]) { return uint256(Error.NO_ERROR); } /* Set bToken account membership to false */ delete accountMembership[msg.sender][address(bToken)]; /* Delete bToken from the account’s list of assets */ // load into memory for faster iteration BToken[] memory userAssetList = accountAssets[msg.sender]; uint256 len = userAssetList.length; uint256 assetIndex = len; for (uint256 i = 0; i < len; i++) { if (userAssetList[i] == bToken) { assetIndex = i; break; } } // We *must* have found the asset in the list or our redundant data structure is broken assert(assetIndex < len); // copy last item in list to location of item to be removed, reduce length by 1 BToken[] storage storedList = accountAssets[msg.sender]; storedList[assetIndex] = storedList[storedList.length - 1]; storedList.pop(); emit MarketExited(bToken, msg.sender); return uint256(Error.NO_ERROR); } /*** Policy Hooks ***/ /** * @dev Checks if the account should be allowed to mint tokens in the given market. * @param bToken The market to verify the mint against. * @param minter The account which would get the minted tokens. * @param mintAmount The amount of underlying being supplied to the market in exchange for tokens. * @return 0 if the mint is allowed, otherwise a semi-opaque error code (See ErrorReporter.sol). */ function mintAllowed(address bToken, address minter, uint256 mintAmount) external view returns (uint) { // Shh - currently unused bToken; minter; mintAmount; // Pausing is a very serious situation - we revert to sound the alarms require(!mintGuardianPaused[bToken], "Bondtroller: Mint is paused"); // Shh - currently unused minter; mintAmount; if (!markets[bToken].isListed) { return uint256(Error.MARKET_NOT_LISTED); } // // Keep the flywheel moving // updateCompSupplyIndex(bToken); // distributeSupplierComp(bToken, minter); return uint256(Error.NO_ERROR); } /** * @dev Validates mint and reverts on rejection. May emit logs. * @param bToken Asset being minted. * @param minter The address minting the tokens. * @param actualMintAmount The amount of the underlying asset being minted. * @param mintTokens The number of tokens being minted. */ function mintVerify(address bToken, address minter, uint256 actualMintAmount, uint256 mintTokens) external { // Shh - currently unused bToken; minter; actualMintAmount; mintTokens; // Shh - we don't ever want this hook to be marked pure if (false) { maxAssets = maxAssets; } } /** * @dev Checks if the account should be allowed to redeem tokens in the given market. * @param bToken The market to verify the redeem against. * @param redeemer The account which would redeem the tokens. * @param redeemTokens The number of bTokens to exchange for the underlying asset in the market. * @return 0 if the redeem is allowed, otherwise a semi-opaque error code (See ErrorReporter.sol). */ function redeemAllowed(address bToken, address redeemer, uint256 redeemTokens) external view returns (uint) { // Shh - - currently unused bToken; redeemer; redeemTokens; uint256 allowed = redeemAllowedInternal(bToken, redeemer, redeemTokens); if (allowed != uint256(Error.NO_ERROR)) { return allowed; } return uint256(Error.NO_ERROR); } /** * @dev Checks if redeeming tokens is allowed for a given bToken and redeemer. * @param bToken The address of the bToken to check. * @param redeemer The address of the redeemer to check. * @param redeemTokens The amount of tokens to redeem. * @return uint256 0 if redeeming is allowed, otherwise an error code. */ function redeemAllowedInternal(address bToken, address redeemer, uint256 redeemTokens) internal view returns (uint) { // Shh - currently unused redeemTokens; if (!markets[bToken].isListed) { return uint256(Error.MARKET_NOT_LISTED); } /* If the redeemer is not 'in' the market, then we can bypass the liquidity check */ if (!accountMembership[redeemer][address(bToken)]) { return uint256(Error.NO_ERROR); } return uint256(Error.NO_ERROR); } /** * @dev Validates redeem and reverts on rejection. May emit logs. * @param bToken Asset being redeemed. * @param redeemer The address redeeming the tokens. * @param redeemAmount The amount of the underlying asset being redeemed. * @param redeemTokens The number of tokens being redeemed. */ function redeemVerify(address bToken, address redeemer, uint256 redeemAmount, uint256 redeemTokens) external pure { // Shh - currently unused bToken; redeemer; // Require tokens is zero or amount is also zero if (redeemTokens == 0 && redeemAmount > 0) { revert("Bondtroller: RedeemTokens zero"); } } /** * @dev Checks if the account should be allowed to borrow the underlying asset of the given market. * @param bToken The market to verify the borrow against. * @param borrower The account which would borrow the asset. * @param borrowAmount The amount of underlying the account would borrow. * @return 0 if the borrow is allowed, otherwise a semi-opaque error code (See ErrorReporter.sol). */ function borrowAllowed(address bToken, address borrower, uint256 borrowAmount) external returns (uint) { // Pausing is a very serious situation - we revert to sound the alarms require(!borrowGuardianPaused[bToken], "Bondtroller: Borrow is paused"); if (!markets[bToken].isListed) { return uint256(Error.MARKET_NOT_LISTED); } if (!accountMembership[borrower][address(bToken)]) { // only bTokens may call borrowAllowed if borrower not in market //require(msg.sender == bToken, "sender must be bToken"); // attempt to add borrower to the market Error errAddMarketInternal = addToMarketInternal(BToken(msg.sender), borrower); if (errAddMarketInternal != Error.NO_ERROR) { return uint256(errAddMarketInternal); } // it should be impossible to break the important invariant assert(accountMembership[borrower][address(bToken)]); } // if (oracle.getUnderlyingPrice(BToken(bToken)) == 0) { // return uint256(Error.PRICE_ERROR); // } uint256 borrowCap = borrowCaps[bToken]; // Borrow cap of 0 corresponds to unlimited borrowing if (borrowCap != 0) { uint256 totalBorrows = BToken(bToken).totalBorrows(); uint256 nextTotalBorrows = add_(totalBorrows, borrowAmount); require(nextTotalBorrows < borrowCap, "Bondtroller: Market borrow cap reached"); } return uint256(Error.NO_ERROR); } /** * @dev Validates borrow and reverts on rejection. May emit logs. * @param bToken Asset whose underlying is being borrowed. * @param borrower The address borrowing the underlying. * @param borrowAmount The amount of the underlying asset requested to borrow. */ function borrowVerify(address bToken, address borrower, uint256 borrowAmount) external { // Shh - currently unused bToken; borrower; borrowAmount; // Shh - we don't ever want this hook to be marked pure if (false) { maxAssets = maxAssets; } } /** * @dev Checks if the account should be allowed to repay a borrow in the given market. * @param bToken The market to verify the repay against. * @param payer The account which would repay the asset. * @param borrower The account which would borrowed the asset. * @param repayAmount The amount of the underlying asset the account would repay. * @return 0 if the repay is allowed, otherwise a semi-opaque error code (See ErrorReporter.sol). */ function repayBorrowAllowed(address bToken, address payer, address borrower, uint256 repayAmount) external view returns (uint) { // Shh - currently unused payer; borrower; repayAmount; if (!markets[bToken].isListed) { return uint256(Error.MARKET_NOT_LISTED); } // // Keep the flywheel moving // Exp memory borrowIndex = Exp({mantissa: BToken(bToken).borrowIndex()}); // updateCompBorrowIndex(bToken, borrowIndex); // distributeBorrowerComp(bToken, borrower, borrowIndex); return uint256(Error.NO_ERROR); } /** * @dev Validates repayBorrow and reverts on rejection. May emit logs. * @param bToken Asset being repaid. * @param payer The address repaying the borrow. * @param borrower The address of the borrower. * @param actualRepayAmount The amount of underlying being repaid. */ function repayBorrowVerify(address bToken, address payer, address borrower, uint256 actualRepayAmount, uint256 borrowerIndex) external { // Shh - currently unused bToken; payer; borrower; actualRepayAmount; borrowerIndex; // Shh - we don't ever want this hook to be marked pure if (false) { maxAssets = maxAssets; } } /** * @dev Checks if the account should be allowed to transfer tokens in the given market. * @param bToken The market to verify the transfer against. * @param src The account which sources the tokens. * @param dst The account which receives the tokens. * @param transferTokens The number of bTokens to transfer. * @return 0 if the transfer is allowed, otherwise a semi-opaque error code (See ErrorReporter.sol). */ function transferAllowed(address bToken, address src, address dst, uint256 transferTokens) external returns (uint) { // Shh - currently unused bToken; src; dst; transferTokens; // Pausing is a very serious situation - we revert to sound the alarms require(!transferGuardianPaused, "Bondtroller: Transfer is paused"); // Currently the only consideration is whether or not // the src is allowed to redeem this many tokens // uint256 allowed = redeemAllowedInternal(bToken, src, transferTokens); // if (allowed != uint256(Error.NO_ERROR)) { // return allowed; // } // Shh - we don't ever want this hook to be marked pure if (false) { maxAssets = maxAssets; } return uint256(Error.NO_ERROR); } /** * @dev Validates transfer and reverts on rejection. May emit logs. * @param bToken Asset being transferred. * @param src The account which sources the tokens. * @param dst The account which receives the tokens. * @param transferTokens The number of bTokens to transfer. */ function transferVerify(address bToken, address src, address dst, uint256 transferTokens) external onlyPrimaryLendingPlatform { // Shh - currently unused bToken; src; dst; transferTokens; // Shh - we don't ever want this hook to be marked pure if (false) { maxAssets = maxAssets; } } /*** Admin Functions ***/ /** * @dev Sets a new price oracle for the bondtroller. * Admin function to set a new price oracle. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function setPriceOracle(address newOracle) public returns (uint) { // Check caller is admin if (msg.sender != admin) { return fail(Error.UNAUTHORIZED, FailureInfo.SET_PRICE_ORACLE_OWNER_CHECK); } // Track the old oracle for the bondtroller address oldOracle = oracle; // Set bondtroller's oracle to newOracle oracle = newOracle; // Emit NewPriceOracle(oldOracle, newOracle) emit NewPriceOracle(oldOracle, newOracle); return uint256(Error.NO_ERROR); } /** * @dev Sets the address of the primary lending platform. * @param _newPrimaryLendingPlatform The new address of the primary lending platform. * @return uint 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function setPrimaryLendingPlatformAddress(address _newPrimaryLendingPlatform) external returns (uint) { // Check caller is admin if (msg.sender != admin) { return fail(Error.UNAUTHORIZED, FailureInfo.SET_LIQUIDATION_INCENTIVE_OWNER_CHECK); } address oldPrimaryLendingPlatform = primaryLendingPlatform; primaryLendingPlatform = _newPrimaryLendingPlatform; emit NewPrimaryLendingPlatform(oldPrimaryLendingPlatform, _newPrimaryLendingPlatform); return uint256(Error.NO_ERROR); } /** * @dev Add the market to the markets mapping and set it as listed. * Admin function to set isListed and add support for the market. * @param bToken The address of the market (token) to list. * @return uint256 0=success, otherwise a failure. (See enum Error for details). */ function supportMarket(BToken bToken) external returns (uint) { if (msg.sender != admin) { return fail(Error.UNAUTHORIZED, FailureInfo.SUPPORT_MARKET_OWNER_CHECK); } if (markets[address(bToken)].isListed) { return fail(Error.MARKET_ALREADY_LISTED, FailureInfo.SUPPORT_MARKET_EXISTS); } bToken.isCToken(); // Sanity check to make sure its really a BToken // Note that isComped is not in active use anymore markets[address(bToken)] = Market({isListed: true, isComped: false, collateralFactorMantissa: 0}); _addMarketInternal(address(bToken)); emit MarketListed(bToken); return uint256(Error.NO_ERROR); } /** * @dev Adds a new market to the list of all markets. * @param bToken The address of the BToken contract to be added. */ function _addMarketInternal(address bToken) internal { for (uint256 i = 0; i < allMarkets.length; i++) { require(allMarkets[i] != BToken(bToken), "Bondtroller: Market already added"); } allMarkets.push(BToken(bToken)); } /** * @dev Sets the given borrow caps for the given bToken markets. Borrowing that brings total borrows to or above borrow cap will revert. * Admin or borrowCapGuardian function to set the borrow caps. A borrow cap of 0 corresponds to unlimited borrowing. * @param bTokens The addresses of the markets (tokens) to change the borrow caps for. * @param newBorrowCaps The new borrow cap values in underlying to be set. A value of 0 corresponds to unlimited borrowing. */ function setMarketBorrowCaps(BToken[] calldata bTokens, uint256[] calldata newBorrowCaps) external { require(msg.sender == admin || msg.sender == borrowCapGuardian, "Bondtroller: Only admin or borrow cap guardian can set borrow caps"); uint256 numMarkets = bTokens.length; uint256 numBorrowCaps = newBorrowCaps.length; require(numMarkets != 0 && numMarkets == numBorrowCaps, "Bondtroller: Invalid input"); for (uint256 i = 0; i < numMarkets; i++) { borrowCaps[address(bTokens[i])] = newBorrowCaps[i]; emit NewBorrowCap(bTokens[i], newBorrowCaps[i]); } } /** * @dev Admin function to change the Borrow Cap Guardian. * @param newBorrowCapGuardian The address of the new Borrow Cap Guardian. */ function setBorrowCapGuardian(address newBorrowCapGuardian) external { require(msg.sender == admin, "Bondtroller: Only admin can set borrow cap guardian"); // Save current value for inclusion in log address oldBorrowCapGuardian = borrowCapGuardian; // Store borrowCapGuardian with value newBorrowCapGuardian borrowCapGuardian = newBorrowCapGuardian; // Emit NewBorrowCapGuardian(OldBorrowCapGuardian, NewBorrowCapGuardian) emit NewBorrowCapGuardian(oldBorrowCapGuardian, newBorrowCapGuardian); } /** * @dev Admin function to change the Pause Guardian. * @param newPauseGuardian The address of the new Pause Guardian. * @return uint256 0=success, otherwise a failure. (See enum Error for details). */ function setPauseGuardian(address newPauseGuardian) public returns (uint) { if (msg.sender != admin) { return fail(Error.UNAUTHORIZED, FailureInfo.SET_PAUSE_GUARDIAN_OWNER_CHECK); } // Save current value for inclusion in log address oldPauseGuardian = pauseGuardian; // Store pauseGuardian with value newPauseGuardian pauseGuardian = newPauseGuardian; // Emit NewPauseGuardian(OldPauseGuardian, NewPauseGuardian) emit NewPauseGuardian(oldPauseGuardian, pauseGuardian); return uint256(Error.NO_ERROR); } /** * @dev Pauses or unpauses minting of a specific BToken. * @param bToken The address of the BToken to pause or unpause minting for. * @param state The boolean state to set the minting pause status to. * @return A boolean indicating whether the minting pause status was successfully set. */ function setMintPaused(BToken bToken, bool state) public returns (bool) { require(markets[address(bToken)].isListed, "Bondtroller: Cannot pause a market that is not listed"); require(msg.sender == pauseGuardian || msg.sender == admin, "Bondtroller: Only pause guardian and admin can pause"); require(msg.sender == admin || state == true, "Bondtroller: Only admin can unpause"); mintGuardianPaused[address(bToken)] = state; emit ActionPaused(bToken, "Mint", state); return state; } /** * @dev Pauses or unpauses borrowing for a given market. * @param bToken The address of the BToken to pause or unpause borrowing. * @param state The boolean state to set the borrowing pause to. * @return A boolean indicating whether the operation was successful. */ function setBorrowPaused(BToken bToken, bool state) public returns (bool) { require(markets[address(bToken)].isListed, "Bondtroller: Cannot pause a market that is not listed"); require(msg.sender == pauseGuardian || msg.sender == admin, "Bondtroller: Only pause guardian and admin can pause"); require(msg.sender == admin || state == true, "Bondtroller: Only admin can unpause"); borrowGuardianPaused[address(bToken)] = state; emit ActionPaused(bToken, "Borrow", state); return state; } /** * @dev Sets the transfer pause state. * @param state The new transfer pause state. * @return bool Returns the new transfer pause state. */ function setTransferPaused(bool state) public returns (bool) { require(msg.sender == pauseGuardian || msg.sender == admin, "Bondtroller: Only pause guardian and admin can pause"); require(msg.sender == admin || state == true, "Bondtroller: Only admin can unpause"); transferGuardianPaused = state; emit GlobalActionPaused("Transfer", state); return state; } /** * @dev Sets the state of the seizeGuardianPaused variable to the given state. * @param state The new state of the seizeGuardianPaused variable. * @return The new state of the seizeGuardianPaused variable. */ function setSeizePaused(bool state) public returns (bool) { require(msg.sender == pauseGuardian || msg.sender == admin, "Bondtroller: Only pause guardian and admin can pause"); require(msg.sender == admin || state == true, "Bondtroller: Only admin can unpause"); seizeGuardianPaused = state; emit GlobalActionPaused("Seize", state); return state; } /** * @dev Checks caller is admin, or this contract is becoming the new implementation. */ function adminOrInitializing() internal view returns (bool) { return msg.sender == admin; } /** * @dev Returns all of the markets. * The automatic getter may be used to access an individual market. * @return The list of market addresses. */ function getAllMarkets() public view returns (BToken[] memory) { return allMarkets; } /** * @dev Returns true if the given bToken market has been deprecated. * All borrows in a deprecated bToken market can be immediately liquidated. * @param bToken The market to check if deprecated. */ function isDeprecated(BToken bToken) public view returns (bool) { return markets[address(bToken)].collateralFactorMantissa == 0 && borrowGuardianPaused[address(bToken)] == true && bToken.reserveFactorMantissa() == 1e18; } /** * @dev Returns the current block number. * @return uint representing the current block number. */ function getBlockNumber() public view returns (uint) { return block.number; } }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; import "../bToken/BToken.sol"; contract BondtrollerV1Storage { /** * @notice watermark that says that this is Bondtroller */ bool public constant isBondtroller = true; /** * @notice Administrator for this contract */ address public admin; /** * @notice Oracle which gives the price of any given asset */ address public oracle; /** * @notice Multiplier used to calculate the maximum repayAmount when liquidating a borrow */ uint256 public closeFactorMantissa; /** * @notice Multiplier representing the discount on collateral that a liquidator receives */ uint256 public liquidationIncentiveMantissa; /** * @notice Max number of assets a single account can participate in (borrow or use as collateral) */ uint256 public maxAssets; /** * @notice Per-account mapping of "assets you are in", capped by maxAssets */ mapping(address => BToken[]) public accountAssets; } contract BondtrollerV2Storage is BondtrollerV1Storage { struct Market { /// @notice Whether or not this market is listed bool isListed; /** * @notice Multiplier representing the most one can borrow against their collateral in this market. * For instance, 0.9 to allow borrowing 90% of collateral value. * Must be between 0 and 1, and stored as a mantissa. */ uint256 collateralFactorMantissa; /// @notice Whether or not this market receives COMP bool isComped; } /// @notice Per-market mapping of "accounts in this asset" mapping(address => mapping(address => bool)) public accountMembership; //user address => BToken address => isListed /** * @notice Official mapping of BTokens -> Market metadata * @dev Used e.g. to determine if a market is supported */ mapping(address => Market) public markets; /** * @notice The Pause Guardian can pause certain actions as a safety mechanism. * Actions which allow users to remove their own assets cannot be paused. * Liquidation / seizing / transfer can only be paused globally, not by market. */ address public pauseGuardian; bool public _mintGuardianPaused; bool public _borrowGuardianPaused; bool public transferGuardianPaused; bool public seizeGuardianPaused; mapping(address => bool) public mintGuardianPaused; mapping(address => bool) public borrowGuardianPaused; } contract BondtrollerV3Storage is BondtrollerV2Storage { struct CompMarketState { /// @notice The market's last updated compBorrowIndex or compSupplyIndex uint224 index; /// @notice The block number the index was last updated at uint32 block; } /// @notice A list of all markets BToken[] public allMarkets; /// @notice The rate at which the flywheel distributes COMP, per block uint256 public compRate; /// @notice The portion of compRate that each market currently receives mapping(address => uint) public compSpeeds; /// @notice The COMP market supply state for each market mapping(address => CompMarketState) public compSupplyState; /// @notice The COMP market borrow state for each market mapping(address => CompMarketState) public compBorrowState; /// @notice The COMP borrow index for each market for each supplier as of the last time they accrued COMP mapping(address => mapping(address => uint)) public compSupplierIndex; /// @notice The COMP borrow index for each market for each borrower as of the last time they accrued COMP mapping(address => mapping(address => uint)) public compBorrowerIndex; /// @notice The COMP accrued but not yet transferred to each user mapping(address => uint) public compAccrued; } contract BondtrollerV4Storage is BondtrollerV3Storage { // @notice The borrowCapGuardian can set borrowCaps to any number for any market. Lowering the borrow cap could disable borrowing on the given market. address public borrowCapGuardian; // @notice Borrow caps enforced by borrowAllowed for each BToken address. Defaults to zero which corresponds to unlimited borrowing. mapping(address => uint) public borrowCaps; } contract BondtrollerV5Storage is BondtrollerV4Storage { /// @notice The portion of COMP that each contributor receives per block mapping(address => uint) public compContributorSpeeds; /// @notice Last block at which a contributor's COMP rewards have been allocated mapping(address => uint) public lastContributorBlock; }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; import "./BToken.sol"; /** * @title Compound's CErc20 Contract * @notice CTokens which wrap an EIP-20 underlying * @author Compound */ abstract contract BErc20 is BToken, BErc20Interface { /** * @dev Initializes the new money market. * @param underlying_ The address of the underlying asset. * @param comptroller_ The address of the Comptroller. * @param interestRateModel_ The address of the interest rate model. * @param initialExchangeRateMantissa_ The initial exchange rate, scaled by 1e18. * @param name_ ERC-20 name of this token. * @param symbol_ ERC-20 symbol of this token. * @param decimals_ ERC-20 decimal precision of this token. */ function initialize( address underlying_, Bondtroller comptroller_, InterestRateModel interestRateModel_, uint256 initialExchangeRateMantissa_, string memory name_, string memory symbol_, uint8 decimals_ ) public { // CToken initialize does the bulk of the work super.initialize(comptroller_, interestRateModel_, initialExchangeRateMantissa_, name_, symbol_, decimals_); // Set underlying and sanity check it underlying = underlying_; EIP20Interface(underlying).totalSupply(); } /*** User Interface ***/ /** * @dev A public function to sweep accidental ERC-20 transfers to this contract. Tokens are sent to admin (timelock). * @param token The address of the ERC-20 token to sweep. */ function sweepToken(EIP20NonStandardInterface token) external override { require(address(token) != underlying, "BErc20: Can not sweep underlying token"); uint256 balance = token.balanceOf(address(this)); token.transfer(admin, balance); } /** * @dev The sender adds to reserves. * @param addAmount The amount fo underlying token to add as reserves. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _addReserves(uint256 addAmount) external override returns (uint) { return _addReservesInternal(addAmount); } /*** Safe Token ***/ /** * @dev Gets balance of this contract in terms of the underlying. * This excludes the value of the current message, if any. * @return The quantity of underlying tokens owned by this contract. */ function getCashPrior() internal view override returns (uint) { EIP20Interface token = EIP20Interface(underlying); return token.balanceOf(address(this)); } /** * @dev Similar to EIP20 transfer, except it handles a False result from `transferFrom` and reverts in that case. * This will revert due to insufficient balance or insufficient allowance. * This function returns the actual amount received, * which may be less than `amount` if there is a fee attached to the transfer. * * Note: This wrapper safely handles non-standard ERC-20 tokens that do not return a value. * See here: https://medium.com/coinmonks/missing-return-value-bug-at-least-130-tokens-affected-d67bf08521ca */ function doTransferIn(address from, uint256 amount) internal override returns (uint) { EIP20NonStandardInterface token = EIP20NonStandardInterface(underlying); uint256 balanceBefore = EIP20Interface(underlying).balanceOf(address(this)); token.transferFrom(from, address(this), amount); bool success; assembly { switch returndatasize() case 0 { // This is a non-standard ERC-20 success := not(0) // set success to true } case 32 { // This is a compliant ERC-20 returndatacopy(0, 0, 32) success := mload(0) // Set `success = returndata` of external call } default { // This is an excessively non-compliant ERC-20, revert. revert(0, 0) } } require(success, "TOKEN_TRANSFER_IN_FAILED"); // Calculate the amount that was *actually* transferred uint256 balanceAfter = EIP20Interface(underlying).balanceOf(address(this)); require(balanceAfter >= balanceBefore, "TOKEN_TRANSFER_IN_OVERFLOW"); return balanceAfter - balanceBefore; // underflow already checked above, just subtract } /** * @dev Similar to EIP20 transfer, except it handles a False success from `transfer` and returns an explanatory * error code rather than reverting. If caller has not called checked protocol's balance, this may revert due to * insufficient cash held in this contract. If caller has checked protocol's balance prior to this call, and verified * it is >= amount, this should not revert in normal conditions. * * Note: This wrapper safely handles non-standard ERC-20 tokens that do not return a value. * See here: https://medium.com/coinmonks/missing-return-value-bug-at-least-130-tokens-affected-d67bf08521ca */ function doTransferOut(address payable to, uint256 amount) internal override { EIP20NonStandardInterface token = EIP20NonStandardInterface(underlying); token.transfer(to, amount); bool success; assembly { switch returndatasize() case 0 { // This is a non-standard ERC-20 success := not(0) // set success to true } case 32 { // This is a compliant ERC-20 returndatacopy(0, 0, 32) success := mload(0) // Set `success = returndata` of external call } default { // This is an excessively non-compliant ERC-20, revert. revert(0, 0) } } require(success, "TOKEN_TRANSFER_OUT_FAILED"); } }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; import "../bondtroller/Bondtroller.sol"; import "./BTokenInterfaces.sol"; import "../util/ErrorReporter.sol"; import "../util/Exponential.sol"; import "../interfaces/EIP20Interface.sol"; import "../interestRateModel/InterestRateModel.sol"; /** * @title Compound's CToken Contract * @notice Abstract base for CTokens * @author Compound */ abstract contract BToken is BTokenInterface, Exponential, TokenErrorReporter { /** * @dev Initializes the money market. * @param bondtroller_ The address of the Bondtroller. * @param interestRateModel_ The address of the interest rate model. * @param initialExchangeRateMantissa_ The initial exchange rate, scaled by 1e18. * @param name_ EIP-20 name of this token. * @param symbol_ EIP-20 symbol of this token. * @param decimals_ EIP-20 decimal precision of this token. */ function initialize( Bondtroller bondtroller_, InterestRateModel interestRateModel_, uint256 initialExchangeRateMantissa_, string memory name_, string memory symbol_, uint8 decimals_ ) public { require(msg.sender == admin, "BToken: Only admin may initialize the market"); require(accrualBlockNumber == 0 && borrowIndex == 0, "BToken: Market may only be initialized once"); // Set initial exchange rate initialExchangeRateMantissa = initialExchangeRateMantissa_; require(initialExchangeRateMantissa > 0, "BToken: Initial exchange rate must be greater than zero."); // Set the bondtroller uint256 err = _setBondtroller(bondtroller_); require(err == uint256(Error.NO_ERROR), "BToken: Setting bondtroller failed"); // Initialize block number and borrow index (block number mocks depend on bondtroller being set) accrualBlockNumber = getBlockNumber(); borrowIndex = mantissaOne; // Set the interest rate model (depends on block number / borrow index) err = _setInterestRateModelFresh(interestRateModel_); require(err == uint256(Error.NO_ERROR), "BToken: Setting interest rate model failed"); name = name_; symbol = symbol_; decimals = decimals_; // The counter starts true to prevent changing it from zero to non-zero (i.e. smaller cost/refund) _notEntered = true; } /** * @dev Transfers `tokens` tokens from `src` to `dst` by `spender`. * Called by both `transfer` and `transferFrom` internally. * @param spender The address of the account performing the transfer. * @param src The address of the source account. * @param dst The address of the destination account. * @param tokens The number of tokens to transfer. * @return Whether or not the transfer succeeded. */ function transferTokens(address spender, address src, address dst, uint256 tokens) internal returns (uint) { /* Fail if transfer not allowed */ uint256 allowed = bondtroller.transferAllowed(address(this), src, dst, tokens); if (allowed != 0) { return failOpaque(Error.COMPTROLLER_REJECTION, FailureInfo.TRANSFER_COMPTROLLER_REJECTION, allowed); } /* Do not allow self-transfers */ if (src == dst) { return fail(Error.BAD_INPUT, FailureInfo.TRANSFER_NOT_ALLOWED); } /* Get the allowance, infinite for the account owner */ uint256 startingAllowance = 0; if (spender == src) { startingAllowance = ((2 ** 256) - 1); } else { startingAllowance = transferAllowances[src][spender]; } /* Do the calculations, checking for {under,over}flow */ MathError mathErr; uint256 allowanceNew; uint256 srcTokensNew; uint256 dstTokensNew; (mathErr, allowanceNew) = subUInt(startingAllowance, tokens); if (mathErr != MathError.NO_ERROR) { return fail(Error.MATH_ERROR, FailureInfo.TRANSFER_NOT_ALLOWED); } (mathErr, srcTokensNew) = subUInt(accountTokens[src], tokens); if (mathErr != MathError.NO_ERROR) { return fail(Error.MATH_ERROR, FailureInfo.TRANSFER_NOT_ENOUGH); } (mathErr, dstTokensNew) = addUInt(accountTokens[dst], tokens); if (mathErr != MathError.NO_ERROR) { return fail(Error.MATH_ERROR, FailureInfo.TRANSFER_TOO_MUCH); } ///////////////////////// // EFFECTS & INTERACTIONS // (No safe failures beyond this point) accountTokens[src] = srcTokensNew; accountTokens[dst] = dstTokensNew; /* Eat some of the allowance (if necessary) */ if (startingAllowance != ((2 ** 256) - 1)) { transferAllowances[src][spender] = allowanceNew; } /* We emit a Transfer event */ emit Transfer(src, dst, tokens); // unused function // bondtroller.transferVerify(address(this), src, dst, tokens); return uint256(Error.NO_ERROR); } /** * @dev Transfers `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 override nonReentrant returns (bool) { return transferTokens(msg.sender, msg.sender, dst, amount) == uint256(Error.NO_ERROR); } /** * @dev Transfers `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 override nonReentrant returns (bool) { return transferTokens(msg.sender, src, dst, amount) == uint256(Error.NO_ERROR); } /** * @dev Approves `spender` to transfer up to `amount` from `src`. * 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 override returns (bool) { address src = msg.sender; transferAllowances[src][spender] = amount; emit Approval(src, spender, amount); return true; } /** * @dev Gets 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 override returns (uint256) { return transferAllowances[owner][spender]; } /** * @dev Gets the token balance of the `owner`. * @param owner The address of the account to query. * @return The number of tokens owned by `owner`. */ function balanceOf(address owner) external view override returns (uint256) { return accountTokens[owner]; } /** * @dev Gets the underlying balance of the `owner`. * This also accrues interest in a transaction. * @param owner The address of the account to query. * @return The amount of underlying owned by `owner`. */ function balanceOfUnderlying(address owner) external override returns (uint) { Exp memory exchangeRate = Exp({mantissa: exchangeRateCurrent()}); (MathError mErr, uint256 balance) = mulScalarTruncate(exchangeRate, accountTokens[owner]); require(mErr == MathError.NO_ERROR, "BToken: Balance could not be calculated"); return balance; } /** * @dev Returns the balance of the underlying asset of this bToken for the given account. * This is a view function, which means it will not modify the blockchain state. * @param owner The address of the account to query. * @return The balance of the underlying asset of this bToken for the given account. */ function balanceOfUnderlyingView(address owner) external view returns (uint) { Exp memory exchangeRate = Exp({mantissa: exchangeRateStored()}); (MathError mErr, uint256 balance) = mulScalarTruncate(exchangeRate, accountTokens[owner]); require(mErr == MathError.NO_ERROR, "BToken: Balance could not be calculated"); return balance; } /** * @dev Gets a snapshot of the account's balances, and the cached exchange rate. * This is used by bondtroller to more efficiently perform liquidity checks. * @param account Address of the account to snapshot * @return (possible error, token balance, borrow balance, exchange rate mantissa) */ function getAccountSnapshot(address account) external view override returns (uint, uint, uint, uint) { uint256 cTokenBalance = accountTokens[account]; uint256 borrowBalance; uint256 exchangeRateMantissa; MathError mErr; (mErr, borrowBalance) = borrowBalanceStoredInternal(account); if (mErr != MathError.NO_ERROR) { return (uint256(Error.MATH_ERROR), 0, 0, 0); } (mErr, exchangeRateMantissa) = exchangeRateStoredInternal(); if (mErr != MathError.NO_ERROR) { return (uint256(Error.MATH_ERROR), 0, 0, 0); } return (uint256(Error.NO_ERROR), cTokenBalance, borrowBalance, exchangeRateMantissa); } /** * @dev Function to simply retrieve block number. * This exists mainly for inheriting test contracts to stub this result. */ function getBlockNumber() internal view returns (uint) { return block.number; } /** * @dev Returns the current per-block borrow interest rate for this cToken. * @return The borrow interest rate per block, scaled by 1e18. */ function borrowRatePerBlock() external view override returns (uint) { return interestRateModel.getBorrowRate(getCashPrior(), totalBorrows, totalReserves, address(this)); } /** * @dev Returns the current per-block supply interest rate for this cToken. * @return The supply interest rate per block, scaled by 1e18. */ function supplyRatePerBlock() external view override returns (uint) { return interestRateModel.getSupplyRate(getCashPrior(), totalBorrows, totalReserves, reserveFactorMantissa, address(this)); } /** * @dev Returns the current total borrows plus accrued interest. * @return The total borrows with interest. */ function totalBorrowsCurrent() external override nonReentrant returns (uint) { require(accrueInterest() == uint256(Error.NO_ERROR), "BToken: Accrue interest failed"); return totalBorrows; } /** * @dev Accrues interest to updated borrowIndex and then calculate account's borrow balance using the updated borrowIndex. * @param account The address whose balance should be calculated after updating borrowIndex. * @return The calculated balance. */ function borrowBalanceCurrent(address account) external override nonReentrant returns (uint) { require(accrueInterest() == uint256(Error.NO_ERROR), "BToken: Accrue interest failed"); return borrowBalanceStored(account); } /** * @dev Returns the borrow balance of account based on stored data. * @param account The address whose balance should be calculated. * @return The calculated balance. */ function borrowBalanceStored(address account) public view override returns (uint) { (MathError err, uint256 result) = borrowBalanceStoredInternal(account); require(err == MathError.NO_ERROR, "BToken: BorrowBalanceStoredInternal failed"); return result; } /** * @dev Returns the borrow balance of account based on stored data. * @param account The address whose balance should be calculated. * @return (error code, the calculated balance or 0 if error code is non-zero). */ function borrowBalanceStoredInternal(address account) internal view returns (MathError, uint) { /* Note: we do not assert that the market is up to date */ MathError mathErr; uint256 principalTimesIndex; uint256 result; /* Get borrowBalance and borrowIndex */ BorrowSnapshot storage borrowSnapshot = accountBorrows[account]; /* If borrowBalance = 0 then borrowIndex is likely also 0. * Rather than failing the calculation with a division by 0, we immediately return 0 in this case. */ if (borrowSnapshot.principal == 0) { return (MathError.NO_ERROR, 0); } /* Calculate new borrow balance using the interest index: * recentBorrowBalance = borrower.borrowBalance * market.borrowIndex / borrower.borrowIndex */ (mathErr, principalTimesIndex) = mulUInt(borrowSnapshot.principal, borrowIndex); if (mathErr != MathError.NO_ERROR) { return (mathErr, 0); } (mathErr, result) = divUInt(principalTimesIndex, borrowSnapshot.interestIndex); if (mathErr != MathError.NO_ERROR) { return (mathErr, 0); } return (MathError.NO_ERROR, result); } /** * @dev Accrues interest then return the up-to-date exchange rate. * @return Calculated exchange rate scaled by 1e18. */ function exchangeRateCurrent() public override nonReentrant returns (uint) { require(accrueInterest() == uint256(Error.NO_ERROR), "BToken: Accrue interest failed"); return exchangeRateStored(); } /** * @dev Calculates the exchange rate from the underlying to the CToken. * @dev This function does not accrue interest before calculating the exchange rate. * @return Calculated exchange rate scaled by 1e18. */ function exchangeRateStored() public view override returns (uint) { (MathError err, uint256 result) = exchangeRateStoredInternal(); require(err == MathError.NO_ERROR, "BToken: ExchangeRateStoredInternal failed"); return result; } /** * @dev Calculates the exchange rate from the underlying to the CToken. * @dev This function does not accrue interest before calculating the exchange rate. * @return (error code, calculated exchange rate scaled by 1e18). */ function exchangeRateStoredInternal() internal view returns (MathError, uint) { uint256 _totalSupply = totalSupply; if (_totalSupply == 0) { /* * If there are no tokens minted: * exchangeRate = initialExchangeRate */ return (MathError.NO_ERROR, initialExchangeRateMantissa); } else { /* * Otherwise: * exchangeRate = (totalCash + totalBorrows - totalReserves) / totalSupply */ uint256 totalCash = getCashPrior(); uint256 cashPlusBorrowsMinusReserves; Exp memory exchangeRate; MathError mathErr; (mathErr, cashPlusBorrowsMinusReserves) = addThenSubUInt(totalCash, totalBorrows, totalReserves); if (mathErr != MathError.NO_ERROR) { return (mathErr, 0); } (mathErr, exchangeRate) = getExp(cashPlusBorrowsMinusReserves, _totalSupply); if (mathErr != MathError.NO_ERROR) { return (mathErr, 0); } return (MathError.NO_ERROR, exchangeRate.mantissa); } } /** * @dev Gets cash balance of this cToken in the underlying asset. * @return The quantity of underlying asset owned by this contract. */ function getCash() external view override returns (uint) { return getCashPrior(); } /** * @dev Applies accrued interest to total borrows and reserves. * This calculates interest accrued from the last checkpointed block * up to the current block and writes new checkpoint to storage. */ function accrueInterest() public override returns (uint) { /* Remember the initial block number */ uint256 currentBlockNumber = getBlockNumber(); uint256 accrualBlockNumberPrior = accrualBlockNumber; /* Short-circuit accumulating 0 interest */ if (accrualBlockNumberPrior == currentBlockNumber) { return uint256(Error.NO_ERROR); } /* Read the previous values out of storage */ uint256 cashPrior = getCashPrior(); uint256 borrowsPrior = totalBorrows; uint256 reservesPrior = totalReserves; uint256 borrowIndexPrior = borrowIndex; /* Calculate the current borrow interest rate */ interestRateModel.storeBorrowRate(cashPrior, borrowsPrior, reservesPrior); uint256 borrowRateMantissa = interestRateModel.getBorrowRate(cashPrior, borrowsPrior, reservesPrior, address(this)); require(borrowRateMantissa <= borrowRateMaxMantissa, "borrow rate is absurdly high"); /* Calculate the number of blocks elapsed since the last accrual */ (MathError mathErr, uint256 blockDelta) = subUInt(currentBlockNumber, accrualBlockNumberPrior); require(mathErr == MathError.NO_ERROR, "BToken: Could not calculate block delta"); /* * Calculate the interest accumulated into borrows and reserves and the new index: * simpleInterestFactor = borrowRate * blockDelta * interestAccumulated = simpleInterestFactor * totalBorrows * totalBorrowsNew = interestAccumulated + totalBorrows * totalReservesNew = interestAccumulated * reserveFactor + totalReserves * borrowIndexNew = simpleInterestFactor * borrowIndex + borrowIndex */ Exp memory simpleInterestFactor; uint256 interestAccumulated; uint256 totalBorrowsNew; uint256 totalReservesNew; uint256 borrowIndexNew; (mathErr, simpleInterestFactor) = mulScalar(Exp({mantissa: borrowRateMantissa}), blockDelta); if (mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.ACCRUE_INTEREST_SIMPLE_INTEREST_FACTOR_CALCULATION_FAILED, uint256(mathErr)); } (mathErr, interestAccumulated) = mulScalarTruncate(simpleInterestFactor, borrowsPrior); if (mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.ACCRUE_INTEREST_ACCUMULATED_INTEREST_CALCULATION_FAILED, uint256(mathErr)); } (mathErr, totalBorrowsNew) = addUInt(interestAccumulated, borrowsPrior); if (mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.ACCRUE_INTEREST_NEW_TOTAL_BORROWS_CALCULATION_FAILED, uint256(mathErr)); } (mathErr, totalReservesNew) = mulScalarTruncateAddUInt(Exp({mantissa: reserveFactorMantissa}), interestAccumulated, reservesPrior); if (mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.ACCRUE_INTEREST_NEW_TOTAL_RESERVES_CALCULATION_FAILED, uint256(mathErr)); } (mathErr, borrowIndexNew) = mulScalarTruncateAddUInt(simpleInterestFactor, borrowIndexPrior, borrowIndexPrior); if (mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.ACCRUE_INTEREST_NEW_BORROW_INDEX_CALCULATION_FAILED, uint256(mathErr)); } ///////////////////////// // EFFECTS & INTERACTIONS // (No safe failures beyond this point) /* We write the previously calculated values into storage */ accrualBlockNumber = currentBlockNumber; borrowIndex = borrowIndexNew; totalBorrows = totalBorrowsNew; totalReserves = totalReservesNew; /* We emit an AccrueInterest event */ emit AccrueInterest(cashPrior, interestAccumulated, borrowIndexNew, totalBorrowsNew); return uint256(Error.NO_ERROR); } /** * @dev Sender supplies assets into the market and receives cTokens in exchange. * Accrues interest whether or not the operation succeeds, unless reverted. * @param mintAmount The amount of the underlying asset to supply. * @return (uint, uint) An error code (0=success, otherwise a failure, see ErrorReporter.sol), and the actual mint amount. */ function mintInternal(uint256 mintAmount) internal nonReentrant returns (uint, uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted borrow failed return (fail(Error(error), FailureInfo.MINT_ACCRUE_INTEREST_FAILED), 0); } // mintFresh emits the actual Mint event if successful and logs on errors, so we don't need to return mintFresh(msg.sender, mintAmount); } struct MintLocalVars { Error err; MathError mathErr; uint256 exchangeRateMantissa; uint256 mintTokens; uint256 totalSupplyNew; uint256 accountTokensNew; uint256 actualMintAmount; } /** * @dev User supplies assets into the market and receives cTokens in exchange. * Assumes interest has already been accrued up to the current block. * @param minter The address of the account which is supplying the assets. * @param mintAmount The amount of the underlying asset to supply. * @return (uint, uint) An error code (0=success, otherwise a failure, see ErrorReporter.sol), and the actual mint amount. */ function mintFresh(address minter, uint256 mintAmount) internal returns (uint, uint) { /* Fail if mint not allowed */ uint256 allowed = bondtroller.mintAllowed(address(this), minter, mintAmount); if (allowed != 0) { return (failOpaque(Error.COMPTROLLER_REJECTION, FailureInfo.MINT_COMPTROLLER_REJECTION, allowed), 0); } /* Verify market's block number equals current block number */ if (accrualBlockNumber != getBlockNumber()) { return (fail(Error.MARKET_NOT_FRESH, FailureInfo.MINT_FRESHNESS_CHECK), 0); } MintLocalVars memory vars; (vars.mathErr, vars.exchangeRateMantissa) = exchangeRateStoredInternal(); if (vars.mathErr != MathError.NO_ERROR) { return (failOpaque(Error.MATH_ERROR, FailureInfo.MINT_EXCHANGE_RATE_READ_FAILED, uint256(vars.mathErr)), 0); } ///////////////////////// // EFFECTS & INTERACTIONS // (No safe failures beyond this point) /* * We call `doTransferIn` for the minter and the mintAmount. * Note: The cToken must handle variations between ERC-20 and ETH underlying. * `doTransferIn` reverts if anything goes wrong, since we can't be sure if * side-effects occurred. The function returns the amount actually transferred, * in case of a fee. On success, the cToken holds an additional `actualMintAmount` * of cash. */ vars.actualMintAmount = doTransferIn(minter, mintAmount); /* * We get the current exchange rate and calculate the number of cTokens to be minted: * mintTokens = actualMintAmount / exchangeRate */ (vars.mathErr, vars.mintTokens) = divScalarByExpTruncate(vars.actualMintAmount, Exp({mantissa: vars.exchangeRateMantissa})); require(vars.mathErr == MathError.NO_ERROR, "MINT_EXCHANGE_CALCULATION_FAILED"); /* * We calculate the new total supply of cTokens and minter token balance, checking for overflow: * totalSupplyNew = totalSupply + mintTokens * accountTokensNew = accountTokens[minter] + mintTokens */ (vars.mathErr, vars.totalSupplyNew) = addUInt(totalSupply, vars.mintTokens); require(vars.mathErr == MathError.NO_ERROR, "MINT_NEW_TOTAL_SUPPLY_CALCULATION_FAILED"); (vars.mathErr, vars.accountTokensNew) = addUInt(accountTokens[minter], vars.mintTokens); require(vars.mathErr == MathError.NO_ERROR, "MINT_NEW_ACCOUNT_BALANCE_CALCULATION_FAILED"); /* We write previously calculated values into storage */ totalSupply = vars.totalSupplyNew; accountTokens[minter] = vars.accountTokensNew; /* We emit a Mint event, and a Transfer event */ emit Mint(minter, vars.actualMintAmount, vars.mintTokens); emit Transfer(address(this), minter, vars.mintTokens); /* We call the defense hook */ // unused function // bondtroller.mintVerify(address(this), minter, vars.actualMintAmount, vars.mintTokens); return (uint256(Error.NO_ERROR), vars.actualMintAmount); } /** * @dev Sender redeems cTokens in exchange for the underlying asset. * Accrues interest whether or not the operation succeeds, unless reverted. * @param redeemTokens The number of cTokens to redeem into underlying. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function redeemInternal(uint256 redeemTokens) internal nonReentrant returns (uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted redeem failed return fail(Error(error), FailureInfo.REDEEM_ACCRUE_INTEREST_FAILED); } // redeemFresh emits redeem-specific logs on errors, so we don't need to return redeemFresh(payable(msg.sender), redeemTokens, 0); } /** * @dev Sender redeems cTokens in exchange for a specified amount of underlying asset. * Accrues interest whether or not the operation succeeds, unless reverted. * @param redeemAmount The amount of underlying to receive from redeeming cTokens. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function redeemUnderlyingInternal(uint256 redeemAmount) internal nonReentrant returns (uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted redeem failed return fail(Error(error), FailureInfo.REDEEM_ACCRUE_INTEREST_FAILED); } // redeemFresh emits redeem-specific logs on errors, so we don't need to return redeemFresh(payable(msg.sender), 0, redeemAmount); } struct RedeemLocalVars { Error err; MathError mathErr; uint256 exchangeRateMantissa; uint256 redeemTokens; uint256 redeemAmount; uint256 totalSupplyNew; uint256 accountTokensNew; } /** * @dev User redeems cTokens in exchange for the underlying asset. * Assumes interest has already been accrued up to the current block. * @param redeemer The address of the account which is redeeming the tokens. * @param redeemTokensIn The number of cTokens to redeem into underlying (only one of redeemTokensIn or redeemAmountIn may be non-zero). * @param redeemAmountIn The number of underlying tokens to receive from redeeming cTokens (only one of redeemTokensIn or redeemAmountIn may be non-zero). * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function redeemFresh(address payable redeemer, uint256 redeemTokensIn, uint256 redeemAmountIn) internal returns (uint) { require(redeemTokensIn == 0 || redeemAmountIn == 0, "BToken: One of redeemTokensIn or redeemAmountIn must be zero"); RedeemLocalVars memory vars; /* exchangeRate = invoke Exchange Rate Stored() */ (vars.mathErr, vars.exchangeRateMantissa) = exchangeRateStoredInternal(); if (vars.mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.REDEEM_EXCHANGE_RATE_READ_FAILED, uint256(vars.mathErr)); } /* If redeemTokensIn > 0: */ if (redeemTokensIn > 0) { /* * We calculate the exchange rate and the amount of underlying to be redeemed: * redeemTokens = redeemTokensIn * redeemAmount = redeemTokensIn x exchangeRateCurrent */ vars.redeemTokens = redeemTokensIn; (vars.mathErr, vars.redeemAmount) = mulScalarTruncate(Exp({mantissa: vars.exchangeRateMantissa}), redeemTokensIn); if (vars.mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.REDEEM_EXCHANGE_TOKENS_CALCULATION_FAILED, uint256(vars.mathErr)); } } else { /* * We get the current exchange rate and calculate the amount to be redeemed: * redeemTokens = redeemAmountIn / exchangeRate * redeemAmount = redeemAmountIn */ (vars.mathErr, vars.redeemTokens) = divScalarByExpTruncate(redeemAmountIn, Exp({mantissa: vars.exchangeRateMantissa})); if (vars.mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.REDEEM_EXCHANGE_AMOUNT_CALCULATION_FAILED, uint256(vars.mathErr)); } vars.redeemAmount = redeemAmountIn; } /* Fail if redeem not allowed */ uint256 allowed = bondtroller.redeemAllowed(address(this), redeemer, vars.redeemTokens); if (allowed != 0) { return failOpaque(Error.COMPTROLLER_REJECTION, FailureInfo.REDEEM_COMPTROLLER_REJECTION, allowed); } /* Verify market's block number equals current block number */ if (accrualBlockNumber != getBlockNumber()) { return fail(Error.MARKET_NOT_FRESH, FailureInfo.REDEEM_FRESHNESS_CHECK); } /* * We calculate the new total supply and redeemer balance, checking for underflow: * totalSupplyNew = totalSupply - redeemTokens * accountTokensNew = accountTokens[redeemer] - redeemTokens */ (vars.mathErr, vars.totalSupplyNew) = subUInt(totalSupply, vars.redeemTokens); if (vars.mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.REDEEM_NEW_TOTAL_SUPPLY_CALCULATION_FAILED, uint256(vars.mathErr)); } (vars.mathErr, vars.accountTokensNew) = subUInt(accountTokens[redeemer], vars.redeemTokens); if (vars.mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.REDEEM_NEW_ACCOUNT_BALANCE_CALCULATION_FAILED, uint256(vars.mathErr)); } /* Fail gracefully if protocol has insufficient cash */ if (getCashPrior() < vars.redeemAmount) { return fail(Error.TOKEN_INSUFFICIENT_CASH, FailureInfo.REDEEM_TRANSFER_OUT_NOT_POSSIBLE); } ///////////////////////// // EFFECTS & INTERACTIONS // (No safe failures beyond this point) /* We write previously calculated values into storage */ totalSupply = vars.totalSupplyNew; accountTokens[redeemer] = vars.accountTokensNew; /* * We invoke doTransferOut for the redeemer and the redeemAmount. * Note: The cToken must handle variations between ERC-20 and ETH underlying. * On success, the cToken has redeemAmount less of cash. * doTransferOut reverts if anything goes wrong, since we can't be sure if side effects occurred. */ doTransferOut(redeemer, vars.redeemAmount); /* We emit a Transfer event, and a Redeem event */ emit Transfer(redeemer, address(this), vars.redeemTokens); emit Redeem(redeemer, vars.redeemAmount, vars.redeemTokens); /* We call the defense hook */ bondtroller.redeemVerify(address(this), redeemer, vars.redeemAmount, vars.redeemTokens); return uint256(Error.NO_ERROR); } /** * @dev Sender borrows assets from the protocol to their own address. * @param borrowAmount The amount of the underlying asset to borrow. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function borrowInternal(uint256 borrowAmount) internal nonReentrant returns (uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted borrow failed return fail(Error(error), FailureInfo.BORROW_ACCRUE_INTEREST_FAILED); } // borrowFresh emits borrow-specific logs on errors, so we don't need to return borrowFresh(payable(msg.sender), borrowAmount); } struct BorrowLocalVars { MathError mathErr; uint256 accountBorrows; uint256 accountBorrowsNew; uint256 totalBorrowsNew; } /** * @dev Users borrow assets from the protocol to their own address. * @param borrowAmount The amount of the underlying asset to borrow. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function borrowFresh(address payable borrower, uint256 borrowAmount) internal returns (uint) { /* Fail if borrow not allowed */ uint256 allowed = bondtroller.borrowAllowed(address(this), borrower, borrowAmount); if (allowed != 0) { return failOpaque(Error.COMPTROLLER_REJECTION, FailureInfo.BORROW_COMPTROLLER_REJECTION, allowed); } /* Verify market's block number equals current block number */ if (accrualBlockNumber != getBlockNumber()) { return fail(Error.MARKET_NOT_FRESH, FailureInfo.BORROW_FRESHNESS_CHECK); } /* Fail gracefully if protocol has insufficient underlying cash */ if (getCashPrior() < borrowAmount) { revert("BToken: Insufficient cash"); //return fail(Error.TOKEN_INSUFFICIENT_CASH, FailureInfo.BORROW_CASH_NOT_AVAILABLE); } BorrowLocalVars memory vars; /* * We calculate the new borrower and total borrow balances, failing on overflow: * accountBorrowsNew = accountBorrows + borrowAmount * totalBorrowsNew = totalBorrows + borrowAmount */ (vars.mathErr, vars.accountBorrows) = borrowBalanceStoredInternal(borrower); if (vars.mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.BORROW_ACCUMULATED_BALANCE_CALCULATION_FAILED, uint256(vars.mathErr)); } (vars.mathErr, vars.accountBorrowsNew) = addUInt(vars.accountBorrows, borrowAmount); if (vars.mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.BORROW_NEW_ACCOUNT_BORROW_BALANCE_CALCULATION_FAILED, uint256(vars.mathErr)); } (vars.mathErr, vars.totalBorrowsNew) = addUInt(totalBorrows, borrowAmount); if (vars.mathErr != MathError.NO_ERROR) { return failOpaque(Error.MATH_ERROR, FailureInfo.BORROW_NEW_TOTAL_BALANCE_CALCULATION_FAILED, uint256(vars.mathErr)); } ///////////////////////// // EFFECTS & INTERACTIONS // (No safe failures beyond this point) /* We write the previously calculated values into storage */ accountBorrows[borrower].principal = vars.accountBorrowsNew; accountBorrows[borrower].interestIndex = borrowIndex; totalBorrows = vars.totalBorrowsNew; /* * We invoke doTransferOut for the borrower and the borrowAmount. * Note: The cToken must handle variations between ERC-20 and ETH underlying. * On success, the cToken borrowAmount less of cash. * doTransferOut reverts if anything goes wrong, since we can't be sure if side effects occurred. */ doTransferOut(borrower, borrowAmount); /* We emit a Borrow event */ emit Borrow(borrower, borrowAmount, vars.accountBorrowsNew, vars.totalBorrowsNew); /* We call the defense hook */ // unused function // bondtroller.borrowVerify(address(this), borrower, borrowAmount); return uint256(Error.NO_ERROR); } /** * @dev Sender repays their own borrow. * @param repayAmount The amount to repay. * @return (uint, uint) An error code (0=success, otherwise a failure, see ErrorReporter.sol), and the actual repayment amount. */ function repayBorrowInternal(uint256 repayAmount) internal nonReentrant returns (uint, uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted borrow failed return (fail(Error(error), FailureInfo.REPAY_BORROW_ACCRUE_INTEREST_FAILED), 0); } // repayBorrowFresh emits repay-borrow-specific logs on errors, so we don't need to return repayBorrowFresh(msg.sender, msg.sender, repayAmount); } /** * @dev Sender repays a borrow belonging to borrower. * @param borrower the account with the debt being payed off. * @param repayAmount The amount to repay. * @return (uint, uint) An error code (0=success, otherwise a failure, see ErrorReporter.sol), and the actual repayment amount. */ function repayBorrowBehalfInternal(address borrower, uint256 repayAmount) internal nonReentrant returns (uint, uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but we still want to log the fact that an attempted borrow failed return (fail(Error(error), FailureInfo.REPAY_BEHALF_ACCRUE_INTEREST_FAILED), 0); } // repayBorrowFresh emits repay-borrow-specific logs on errors, so we don't need to return repayBorrowFresh(msg.sender, borrower, repayAmount); } struct RepayBorrowLocalVars { Error err; MathError mathErr; uint256 repayAmount; uint256 borrowerIndex; uint256 accountBorrows; uint256 accountBorrowsNew; uint256 totalBorrowsNew; uint256 actualRepayAmount; } /** * @dev Borrows are repaid by another user (possibly the borrower). * @param payer the account paying off the borrow. * @param borrower the account with the debt being payed off. * @param repayAmount the amount of undelrying tokens being returned. * @return (uint, uint) An error code (0=success, otherwise a failure, see ErrorReporter.sol), and the actual repayment amount. */ function repayBorrowFresh(address payer, address borrower, uint256 repayAmount) internal returns (uint, uint) { /* Fail if repayBorrow not allowed */ uint256 allowed = bondtroller.repayBorrowAllowed(address(this), payer, borrower, repayAmount); if (allowed != 0) { return (failOpaque(Error.COMPTROLLER_REJECTION, FailureInfo.REPAY_BORROW_COMPTROLLER_REJECTION, allowed), 0); } /* Verify market's block number equals current block number */ if (accrualBlockNumber != getBlockNumber()) { return (fail(Error.MARKET_NOT_FRESH, FailureInfo.REPAY_BORROW_FRESHNESS_CHECK), 0); } RepayBorrowLocalVars memory vars; /* We remember the original borrowerIndex for verification purposes */ vars.borrowerIndex = accountBorrows[borrower].interestIndex; /* We fetch the amount the borrower owes, with accumulated interest */ (vars.mathErr, vars.accountBorrows) = borrowBalanceStoredInternal(borrower); if (vars.mathErr != MathError.NO_ERROR) { return (failOpaque(Error.MATH_ERROR, FailureInfo.REPAY_BORROW_ACCUMULATED_BALANCE_CALCULATION_FAILED, uint256(vars.mathErr)), 0); } /* If repayAmount == -1, repayAmount = accountBorrows */ if (repayAmount == ((2 ** 256) - 1)) { vars.repayAmount = vars.accountBorrows; } else { vars.repayAmount = repayAmount; } ///////////////////////// // EFFECTS & INTERACTIONS // (No safe failures beyond this point) /* * We call doTransferIn for the payer and the repayAmount * Note: The cToken must handle variations between ERC-20 and ETH underlying. * On success, the cToken holds an additional repayAmount of cash. * doTransferIn reverts if anything goes wrong, since we can't be sure if side effects occurred. * it returns the amount actually transferred, in case of a fee. */ vars.actualRepayAmount = doTransferIn(payer, vars.repayAmount); /* * We calculate the new borrower and total borrow balances, failing on underflow: * accountBorrowsNew = accountBorrows - actualRepayAmount * totalBorrowsNew = totalBorrows - actualRepayAmount */ (vars.mathErr, vars.accountBorrowsNew) = subUInt(vars.accountBorrows, vars.actualRepayAmount); require(vars.mathErr == MathError.NO_ERROR, "REPAY_BORROW_NEW_ACCOUNT_BORROW_BALANCE_CALCULATION_FAILED"); (vars.mathErr, vars.totalBorrowsNew) = subUInt(totalBorrows, vars.actualRepayAmount); if (vars.mathErr == MathError.INTEGER_UNDERFLOW) { vars.totalBorrowsNew = 0; // Repaid all borrows to platform } /* We write the previously calculated values into storage */ accountBorrows[borrower].principal = vars.accountBorrowsNew; accountBorrows[borrower].interestIndex = borrowIndex; totalBorrows = vars.totalBorrowsNew; /* We emit a RepayBorrow event */ emit RepayBorrow(payer, borrower, vars.actualRepayAmount, vars.accountBorrowsNew, vars.totalBorrowsNew); /* We call the defense hook */ // unused function // bondtroller.repayBorrowVerify(address(this), payer, borrower, vars.actualRepayAmount, vars.borrowerIndex); return(uint256(Error.NO_ERROR), vars.actualRepayAmount); } /*** Admin Functions ***/ /** * @dev Sets a new bondtroller for the market. * Admin function to set a new bondtroller. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _setBondtroller(Bondtroller newBondtroller) public override returns (uint) { // Check caller has moderator role if (!hasRoleModerator(msg.sender)) { return fail(Error.UNAUTHORIZED, FailureInfo.SET_COMPTROLLER_OWNER_CHECK); } Bondtroller oldBondtroller = bondtroller; // Ensure invoke bondtroller.isBondtroller() returns true require(newBondtroller.isBondtroller(), "BToken: Marker method returned false"); // Set market's bondtroller to newBondtroller bondtroller = newBondtroller; // Emit NewBondtroller(oldBondtroller, newBondtroller) emit NewBondtroller(oldBondtroller, newBondtroller); return uint256(Error.NO_ERROR); } /** * @dev Accrues interest and sets a new reserve factor for the protocol using _setReserveFactorFresh. * Admin function to accrue interest and set a new reserve factor. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _setReserveFactor(uint256 newReserveFactorMantissa) external override nonReentrant returns (uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but on top of that we want to log the fact that an attempted reserve factor change failed. return fail(Error(error), FailureInfo.SET_RESERVE_FACTOR_ACCRUE_INTEREST_FAILED); } // _setReserveFactorFresh emits reserve-factor-specific logs on errors, so we don't need to. return _setReserveFactorFresh(newReserveFactorMantissa); } /** * @dev Sets a new reserve factor for the protocol (*requires fresh interest accrual). * Admin function to set a new reserve factor. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _setReserveFactorFresh(uint256 newReserveFactorMantissa) internal returns (uint) { // Check caller has moderator role if (!hasRoleModerator(msg.sender)) { return fail(Error.UNAUTHORIZED, FailureInfo.SET_RESERVE_FACTOR_ADMIN_CHECK); } // Verify market's block number equals current block number if (accrualBlockNumber != getBlockNumber()) { return fail(Error.MARKET_NOT_FRESH, FailureInfo.SET_RESERVE_FACTOR_FRESH_CHECK); } // Check newReserveFactor ≤ maxReserveFactor if (newReserveFactorMantissa > reserveFactorMaxMantissa) { return fail(Error.BAD_INPUT, FailureInfo.SET_RESERVE_FACTOR_BOUNDS_CHECK); } uint256 oldReserveFactorMantissa = reserveFactorMantissa; reserveFactorMantissa = newReserveFactorMantissa; emit NewReserveFactor(oldReserveFactorMantissa, newReserveFactorMantissa); return uint256(Error.NO_ERROR); } /** * @dev Accrues interest and reduces reserves by transferring from msg.sender. * @param addAmount Amount of addition to reserves. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _addReservesInternal(uint256 addAmount) internal nonReentrant returns (uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but on top of that we want to log the fact that an attempted reduce reserves failed. return fail(Error(error), FailureInfo.ADD_RESERVES_ACCRUE_INTEREST_FAILED); } // _addReservesFresh emits reserve-addition-specific logs on errors, so we don't need to. (error, ) = _addReservesFresh(addAmount); return error; } /** * @dev Adds reserves by transferring from caller. * Requires fresh interest accrual. * @param addAmount Amount of addition to reserves. * @return (uint, uint) An error code (0=success, otherwise a failure (see ErrorReporter.sol for details)) and the actual amount added, net token fees. */ function _addReservesFresh(uint256 addAmount) internal returns (uint, uint) { // totalReserves + actualAddAmount uint256 totalReservesNew; uint256 actualAddAmount; // We fail gracefully unless market's block number equals current block number if (accrualBlockNumber != getBlockNumber()) { return (fail(Error.MARKET_NOT_FRESH, FailureInfo.ADD_RESERVES_FRESH_CHECK), actualAddAmount); } ///////////////////////// // EFFECTS & INTERACTIONS // (No safe failures beyond this point) /* * We call doTransferIn for the caller and the addAmount * Note: The cToken must handle variations between ERC-20 and ETH underlying. * On success, the cToken holds an additional addAmount of cash. * doTransferIn reverts if anything goes wrong, since we can't be sure if side effects occurred. * it returns the amount actually transferred, in case of a fee. */ actualAddAmount = doTransferIn(msg.sender, addAmount); totalReservesNew = totalReserves + actualAddAmount; /* Revert on overflow */ require(totalReservesNew >= totalReserves, "BToken: Add reserves unexpected overflow"); // Store reserves[n+1] = reserves[n] + actualAddAmount totalReserves = totalReservesNew; /* Emit NewReserves(moderator, actualAddAmount, reserves[n+1]) */ emit ReservesAdded(msg.sender, actualAddAmount, totalReservesNew); /* Return (NO_ERROR, actualAddAmount) */ return(uint256(Error.NO_ERROR), actualAddAmount); } /** * @dev Accrues interest and reduces reserves by transferring to moderator. * @param reduceAmount Amount of reduction to reserves. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _reduceReserves(uint256 reduceAmount) external override nonReentrant returns (uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but on top of that we want to log the fact that an attempted reduce reserves failed. return fail(Error(error), FailureInfo.REDUCE_RESERVES_ACCRUE_INTEREST_FAILED); } // _reduceReservesFresh emits reserve-reduction-specific logs on errors, so we don't need to. return _reduceReservesFresh(reduceAmount); } /** * @dev Reduces reserves by transferring to moderator. * Requires fresh interest accrual. * @param reduceAmount Amount of reduction to reserves. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _reduceReservesFresh(uint256 reduceAmount) internal returns (uint) { // totalReserves - reduceAmount uint256 totalReservesNew; // Check caller has moderator role if (!hasRoleModerator(msg.sender)) { return fail(Error.UNAUTHORIZED, FailureInfo.REDUCE_RESERVES_ADMIN_CHECK); } // We fail gracefully unless market's block number equals current block number if (accrualBlockNumber != getBlockNumber()) { return fail(Error.MARKET_NOT_FRESH, FailureInfo.REDUCE_RESERVES_FRESH_CHECK); } // Fail gracefully if protocol has insufficient underlying cash if (getCashPrior() < reduceAmount) { return fail(Error.TOKEN_INSUFFICIENT_CASH, FailureInfo.REDUCE_RESERVES_CASH_NOT_AVAILABLE); } // Check reduceAmount ≤ reserves[n] (totalReserves) if (reduceAmount > totalReserves) { return fail(Error.BAD_INPUT, FailureInfo.REDUCE_RESERVES_VALIDATION); } ///////////////////////// // EFFECTS & INTERACTIONS // (No safe failures beyond this point) totalReservesNew = totalReserves - reduceAmount; // We checked reduceAmount <= totalReserves above, so this should never revert. require(totalReservesNew <= totalReserves, "BToken: Reduce reserves unexpected underflow"); // Store reserves[n+1] = reserves[n] - reduceAmount totalReserves = totalReservesNew; // doTransferOut reverts if anything goes wrong, since we can't be sure if side effects occurred. doTransferOut(payable(msg.sender), reduceAmount); emit ReservesReduced(msg.sender, reduceAmount, totalReservesNew); return uint256(Error.NO_ERROR); } /** * @dev accrues interest and updates the interest rate model using _setInterestRateModelFresh. * Admin function to accrue interest and update the interest rate model. * @param newInterestRateModel the new interest rate model to use. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _setInterestRateModel(InterestRateModel newInterestRateModel) public override returns (uint) { uint256 error = accrueInterest(); if (error != uint256(Error.NO_ERROR)) { // accrueInterest emits logs on errors, but on top of that we want to log the fact that an attempted change of interest rate model failed return fail(Error(error), FailureInfo.SET_INTEREST_RATE_MODEL_ACCRUE_INTEREST_FAILED); } // _setInterestRateModelFresh emits interest-rate-model-update-specific logs on errors, so we don't need to. return _setInterestRateModelFresh(newInterestRateModel); } /** * @dev updates the interest rate model (*requires fresh interest accrual). * Admin function to update the interest rate model. * @param newInterestRateModel the new interest rate model to use. * @return uint256 0=success, otherwise a failure (see ErrorReporter.sol for details). */ function _setInterestRateModelFresh(InterestRateModel newInterestRateModel) internal returns (uint) { // Used to store old model for use in the event that is emitted on success InterestRateModel oldInterestRateModel; // Check caller has moderator role if (!hasRoleModerator(msg.sender)) { return fail(Error.UNAUTHORIZED, FailureInfo.SET_INTEREST_RATE_MODEL_OWNER_CHECK); } // We fail gracefully unless market's block number equals current block number if (accrualBlockNumber != getBlockNumber()) { return fail(Error.MARKET_NOT_FRESH, FailureInfo.SET_INTEREST_RATE_MODEL_FRESH_CHECK); } // Track the market's current interest rate model oldInterestRateModel = interestRateModel; // Ensure invoke newInterestRateModel.isInterestRateModel() returns true require(newInterestRateModel.isInterestRateModel(), "BToken: Marker method returned false"); // Set the interest rate model to newInterestRateModel interestRateModel = newInterestRateModel; // Emit NewMarketInterestRateModel(oldInterestRateModel, newInterestRateModel) emit NewMarketInterestRateModel(oldInterestRateModel, newInterestRateModel); return uint256(Error.NO_ERROR); } /*** Safe Token ***/ /** * @dev Gets balance of this contract in terms of the underlying. * This excludes the value of the current message, if any. * @return The quantity of underlying owned by this contract. */ function getCashPrior() internal view virtual returns (uint); /** * @dev Performs a transfer in, reverting upon failure. Returns the amount actually transferred to the protocol, in case of a fee. * This may revert due to insufficient balance or insufficient allowance. */ function doTransferIn(address from, uint256 amount) internal virtual returns (uint) {} /** * @dev Performs a transfer out, ideally returning an explanatory error code upon failure tather than reverting. * If caller has not called checked protocol's balance, may revert due to insufficient cash held in the contract. * If caller has checked protocol's balance, and verified it is >= amount, this should not revert in normal conditions. */ function doTransferOut(address payable to, uint256 amount) internal virtual {} /** * @dev Returns whether the specified account has the moderator role. * @param account The address to check for moderator role. * @return A boolean indicating whether the account has the moderator role. */ function hasRoleModerator(address account) public view virtual returns (bool) {} /*** Reentrancy Guard ***/ /** * @dev Prevents a contract from calling itself, directly or indirectly. */ modifier nonReentrant() { require(_notEntered, "BToken: re-entered"); _notEntered = false; _; _notEntered = true; // get a gas-refund post-Istanbul } }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; import "../bondtroller/Bondtroller.sol"; import "../interestRateModel/InterestRateModel.sol"; import "../interfaces/EIP20NonStandardInterface.sol"; contract BTokenStorage { /** * @dev Guard variable for re-entrancy checks */ bool internal _notEntered; /** * @notice EIP-20 token name for this token */ string public name; /** * @notice EIP-20 token symbol for this token */ string public symbol; /** * @notice EIP-20 token decimals for this token */ uint8 public decimals; /** * @notice Maximum borrow rate that can ever be applied (.0005% / block) */ uint256 internal constant borrowRateMaxMantissa = 0.0005e16; /** * @notice Maximum fraction of interest that can be set aside for reserves */ uint256 internal constant reserveFactorMaxMantissa = 1e18; /** * @notice Administrator for this contract */ address payable public admin; /** * @notice Pending administrator for this contract */ address payable public pendingAdmin; /** * @notice Contract which oversees inter-cToken operations */ Bondtroller public bondtroller; /** * @notice Model which tells what the current interest rate should be */ InterestRateModel public interestRateModel; /** * @notice Initial exchange rate used when minting the first CTokens (used when totalSupply = 0) */ uint256 internal initialExchangeRateMantissa; /** * @notice Fraction of interest currently set aside for reserves */ uint256 public reserveFactorMantissa; /** * @notice Block number that interest was last accrued at */ uint256 public accrualBlockNumber; /** * @notice Accumulator of the total earned interest rate since the opening of the market */ uint256 public borrowIndex; /** * @notice Total amount of outstanding borrows of the underlying in this market */ uint256 public totalBorrows; /** * @notice Total amount of reserves of the underlying held in this market */ uint256 public totalReserves; /** * @notice Total number of tokens in circulation */ uint256 public totalSupply; /** * @notice Official record of token balances for each account */ mapping(address => uint) public accountTokens; /** * @notice Approved token transfer amounts on behalf of others */ mapping(address => mapping(address => uint)) internal transferAllowances; /** * @notice Container for borrow balance information * @member principal Total balance (with accrued interest), after applying the most recent balance-changing action * @member interestIndex Global borrowIndex as of the most recent balance-changing action */ struct BorrowSnapshot { uint256 principal; uint256 interestIndex; } /** * @notice Mapping of account addresses to outstanding borrow balances */ mapping(address => BorrowSnapshot) internal accountBorrows; /** * @notice Share of seized collateral that is added to reserves */ uint256 public constant protocolSeizeShareMantissa = 2.8e16; //2.8% } abstract contract BTokenInterface is BTokenStorage { /** * @notice Indicator that this is a CToken contract (for inspection) */ bool public constant isCToken = true; /*** Market Events ***/ /** * @notice Event emitted when interest is accrued */ event AccrueInterest(uint256 cashPrior, uint256 interestAccumulated, uint256 borrowIndex, uint256 totalBorrows); /** * @notice Event emitted when tokens are minted */ event Mint(address minter, uint256 mintAmount, uint256 mintTokens); /** * @notice Event emitted when tokens are redeemed */ event Redeem(address redeemer, uint256 redeemAmount, uint256 redeemTokens); /** * @notice Event emitted when underlying is borrowed */ event Borrow(address borrower, uint256 borrowAmount, uint256 accountBorrows, uint256 totalBorrows); /** * @notice Event emitted when a borrow is repaid */ event RepayBorrow(address payer, address borrower, uint256 repayAmount, uint256 accountBorrows, uint256 totalBorrows); /** * @notice Event emitted when a borrow is liquidated */ event LiquidateBorrow(address liquidator, address borrower, uint256 repayAmount, address cTokenCollateral, uint256 seizeTokens); /*** Admin Events ***/ /** * @notice Event emitted when pendingAdmin is changed */ event NewPendingAdmin(address oldPendingAdmin, address newPendingAdmin); /** * @notice Event emitted when pendingAdmin is accepted, which means admin is updated */ event NewAdmin(address oldAdmin, address newAdmin); /** * @notice Event emitted when bondtroller is changed */ event NewBondtroller(Bondtroller oldBondtroller, Bondtroller newBondtroller); /** * @notice Event emitted when interestRateModel is changed */ event NewMarketInterestRateModel(InterestRateModel oldInterestRateModel, InterestRateModel newInterestRateModel); /** * @notice Event emitted when the reserve factor is changed */ event NewReserveFactor(uint256 oldReserveFactorMantissa, uint256 newReserveFactorMantissa); /** * @notice Event emitted when the reserves are added */ event ReservesAdded(address benefactor, uint256 addAmount, uint256 newTotalReserves); /** * @notice Event emitted when the reserves are reduced */ event ReservesReduced(address admin, uint256 reduceAmount, uint256 newTotalReserves); /** * @notice EIP20 Transfer event */ event Transfer(address indexed from, address indexed to, uint256 amount); /** * @notice EIP20 Approval event */ event Approval(address indexed owner, address indexed spender, uint256 amount); /** * @notice Failure event */ //event Failure(uint256 error, uint256 info, uint256 detail); /*** User Interface ***/ function transfer(address dst, uint256 amount) external virtual returns (bool); function transferFrom(address src, address dst, uint256 amount) external virtual returns (bool); function approve(address spender, uint256 amount) external virtual returns (bool); function allowance(address owner, address spender) external view virtual returns (uint); function balanceOf(address owner) external view virtual returns (uint); function balanceOfUnderlying(address owner) external virtual returns (uint); function getAccountSnapshot(address account) external view virtual returns (uint, uint, uint, uint); function borrowRatePerBlock() external view virtual returns (uint); function supplyRatePerBlock() external view virtual returns (uint); function totalBorrowsCurrent() external virtual returns (uint); function borrowBalanceCurrent(address account) external virtual returns (uint); function borrowBalanceStored(address account) public view virtual returns (uint); function exchangeRateCurrent() public virtual returns (uint); function exchangeRateStored() public view virtual returns (uint); function getCash() external view virtual returns (uint); function accrueInterest() public virtual returns (uint); /*** Admin Functions ***/ function _setBondtroller(Bondtroller newBondtroller) public virtual returns (uint); function _setReserveFactor(uint256 newReserveFactorMantissa) external virtual returns (uint); function _reduceReserves(uint256 reduceAmount) external virtual returns (uint); function _setInterestRateModel(InterestRateModel newInterestRateModel) public virtual returns (uint); } contract BErc20Storage { /** * @notice Underlying asset for this CToken */ address public underlying; } abstract contract BErc20Interface is BErc20Storage { /*** User Interface ***/ function sweepToken(EIP20NonStandardInterface token) external virtual; /*** Admin Functions ***/ function _addReserves(uint256 addAmount) external virtual returns (uint); }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; /** * @title Compound's InterestRateModel Interface * @author Compound */ abstract contract InterestRateModel { /// @notice Indicator that this is an InterestRateModel contract (for inspection) bool public constant isInterestRateModel = true; /** * @dev Calculates the current borrow interest rate per block. * @param cash The total amount of cash the market has. * @param borrows The total amount of borrows the market has outstanding. * @param reserves The total amount of reserves the market has. * @param blendingToken The address of the blending token used for interest calculation. * @return The borrow rate per block (as a percentage, and scaled by 1e18). */ function getBorrowRate(uint256 cash, uint256 borrows, uint256 reserves, address blendingToken) external view virtual returns (uint); /** * @dev Calculates the current supply interest rate per block. * @param cash The total amount of cash the market has. * @param borrows The total amount of borrows the market has outstanding. * @param reserves The total amount of reserves the market has. * @param reserveFactorMantissa The current reserve factor the market has. * @param blendingToken The address of the blending token used for interest calculation. * @return The supply rate per block (as a percentage, and scaled by 1e18). */ function getSupplyRate( uint256 cash, uint256 borrows, uint256 reserves, uint256 reserveFactorMantissa, address blendingToken ) external view virtual returns (uint); /** * @dev Calculates and stores the current borrow interest rate per block for the specified blending token. * @param cash The total amount of cash the market has. * @param borrows The total amount of borrows the market has outstanding. * @param reserves The total amount of reserves the market has. * @return The calculated borrow rate per block, represented as a percentage and scaled by 1e18. */ function storeBorrowRate(uint256 cash, uint256 borrows, uint256 reserves) external virtual returns (uint); }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; /** * @title ERC 20 Token Standard Interface * https://eips.ethereum.org/EIPS/eip-20 */ interface EIP20Interface { 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 balance); /** * @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 success); /** * @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 success); /** * @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 success); /** * @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 remaining); event Transfer(address indexed from, address indexed to, uint256 amount); event Approval(address indexed owner, address indexed spender, uint256 amount); }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; /** * @title EIP20NonStandardInterface * @dev Version of ERC20 with no return values for `transfer` and `transferFrom` * See https://medium.com/coinmonks/missing-return-value-bug-at-least-130-tokens-affected-d67bf08521ca */ interface EIP20NonStandardInterface { /** * @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 * */ function balanceOf(address owner) external view returns (uint256 balance); /// /// !!!!!!!!!!!!!! /// !!! NOTICE !!! `transfer` does not return a value, in violation of the ERC-20 specification /// !!!!!!!!!!!!!! /// /** * @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 */ function transfer(address dst, uint256 amount) external; /// /// !!!!!!!!!!!!!! /// !!! NOTICE !!! `transferFrom` does not return a value, in violation of the ERC-20 specification /// !!!!!!!!!!!!!! /// /** * @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 */ function transferFrom(address src, address dst, uint256 amount) external; /** * @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 * return Whether or not the approval succeeded */ function approve(address spender, uint256 amount) external returns (bool success); /** * @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 */ function allowance(address owner, address spender) external view returns (uint256 remaining); event Transfer(address indexed from, address indexed to, uint256 amount); event Approval(address indexed owner, address indexed spender, uint256 amount); }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; /** * @title Careful Math * @author Compound * @notice Derived from OpenZeppelin's SafeMath library * https://github.com/OpenZeppelin/openzeppelin-solidity/blob/master/contracts/math/SafeMath.sol */ contract CarefulMath { /** * @dev Possible error codes that we can return */ enum MathError { NO_ERROR, DIVISION_BY_ZERO, INTEGER_OVERFLOW, INTEGER_UNDERFLOW } /** * @dev Multiplies two numbers, returns an error on overflow. */ function mulUInt(uint a, uint b) internal pure returns (MathError, uint) { if (a == 0) { return (MathError.NO_ERROR, 0); } uint c = a * b; if (c / a != b) { return (MathError.INTEGER_OVERFLOW, 0); } else { return (MathError.NO_ERROR, c); } } /** * @dev Integer division of two numbers, truncating the quotient. */ function divUInt(uint a, uint b) internal pure returns (MathError, uint) { if (b == 0) { return (MathError.DIVISION_BY_ZERO, 0); } return (MathError.NO_ERROR, a / b); } /** * @dev Subtracts two numbers, returns an error on overflow (i.e. if subtrahend is greater than minuend). */ function subUInt(uint a, uint b) internal pure returns (MathError, uint) { if (b <= a) { return (MathError.NO_ERROR, a - b); } else { return (MathError.INTEGER_UNDERFLOW, 0); } } /** * @dev Adds two numbers, returns an error on overflow. */ function addUInt(uint a, uint b) internal pure returns (MathError, uint) { uint c = a + b; if (c >= a) { return (MathError.NO_ERROR, c); } else { return (MathError.INTEGER_OVERFLOW, 0); } } /** * @dev add a and b and then subtract c */ function addThenSubUInt(uint a, uint b, uint c) internal pure returns (MathError, uint) { (MathError err0, uint sum) = addUInt(a, b); if (err0 != MathError.NO_ERROR) { return (err0, 0); } return subUInt(sum, c); } }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; contract BondtrollerErrorReporter { enum Error { NO_ERROR, UNAUTHORIZED, BONDTROLLER_MISMATCH, INSUFFICIENT_SHORTFALL, INSUFFICIENT_LIQUIDITY, INVALID_CLOSE_FACTOR, INVALID_COLLATERAL_FACTOR, INVALID_LIQUIDATION_INCENTIVE, MARKET_NOT_ENTERED, // no longer possible MARKET_NOT_LISTED, MARKET_ALREADY_LISTED, MATH_ERROR, NONZERO_BORROW_BALANCE, PRICE_ERROR, REJECTION, SNAPSHOT_ERROR, TOO_MANY_ASSETS, TOO_MUCH_REPAY } enum FailureInfo { ACCEPT_ADMIN_PENDING_ADMIN_CHECK, ACCEPT_PENDING_IMPLEMENTATION_ADDRESS_CHECK, EXIT_MARKET_BALANCE_OWED, EXIT_MARKET_REJECTION, SET_CLOSE_FACTOR_OWNER_CHECK, SET_CLOSE_FACTOR_VALIDATION, SET_COLLATERAL_FACTOR_OWNER_CHECK, SET_COLLATERAL_FACTOR_NO_EXISTS, SET_COLLATERAL_FACTOR_VALIDATION, SET_COLLATERAL_FACTOR_WITHOUT_PRICE, SET_IMPLEMENTATION_OWNER_CHECK, SET_LIQUIDATION_INCENTIVE_OWNER_CHECK, SET_LIQUIDATION_INCENTIVE_VALIDATION, SET_MAX_ASSETS_OWNER_CHECK, SET_PENDING_ADMIN_OWNER_CHECK, SET_PENDING_IMPLEMENTATION_OWNER_CHECK, SET_PRICE_ORACLE_OWNER_CHECK, SUPPORT_MARKET_EXISTS, SUPPORT_MARKET_OWNER_CHECK, SET_PAUSE_GUARDIAN_OWNER_CHECK } /** * @dev `error` corresponds to enum Error; `info` corresponds to enum FailureInfo, and `detail` is an arbitrary * contract-specific code that enables us to report opaque error codes from upgradeable contracts. **/ event Failure(uint error, uint info, uint detail); /** * @dev use this when reporting a known error from the money market or a non-upgradeable collaborator */ function fail(Error err, FailureInfo info) internal returns (uint) { emit Failure(uint256(err), uint256(info), 0); return uint256(err); } /** * @dev use this when reporting an opaque error from an upgradeable collaborator contract */ function failOpaque(Error err, FailureInfo info, uint opaqueError) internal returns (uint) { emit Failure(uint256(err), uint256(info), opaqueError); return uint256(err); } } contract TokenErrorReporter { enum Error { NO_ERROR, UNAUTHORIZED, BAD_INPUT, COMPTROLLER_REJECTION, COMPTROLLER_CALCULATION_ERROR, INTEREST_RATE_MODEL_ERROR, INVALID_ACCOUNT_PAIR, INVALID_CLOSE_AMOUNT_REQUESTED, INVALID_COLLATERAL_FACTOR, MATH_ERROR, MARKET_NOT_FRESH, MARKET_NOT_LISTED, TOKEN_INSUFFICIENT_ALLOWANCE, TOKEN_INSUFFICIENT_BALANCE, TOKEN_INSUFFICIENT_CASH, TOKEN_TRANSFER_IN_FAILED, TOKEN_TRANSFER_OUT_FAILED } /* * Note: FailureInfo (but not Error) is kept in alphabetical order * This is because FailureInfo grows significantly faster, and * the order of Error has some meaning, while the order of FailureInfo * is entirely arbitrary. */ enum FailureInfo { ACCEPT_ADMIN_PENDING_ADMIN_CHECK, ACCRUE_INTEREST_ACCUMULATED_INTEREST_CALCULATION_FAILED, ACCRUE_INTEREST_BORROW_RATE_CALCULATION_FAILED, ACCRUE_INTEREST_NEW_BORROW_INDEX_CALCULATION_FAILED, ACCRUE_INTEREST_NEW_TOTAL_BORROWS_CALCULATION_FAILED, ACCRUE_INTEREST_NEW_TOTAL_RESERVES_CALCULATION_FAILED, ACCRUE_INTEREST_SIMPLE_INTEREST_FACTOR_CALCULATION_FAILED, BORROW_ACCUMULATED_BALANCE_CALCULATION_FAILED, BORROW_ACCRUE_INTEREST_FAILED, BORROW_CASH_NOT_AVAILABLE, BORROW_FRESHNESS_CHECK, BORROW_NEW_TOTAL_BALANCE_CALCULATION_FAILED, BORROW_NEW_ACCOUNT_BORROW_BALANCE_CALCULATION_FAILED, BORROW_MARKET_NOT_LISTED, BORROW_COMPTROLLER_REJECTION, LIQUIDATE_ACCRUE_BORROW_INTEREST_FAILED, LIQUIDATE_ACCRUE_COLLATERAL_INTEREST_FAILED, LIQUIDATE_COLLATERAL_FRESHNESS_CHECK, LIQUIDATE_COMPTROLLER_REJECTION, LIQUIDATE_COMPTROLLER_CALCULATE_AMOUNT_SEIZE_FAILED, LIQUIDATE_CLOSE_AMOUNT_IS_UINT_MAX, LIQUIDATE_CLOSE_AMOUNT_IS_ZERO, LIQUIDATE_FRESHNESS_CHECK, LIQUIDATE_LIQUIDATOR_IS_BORROWER, LIQUIDATE_REPAY_BORROW_FRESH_FAILED, LIQUIDATE_SEIZE_BALANCE_INCREMENT_FAILED, LIQUIDATE_SEIZE_BALANCE_DECREMENT_FAILED, LIQUIDATE_SEIZE_COMPTROLLER_REJECTION, LIQUIDATE_SEIZE_LIQUIDATOR_IS_BORROWER, LIQUIDATE_SEIZE_TOO_MUCH, MINT_ACCRUE_INTEREST_FAILED, MINT_COMPTROLLER_REJECTION, MINT_EXCHANGE_CALCULATION_FAILED, MINT_EXCHANGE_RATE_READ_FAILED, MINT_FRESHNESS_CHECK, MINT_NEW_ACCOUNT_BALANCE_CALCULATION_FAILED, MINT_NEW_TOTAL_SUPPLY_CALCULATION_FAILED, MINT_TRANSFER_IN_FAILED, MINT_TRANSFER_IN_NOT_POSSIBLE, REDEEM_ACCRUE_INTEREST_FAILED, REDEEM_COMPTROLLER_REJECTION, REDEEM_EXCHANGE_TOKENS_CALCULATION_FAILED, REDEEM_EXCHANGE_AMOUNT_CALCULATION_FAILED, REDEEM_EXCHANGE_RATE_READ_FAILED, REDEEM_FRESHNESS_CHECK, REDEEM_NEW_ACCOUNT_BALANCE_CALCULATION_FAILED, REDEEM_NEW_TOTAL_SUPPLY_CALCULATION_FAILED, REDEEM_TRANSFER_OUT_NOT_POSSIBLE, REDUCE_RESERVES_ACCRUE_INTEREST_FAILED, REDUCE_RESERVES_ADMIN_CHECK, REDUCE_RESERVES_CASH_NOT_AVAILABLE, REDUCE_RESERVES_FRESH_CHECK, REDUCE_RESERVES_VALIDATION, REPAY_BEHALF_ACCRUE_INTEREST_FAILED, REPAY_BORROW_ACCRUE_INTEREST_FAILED, REPAY_BORROW_ACCUMULATED_BALANCE_CALCULATION_FAILED, REPAY_BORROW_COMPTROLLER_REJECTION, REPAY_BORROW_FRESHNESS_CHECK, REPAY_BORROW_NEW_ACCOUNT_BORROW_BALANCE_CALCULATION_FAILED, REPAY_BORROW_NEW_TOTAL_BALANCE_CALCULATION_FAILED, REPAY_BORROW_TRANSFER_IN_NOT_POSSIBLE, SET_COLLATERAL_FACTOR_OWNER_CHECK, SET_COLLATERAL_FACTOR_VALIDATION, SET_COMPTROLLER_OWNER_CHECK, SET_INTEREST_RATE_MODEL_ACCRUE_INTEREST_FAILED, SET_INTEREST_RATE_MODEL_FRESH_CHECK, SET_INTEREST_RATE_MODEL_OWNER_CHECK, SET_MAX_ASSETS_OWNER_CHECK, SET_ORACLE_MARKET_NOT_LISTED, SET_PENDING_ADMIN_OWNER_CHECK, SET_RESERVE_FACTOR_ACCRUE_INTEREST_FAILED, SET_RESERVE_FACTOR_ADMIN_CHECK, SET_RESERVE_FACTOR_FRESH_CHECK, SET_RESERVE_FACTOR_BOUNDS_CHECK, TRANSFER_COMPTROLLER_REJECTION, TRANSFER_NOT_ALLOWED, TRANSFER_NOT_ENOUGH, TRANSFER_TOO_MUCH, ADD_RESERVES_ACCRUE_INTEREST_FAILED, ADD_RESERVES_FRESH_CHECK, ADD_RESERVES_TRANSFER_IN_NOT_POSSIBLE } /** * @dev `error` corresponds to enum Error; `info` corresponds to enum FailureInfo, and `detail` is an arbitrary * contract-specific code that enables us to report opaque error codes from upgradeable contracts. **/ event Failure(uint error, uint info, uint detail); /** * @dev use this when reporting a known error from the money market or a non-upgradeable collaborator */ function fail(Error err, FailureInfo info) internal returns (uint) { emit Failure(uint256(err), uint256(info), 0); return uint256(err); } /** * @dev use this when reporting an opaque error from an upgradeable collaborator contract */ function failOpaque(Error err, FailureInfo info, uint opaqueError) internal returns (uint) { emit Failure(uint256(err), uint256(info), opaqueError); return uint256(err); } }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; import "./CarefulMath.sol"; import "./ExponentialNoError.sol"; /** * @title Exponential module for storing fixed-precision decimals * @author Compound * @dev Legacy contract for compatibility reasons with existing contracts that still use MathError * @notice Exp is a struct which stores decimals with a fixed precision of 18 decimal places. * Thus, if we wanted to store the 5.1, mantissa would store 5.1e18. That is: * `Exp({mantissa: 5100000000000000000})`. */ contract Exponential is CarefulMath, ExponentialNoError { /** * @dev Creates an exponential from numerator and denominator values. * Note: Returns an error if (`num` * 10e18) > MAX_INT, * or if `denom` is zero. */ function getExp(uint num, uint denom) pure internal returns (MathError, Exp memory) { (MathError err0, uint scaledNumerator) = mulUInt(num, expScale); if (err0 != MathError.NO_ERROR) { return (err0, Exp({mantissa: 0})); } (MathError err1, uint rational) = divUInt(scaledNumerator, denom); if (err1 != MathError.NO_ERROR) { return (err1, Exp({mantissa: 0})); } return (MathError.NO_ERROR, Exp({mantissa: rational})); } /** * @dev Adds two exponentials, returning a new exponential. */ function addExp(Exp memory a, Exp memory b) pure internal returns (MathError, Exp memory) { (MathError error, uint result) = addUInt(a.mantissa, b.mantissa); return (error, Exp({mantissa: result})); } /** * @dev Subtracts two exponentials, returning a new exponential. */ function subExp(Exp memory a, Exp memory b) pure internal returns (MathError, Exp memory) { (MathError error, uint result) = subUInt(a.mantissa, b.mantissa); return (error, Exp({mantissa: result})); } /** * @dev Multiply an Exp by a scalar, returning a new Exp. */ function mulScalar(Exp memory a, uint scalar) pure internal returns (MathError, Exp memory) { (MathError err0, uint scaledMantissa) = mulUInt(a.mantissa, scalar); if (err0 != MathError.NO_ERROR) { return (err0, Exp({mantissa: 0})); } return (MathError.NO_ERROR, Exp({mantissa: scaledMantissa})); } /** * @dev Multiply an Exp by a scalar, then truncate to return an unsigned integer. */ function mulScalarTruncate(Exp memory a, uint scalar) pure internal returns (MathError, uint) { (MathError err, Exp memory product) = mulScalar(a, scalar); if (err != MathError.NO_ERROR) { return (err, 0); } return (MathError.NO_ERROR, truncate(product)); } /** * @dev Multiply an Exp by a scalar, truncate, then add an to an unsigned integer, returning an unsigned integer. */ function mulScalarTruncateAddUInt(Exp memory a, uint scalar, uint addend) pure internal returns (MathError, uint) { (MathError err, Exp memory product) = mulScalar(a, scalar); if (err != MathError.NO_ERROR) { return (err, 0); } return addUInt(truncate(product), addend); } /** * @dev Divide an Exp by a scalar, returning a new Exp. */ function divScalar(Exp memory a, uint scalar) pure internal returns (MathError, Exp memory) { (MathError err0, uint descaledMantissa) = divUInt(a.mantissa, scalar); if (err0 != MathError.NO_ERROR) { return (err0, Exp({mantissa: 0})); } return (MathError.NO_ERROR, Exp({mantissa: descaledMantissa})); } /** * @dev Divide a scalar by an Exp, returning a new Exp. */ function divScalarByExp(uint scalar, Exp memory divisor) pure internal returns (MathError, Exp memory) { /* We are doing this as: getExp(mulUInt(expScale, scalar), divisor.mantissa) How it works: Exp = a / b; Scalar = s; `s / (a / b)` = `b * s / a` and since for an Exp `a = mantissa, b = expScale` */ (MathError err0, uint numerator) = mulUInt(expScale, scalar); if (err0 != MathError.NO_ERROR) { return (err0, Exp({mantissa: 0})); } return getExp(numerator, divisor.mantissa); } /** * @dev Divide a scalar by an Exp, then truncate to return an unsigned integer. */ function divScalarByExpTruncate(uint scalar, Exp memory divisor) pure internal returns (MathError, uint) { (MathError err, Exp memory fraction) = divScalarByExp(scalar, divisor); if (err != MathError.NO_ERROR) { return (err, 0); } return (MathError.NO_ERROR, truncate(fraction)); } /** * @dev Multiplies two exponentials, returning a new exponential. */ function mulExp(Exp memory a, Exp memory b) pure internal returns (MathError, Exp memory) { (MathError err0, uint doubleScaledProduct) = mulUInt(a.mantissa, b.mantissa); if (err0 != MathError.NO_ERROR) { return (err0, Exp({mantissa: 0})); } // We add half the scale before dividing so that we get rounding instead of truncation. // See "Listing 6" and text above it at https://accu.org/index.php/journals/1717 // Without this change, a result like 6.6...e-19 will be truncated to 0 instead of being rounded to 1e-18. (MathError err1, uint doubleScaledProductWithHalfScale) = addUInt(halfExpScale, doubleScaledProduct); if (err1 != MathError.NO_ERROR) { return (err1, Exp({mantissa: 0})); } (MathError err2, uint product) = divUInt(doubleScaledProductWithHalfScale, expScale); // The only error `div` can return is MathError.DIVISION_BY_ZERO but we control `expScale` and it is not zero. assert(err2 == MathError.NO_ERROR); return (MathError.NO_ERROR, Exp({mantissa: product})); } /** * @dev Multiplies two exponentials given their mantissas, returning a new exponential. */ function mulExp(uint a, uint b) pure internal returns (MathError, Exp memory) { return mulExp(Exp({mantissa: a}), Exp({mantissa: b})); } /** * @dev Multiplies three exponentials, returning a new exponential. */ function mulExp3(Exp memory a, Exp memory b, Exp memory c) pure internal returns (MathError, Exp memory) { (MathError err, Exp memory ab) = mulExp(a, b); if (err != MathError.NO_ERROR) { return (err, ab); } return mulExp(ab, c); } /** * @dev Divides two exponentials, returning a new exponential. * (a/scale) / (b/scale) = (a/scale) * (scale/b) = a/b, * which we can scale as an Exp by calling getExp(a.mantissa, b.mantissa) */ function divExp(Exp memory a, Exp memory b) pure internal returns (MathError, Exp memory) { return getExp(a.mantissa, b.mantissa); } }
// SPDX-License-Identifier: MIT pragma solidity 0.8.19; /** * @title Exponential module for storing fixed-precision decimals * @author Compound * @notice Exp is a struct which stores decimals with a fixed precision of 18 decimal places. * Thus, if we wanted to store the 5.1, mantissa would store 5.1e18. That is: * `Exp({mantissa: 5100000000000000000})`. */ contract ExponentialNoError { uint constant expScale = 1e18; uint constant doubleScale = 1e36; uint constant halfExpScale = expScale/2; uint constant mantissaOne = expScale; struct Exp { uint mantissa; } struct Double { uint mantissa; } /** * @dev Truncates the given exp to a whole number value. * For example, truncate(Exp{mantissa: 15 * expScale}) = 15 */ function truncate(Exp memory exp) pure internal returns (uint) { // Note: We are not using careful math here as we're performing a division that cannot fail return exp.mantissa / expScale; } /** * @dev Multiply an Exp by a scalar, then truncate to return an unsigned integer. */ function mul_ScalarTruncate(Exp memory a, uint scalar) pure internal returns (uint) { Exp memory product = mul_(a, scalar); return truncate(product); } /** * @dev Multiply an Exp by a scalar, truncate, then add an to an unsigned integer, returning an unsigned integer. */ function mul_ScalarTruncateAddUInt(Exp memory a, uint scalar, uint addend) pure internal returns (uint) { Exp memory product = mul_(a, scalar); return add_(truncate(product), addend); } /** * @dev Checks if first Exp is less than second Exp. */ function lessThanExp(Exp memory left, Exp memory right) pure internal returns (bool) { return left.mantissa < right.mantissa; } /** * @dev Checks if left Exp <= right Exp. */ function lessThanOrEqualExp(Exp memory left, Exp memory right) pure internal returns (bool) { return left.mantissa <= right.mantissa; } /** * @dev Checks if left Exp > right Exp. */ function greaterThanExp(Exp memory left, Exp memory right) pure internal returns (bool) { return left.mantissa > right.mantissa; } /** * @dev returns true if Exp is exactly zero */ function isZeroExp(Exp memory value) pure internal returns (bool) { return value.mantissa == 0; } function safe224(uint n, string memory errorMessage) pure internal returns (uint224) { require(n < 2**224, errorMessage); return uint224(n); } function safe32(uint n, string memory errorMessage) pure internal returns (uint32) { require(n < 2**32, errorMessage); return uint32(n); } function add_(Exp memory a, Exp memory b) pure internal returns (Exp memory) { return Exp({mantissa: add_(a.mantissa, b.mantissa)}); } function add_(Double memory a, Double memory b) pure internal returns (Double memory) { return Double({mantissa: add_(a.mantissa, b.mantissa)}); } function add_(uint a, uint b) pure internal returns (uint) { return add_(a, b, "addition overflow"); } function add_(uint a, uint b, string memory errorMessage) pure internal returns (uint) { uint c = a + b; require(c >= a, errorMessage); return c; } function sub_(Exp memory a, Exp memory b) pure internal returns (Exp memory) { return Exp({mantissa: sub_(a.mantissa, b.mantissa)}); } function sub_(Double memory a, Double memory b) pure internal returns (Double memory) { return Double({mantissa: sub_(a.mantissa, b.mantissa)}); } function sub_(uint a, uint b) pure internal returns (uint) { return sub_(a, b, "subtraction underflow"); } function sub_(uint a, uint b, string memory errorMessage) pure internal returns (uint) { require(b <= a, errorMessage); return a - b; } function mul_(Exp memory a, Exp memory b) pure internal returns (Exp memory) { return Exp({mantissa: mul_(a.mantissa, b.mantissa) / expScale}); } function mul_(Exp memory a, uint b) pure internal returns (Exp memory) { return Exp({mantissa: mul_(a.mantissa, b)}); } function mul_(uint a, Exp memory b) pure internal returns (uint) { return mul_(a, b.mantissa) / expScale; } function mul_(Double memory a, Double memory b) pure internal returns (Double memory) { return Double({mantissa: mul_(a.mantissa, b.mantissa) / doubleScale}); } function mul_(Double memory a, uint b) pure internal returns (Double memory) { return Double({mantissa: mul_(a.mantissa, b)}); } function mul_(uint a, Double memory b) pure internal returns (uint) { return mul_(a, b.mantissa) / doubleScale; } function mul_(uint a, uint b) pure internal returns (uint) { return mul_(a, b, "multiplication overflow"); } function mul_(uint a, uint b, string memory errorMessage) pure internal returns (uint) { if (a == 0 || b == 0) { return 0; } uint c = a * b; require(c / a == b, errorMessage); return c; } function div_(Exp memory a, Exp memory b) pure internal returns (Exp memory) { return Exp({mantissa: div_(mul_(a.mantissa, expScale), b.mantissa)}); } function div_(Exp memory a, uint b) pure internal returns (Exp memory) { return Exp({mantissa: div_(a.mantissa, b)}); } function div_(uint a, Exp memory b) pure internal returns (uint) { return div_(mul_(a, expScale), b.mantissa); } function div_(Double memory a, Double memory b) pure internal returns (Double memory) { return Double({mantissa: div_(mul_(a.mantissa, doubleScale), b.mantissa)}); } function div_(Double memory a, uint b) pure internal returns (Double memory) { return Double({mantissa: div_(a.mantissa, b)}); } function div_(uint a, Double memory b) pure internal returns (uint) { return div_(mul_(a, doubleScale), b.mantissa); } function div_(uint a, uint b) pure internal returns (uint) { return div_(a, b, "divide by zero"); } function div_(uint a, uint b, string memory errorMessage) pure internal returns (uint) { require(b > 0, errorMessage); return a / b; } function fraction(uint a, uint b) pure internal returns (Double memory) { return Double({mantissa: div_(mul_(a, doubleScale), b)}); } }
{ "optimizer": { "enabled": true, "runs": 200 }, "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":"uint256","name":"cashPrior","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"interestAccumulated","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"borrowIndex","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalBorrows","type":"uint256"}],"name":"AccrueInterest","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"spender","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"borrower","type":"address"},{"indexed":false,"internalType":"uint256","name":"borrowAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"accountBorrows","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalBorrows","type":"uint256"}],"name":"Borrow","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"error","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"info","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"detail","type":"uint256"}],"name":"Failure","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint8","name":"version","type":"uint8"}],"name":"Initialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"liquidator","type":"address"},{"indexed":false,"internalType":"address","name":"borrower","type":"address"},{"indexed":false,"internalType":"uint256","name":"repayAmount","type":"uint256"},{"indexed":false,"internalType":"address","name":"cTokenCollateral","type":"address"},{"indexed":false,"internalType":"uint256","name":"seizeTokens","type":"uint256"}],"name":"LiquidateBorrow","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"minter","type":"address"},{"indexed":false,"internalType":"uint256","name":"mintAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"mintTokens","type":"uint256"}],"name":"Mint","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"oldAdmin","type":"address"},{"indexed":false,"internalType":"address","name":"newAdmin","type":"address"}],"name":"NewAdmin","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"contract Bondtroller","name":"oldBondtroller","type":"address"},{"indexed":false,"internalType":"contract Bondtroller","name":"newBondtroller","type":"address"}],"name":"NewBondtroller","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"contract InterestRateModel","name":"oldInterestRateModel","type":"address"},{"indexed":false,"internalType":"contract InterestRateModel","name":"newInterestRateModel","type":"address"}],"name":"NewMarketInterestRateModel","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"oldPendingAdmin","type":"address"},{"indexed":false,"internalType":"address","name":"newPendingAdmin","type":"address"}],"name":"NewPendingAdmin","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"oldReserveFactorMantissa","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newReserveFactorMantissa","type":"uint256"}],"name":"NewReserveFactor","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"redeemer","type":"address"},{"indexed":false,"internalType":"uint256","name":"redeemAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"redeemTokens","type":"uint256"}],"name":"Redeem","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"payer","type":"address"},{"indexed":false,"internalType":"address","name":"borrower","type":"address"},{"indexed":false,"internalType":"uint256","name":"repayAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"accountBorrows","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalBorrows","type":"uint256"}],"name":"RepayBorrow","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"benefactor","type":"address"},{"indexed":false,"internalType":"uint256","name":"addAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newTotalReserves","type":"uint256"}],"name":"ReservesAdded","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"admin","type":"address"},{"indexed":false,"internalType":"uint256","name":"reduceAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newTotalReserves","type":"uint256"}],"name":"ReservesReduced","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"bytes32","name":"previousAdminRole","type":"bytes32"},{"indexed":true,"internalType":"bytes32","name":"newAdminRole","type":"bytes32"}],"name":"RoleAdminChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":true,"internalType":"address","name":"sender","type":"address"}],"name":"RoleGranted","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"bytes32","name":"role","type":"bytes32"},{"indexed":true,"internalType":"address","name":"account","type":"address"},{"indexed":true,"internalType":"address","name":"sender","type":"address"}],"name":"RoleRevoked","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"oldPrimaryLendingPlatform","type":"address"},{"indexed":true,"internalType":"address","name":"newPrimaryLendingPlatform","type":"address"}],"name":"SetPrimaryLendingPlatform","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Transfer","type":"event"},{"inputs":[],"name":"DEFAULT_ADMIN_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MODERATOR_ROLE","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"addAmount","type":"uint256"}],"name":"_addReserves","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"reduceAmount","type":"uint256"}],"name":"_reduceReserves","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract Bondtroller","name":"newBondtroller","type":"address"}],"name":"_setBondtroller","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract InterestRateModel","name":"newInterestRateModel","type":"address"}],"name":"_setInterestRateModel","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"newReserveFactorMantissa","type":"uint256"}],"name":"_setReserveFactor","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"accountTokens","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"accrualBlockNumber","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"accrueInterest","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"admin","outputs":[{"internalType":"address payable","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"balanceOfUnderlying","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"balanceOfUnderlyingView","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"bondtroller","outputs":[{"internalType":"contract Bondtroller","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"borrowBalanceCurrent","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"borrowBalanceStored","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"borrowIndex","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"borrowRatePerBlock","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"borrower","type":"address"},{"internalType":"uint256","name":"borrowAmount","type":"uint256"}],"name":"borrowTo","outputs":[{"internalType":"uint256","name":"borrowError","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"exchangeRateCurrent","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"exchangeRateStored","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"getAccountSnapshot","outputs":[{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getCash","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"getEstimatedBorrowBalanceStored","outputs":[{"internalType":"uint256","name":"accrual","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getEstimatedBorrowIndex","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"}],"name":"getRoleAdmin","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"newModerator","type":"address"}],"name":"grantModerator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"grantRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"hasRole","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"hasRoleModerator","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"underlying_","type":"address"},{"internalType":"contract Bondtroller","name":"bondtroller_","type":"address"},{"internalType":"contract InterestRateModel","name":"interestRateModel_","type":"address"},{"internalType":"uint256","name":"initialExchangeRateMantissa_","type":"uint256"},{"internalType":"string","name":"name_","type":"string"},{"internalType":"string","name":"symbol_","type":"string"},{"internalType":"uint8","name":"decimals_","type":"uint8"},{"internalType":"address","name":"admin_","type":"address"}],"name":"init","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"underlying_","type":"address"},{"internalType":"contract Bondtroller","name":"comptroller_","type":"address"},{"internalType":"contract InterestRateModel","name":"interestRateModel_","type":"address"},{"internalType":"uint256","name":"initialExchangeRateMantissa_","type":"uint256"},{"internalType":"string","name":"name_","type":"string"},{"internalType":"string","name":"symbol_","type":"string"},{"internalType":"uint8","name":"decimals_","type":"uint8"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract Bondtroller","name":"bondtroller_","type":"address"},{"internalType":"contract InterestRateModel","name":"interestRateModel_","type":"address"},{"internalType":"uint256","name":"initialExchangeRateMantissa_","type":"uint256"},{"internalType":"string","name":"name_","type":"string"},{"internalType":"string","name":"symbol_","type":"string"},{"internalType":"uint8","name":"decimals_","type":"uint8"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"interestRateModel","outputs":[{"internalType":"contract InterestRateModel","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"isCToken","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"minter","type":"address"},{"internalType":"uint256","name":"mintAmount","type":"uint256"}],"name":"mintTo","outputs":[{"internalType":"uint256","name":"err","type":"uint256"},{"internalType":"uint256","name":"mintedAmount","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pendingAdmin","outputs":[{"internalType":"address payable","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"primaryLendingPlatform","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"protocolSeizeShareMantissa","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"redeemer","type":"address"},{"internalType":"uint256","name":"redeemTokens","type":"uint256"}],"name":"redeemTo","outputs":[{"internalType":"uint256","name":"redeemErr","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"redeemer","type":"address"},{"internalType":"uint256","name":"redeemAmount","type":"uint256"}],"name":"redeemUnderlyingTo","outputs":[{"internalType":"uint256","name":"redeemUnderlyingError","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"renounceRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"payer","type":"address"},{"internalType":"address","name":"borrower","type":"address"},{"internalType":"uint256","name":"repayAmount","type":"uint256"}],"name":"repayTo","outputs":[{"internalType":"uint256","name":"repayBorrowError","type":"uint256"},{"internalType":"uint256","name":"amountRepaid","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"reserveFactorMantissa","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"moderator","type":"address"}],"name":"revokeModerator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"role","type":"bytes32"},{"internalType":"address","name":"account","type":"address"}],"name":"revokeRole","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_primaryLendingPlatform","type":"address"}],"name":"setPrimaryLendingPlatform","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"supplyRatePerBlock","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes4","name":"interfaceId","type":"bytes4"}],"name":"supportsInterface","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract EIP20NonStandardInterface","name":"token","type":"address"}],"name":"sweepToken","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalBorrows","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalBorrowsCurrent","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"totalReserves","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"dst","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address payable","name":"newAdmin","type":"address"}],"name":"transferAdminship","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"src","type":"address"},{"internalType":"address","name":"dst","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"underlying","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"}]
Contract Creation Code
608060405234801561001057600080fd5b506151dc806100206000396000f3fe608060405234801561001057600080fd5b50600436106103d05760003560e01c806370a08231116101ff578063b4ac76881161011a578063e801734a116100ad578063f8f9da281161007c578063f8f9da2814610885578063fca7820b1461088d578063fda0241d146108a0578063fe9c44ae146108b357600080fd5b8063e801734a14610834578063f2b3abbd14610847578063f3fdb15a1461085a578063f851a4401461086d57600080fd5b8063cbebe597116100e9578063cbebe597146107cd578063d547741f146107d5578063d6526889146107e8578063dd62ed3e146107fb57600080fd5b8063b4ac76881461076c578063b9ade1421461077f578063bd6d894d14610792578063c37f68e21461079a57600080fd5b806399c9321311610192578063a6afed9511610161578063a6afed9514610740578063a9059cbb14610748578063aa5af0fd1461075b578063ae9d70b01461076457600080fd5b806399c93213146106f257806399d8c1b414610705578063a19d146014610718578063a217fddf1461073857600080fd5b806391d14854116101ce57806391d14854146106b157806392641a7c146106c457806395d89b41146106d757806395dd9193146106df57600080fd5b806370a082311461066257806373acee981461068b578063797669c9146106935780638f840ddd146106a857600080fd5b806336445636116102ef57806347bd3718116102825780636752e702116102515780636752e702146106255780636981c7ae146106335780636c540baf146106465780636f307dc31461064f57600080fd5b806347bd3718146105e35780635be7cc16146105ec578063601a0bf1146105ff5780636664aa781461061257600080fd5b80633e941010116102be5780633e94101014610582578063439d3ee714610595578063449a52f8146105a85780634703d19c146105d057600080fd5b8063364456361461054157806336568abe146105545780633af9e669146105675780633b1d21a21461057a57600080fd5b80631be1956011610367578063267822471161033657806326782247146104e95780632f2ff15d146104fc5780632f7605fb1461050f578063313ce5671461052257600080fd5b80631be195601461047557806323b872dd14610488578063248a9ca31461049b57806325358647146104be57600080fd5b806317bfdfbc116103a357806317bfdfbc1461043c57806318160ddd1461044f578063182df0f5146104585780631a31d4651461046057600080fd5b806301ffc9a7146103d557806306fdde03146103fd578063095ea7b314610412578063173b990414610425575b600080fd5b6103e86103e3366004614950565b6108bb565b60405190151581526020015b60405180910390f35b6104056108f2565b6040516103f4919061499e565b6103e86104203660046149e6565b610980565b61042e60085481565b6040519081526020016103f4565b61042e61044a366004614a12565b6109ee565b61042e600d5481565b61042e610a67565b61047361046e366004614ae8565b610aec565b005b610473610483366004614a12565b610b81565b6103e8610496366004614b9e565b610cca565b61042e6104a9366004614bdf565b60009081526076602052604090206001015490565b6005546104d1906001600160a01b031681565b6040516001600160a01b0390911681526020016103f4565b6004546104d1906001600160a01b031681565b61047361050a366004614bf8565b610d1a565b61042e61051d3660046149e6565b610d44565b60035461052f9060ff1681565b60405160ff90911681526020016103f4565b61047361054f366004614a12565b610da8565b610473610562366004614bf8565b610dea565b61042e610575366004614a12565b610e68565b61042e610f20565b61042e610590366004614bdf565b610f2f565b61042e6105a3366004614a12565b610f3a565b6105bb6105b63660046149e6565b610f50565b604080519283526020830191909152016103f4565b6104736105de366004614c28565b61106a565b61042e600b5481565b6104736105fa366004614a12565b611207565b61042e61060d366004614bdf565b6112c2565b61042e6106203660046149e6565b611341565b61042e666379da05b6000081565b610473610641366004614a12565b61138e565b61042e60095481565b6011546104d1906001600160a01b031681565b61042e610670366004614a12565b6001600160a01b03166000908152600e602052604090205490565b61042e6113cd565b61042e60008051602061518783398151915281565b61042e600c5481565b6103e86106bf366004614bf8565b611433565b60a8546104d1906001600160a01b031681565b61040561145e565b61042e6106ed366004614a12565b61146b565b6105bb610700366004614b9e565b6114f9565b610473610713366004614cf3565b611569565b61042e610726366004614a12565b600e6020526000908152604090205481565b61042e600081565b61042e6117e7565b6103e86107563660046149e6565b611bec565b61042e600a5481565b61042e611c3b565b61042e61077a366004614a12565b611cd9565b61042e61078d366004614a12565b611de5565b61042e611ebc565b6107ad6107a8366004614a12565b611f28565b6040805194855260208501939093529183015260608201526080016103f4565b61042e611fc9565b6104736107e3366004614bf8565b612202565b6103e86107f6366004614a12565b612227565b61042e610809366004614d95565b6001600160a01b039182166000908152600f6020908152604080832093909416825291909152205490565b610473610842366004614a12565b612241565b61042e610855366004614a12565b61232f565b6006546104d1906001600160a01b031681565b6003546104d19061010090046001600160a01b031681565b61042e612367565b61042e61089b366004614bdf565b6123c0565b61042e6108ae3660046149e6565b612422565b6103e8600181565b60006001600160e01b03198216637965db0b60e01b14806108ec57506301ffc9a760e01b6001600160e01b03198316145b92915050565b600180546108ff90614dc3565b80601f016020809104026020016040519081016040528092919081815260200182805461092b90614dc3565b80156109785780601f1061094d57610100808354040283529160200191610978565b820191906000526020600020905b81548152906001019060200180831161095b57829003601f168201915b505050505081565b336000818152600f602090815260408083206001600160a01b03871680855292528083208590555191929182907f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925906109dc9087815260200190565b60405180910390a35060019392505050565b6000805460ff16610a1a5760405162461bcd60e51b8152600401610a1190614dfd565b60405180910390fd5b6000805460ff19168155610a2c6117e7565b14610a495760405162461bcd60e51b8152600401610a1190614e3f565b610a528261146b565b90505b6000805460ff19166001179055919050565b6000806000610a74612474565b90925090506000826003811115610a8d57610a8d614e29565b146108ec5760405162461bcd60e51b815260206004820152602960248201527f42546f6b656e3a2045786368616e67655261746553746f726564496e7465726e604482015268185b0819985a5b195960ba1b6064820152608401610a11565b610afa868686868686611569565b601180546001600160a01b0319166001600160a01b038916908117909155604080516318160ddd60e01b815290516318160ddd916004808201926020929091908290030181865afa158015610b53573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b779190614e76565b5050505050505050565b6011546001600160a01b0390811690821603610bee5760405162461bcd60e51b815260206004820152602660248201527f4245726332303a2043616e206e6f7420737765657020756e6465726c79696e67604482015265103a37b5b2b760d11b6064820152608401610a11565b6040516370a0823160e01b81523060048201526000906001600160a01b038316906370a0823190602401602060405180830381865afa158015610c35573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c599190614e76565b60035460405163a9059cbb60e01b81526001600160a01b03610100909204821660048201526024810183905291925083169063a9059cbb90604401600060405180830381600087803b158015610cae57600080fd5b505af1158015610cc2573d6000803e3d6000fd5b505050505050565b6000805460ff16610ced5760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff19168155610d0333868686612532565b1490506000805460ff191660011790559392505050565b600082815260766020526040902060010154610d35816127e0565b610d3f83836127ea565b505050565b60a8546000906001600160a01b03163314610d5e57600080fd5b6000610d686117e7565b90508015610d9457610d8c816010811115610d8557610d85614e29565b6027612870565b9150506108ec565b610da0848460006128e9565b949350505050565b610db3600033611433565b610dcf5760405162461bcd60e51b8152600401610a1190614e8f565b610de760008051602061518783398151915282612202565b50565b6001600160a01b0381163314610e5a5760405162461bcd60e51b815260206004820152602f60248201527f416363657373436f6e74726f6c3a2063616e206f6e6c792072656e6f756e636560448201526e103937b632b9903337b91039b2b63360891b6064820152608401610a11565b610e648282612e86565b5050565b6000806040518060200160405280610e7e611ebc565b90526001600160a01b0384166000908152600e6020526040812054919250908190610eaa908490612eed565b90925090506000826003811115610ec357610ec3614e29565b14610da05760405162461bcd60e51b815260206004820152602760248201527f42546f6b656e3a2042616c616e636520636f756c64206e6f742062652063616c60448201526618dd5b185d195960ca1b6064820152608401610a11565b6000610f2a612f3f565b905090565b60006108ec82612fb4565b6000806040518060200160405280610e7e610a67565b60a85460009081906001600160a01b03163314610f6c57600080fd5b6000610f766117e7565b90508015610fa657610f9a816010811115610f9357610f93614e29565b601e612870565b60009250925050611063565b610fb0858561302c565b909350915082156110035760405162461bcd60e51b815260206004820152601f60248201527f424c656e64696e67546f6b656e3a20657272206973206e6f74207a65726f21006044820152606401610a11565b600082116110615760405162461bcd60e51b815260206004820152602560248201527f424c656e64696e67546f6b656e3a206d696e74656420616d6f756e74206973206044820152647a65726f2160d81b6064820152608401610a11565b505b9250929050565b601154600160a81b900460ff161580801561109257506011546001600160a01b90910460ff16105b806110b35750303b1580156110b35750601154600160a01b900460ff166001145b6111165760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201526d191e481a5b9a5d1a585b1a5e995960921b6064820152608401610a11565b6011805460ff60a01b1916600160a01b1790558015611143576011805460ff60a81b1916600160a81b1790555b61114b6134b4565b611156600083613523565b61116e60008051602061518783398151915283613523565b60038054610100600160a81b031916336101000217905561119489898989898989610aec565b60038054610100600160a81b0319166101006001600160a01b0385160217905580156111fc576011805460ff60a81b19169055604051600181527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb38474024989060200160405180910390a15b505050505050505050565b611212600033611433565b61122e5760405162461bcd60e51b8152600401610a1190614e8f565b6001600160a01b0381166112845760405162461bcd60e51b815260206004820152601a60248201527f424c656e64696e67546f6b656e3a206e657741646d696e3d3d300000000000006044820152606401610a11565b61128f600082610d1a565b61129a600033612202565b600380546001600160a01b0390921661010002610100600160a81b0319909216919091179055565b6000805460ff166112e55760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff191681556112f76117e7565b905080156113235761131b81601081111561131457611314614e29565b6030612870565b915050610a55565b61132c8361352d565b9150506000805460ff19166001179055919050565b60a8546000906001600160a01b0316331461135b57600080fd5b60006113656117e7565b9050801561138257610d8c816010811115610d8557610d85614e29565b610da0846000856128e9565b611399600033611433565b6113b55760405162461bcd60e51b8152600401610a1190614e8f565b610de760008051602061518783398151915282610d1a565b6000805460ff166113f05760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff191681556114026117e7565b1461141f5760405162461bcd60e51b8152600401610a1190614e3f565b50600b546000805460ff1916600117905590565b60009182526076602090815260408084206001600160a01b0393909316845291905290205460ff1690565b600280546108ff90614dc3565b600080600061147984613648565b9092509050600082600381111561149257611492614e29565b146114f25760405162461bcd60e51b815260206004820152602a60248201527f42546f6b656e3a20426f72726f7742616c616e636553746f726564496e7465726044820152691b985b0819985a5b195960b21b6064820152608401610a11565b9392505050565b60a85460009081906001600160a01b0316331461151557600080fd5b600061151f6117e7565b9050801561154f5761154381601081111561153c5761153c614e29565b6036612870565b60009250925050611561565b61155a868686613703565b9093509150505b935093915050565b60035461010090046001600160a01b031633146115dd5760405162461bcd60e51b815260206004820152602c60248201527f42546f6b656e3a204f6e6c792061646d696e206d617920696e697469616c697a60448201526b19481d1a19481b585c9ad95d60a21b6064820152608401610a11565b6009541580156115ed5750600a54155b61164d5760405162461bcd60e51b815260206004820152602b60248201527f42546f6b656e3a204d61726b6574206d6179206f6e6c7920626520696e69746960448201526a616c697a6564206f6e636560a81b6064820152608401610a11565b6007849055836116c55760405162461bcd60e51b815260206004820152603860248201527f42546f6b656e3a20496e697469616c2065786368616e67652072617465206d7560448201527f73742062652067726561746572207468616e207a65726f2e00000000000000006064820152608401610a11565b60006116d087611cd9565b9050801561172b5760405162461bcd60e51b815260206004820152602260248201527f42546f6b656e3a2053657474696e6720626f6e6474726f6c6c6572206661696c604482015261195960f21b6064820152608401610a11565b43600955670de0b6b3a7640000600a5561174486613aaf565b905080156117a75760405162461bcd60e51b815260206004820152602a60248201527f42546f6b656e3a2053657474696e6720696e7465726573742072617465206d6f60448201526919195b0819985a5b195960b21b6064820152608401610a11565b60016117b38582614f04565b5060026117c08482614f04565b50506003805460ff90921660ff199283161790556000805490911660011790555050505050565b60095460009043908181036118005760005b9250505090565b600061180a612f3f565b600b54600c54600a54600654604051632f7557f560e11b81526004810186905260248101859052604481018490529495509293919290916001600160a01b0390911690635eeaafea906064016020604051808303816000875af1158015611875573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118999190614e76565b506006546040516389469df960e01b81526004810186905260248101859052604481018490523060648201526000916001600160a01b0316906389469df990608401602060405180830381865afa1580156118f8573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061191c9190614e76565b905065048c273950008111156119745760405162461bcd60e51b815260206004820152601c60248201527f626f72726f772072617465206973206162737572646c792068696768000000006044820152606401610a11565b6000806119818989613bce565b9092509050600082600381111561199a5761199a614e29565b146119f75760405162461bcd60e51b815260206004820152602760248201527f42546f6b656e3a20436f756c64206e6f742063616c63756c61746520626c6f636044820152666b2064656c746160c81b6064820152608401610a11565b604080516020810190915260008152600080600080611a2460405180602001604052808a81525087613bf9565b90975094506000876003811115611a3d57611a3d614e29565b14611a7357611a6060096006896003811115611a5b57611a5b614e29565b613c75565b9e50505050505050505050505050505090565b611a7d858c612eed565b90975093506000876003811115611a9657611a96614e29565b14611ab457611a6060096001896003811115611a5b57611a5b614e29565b611abe848c613ced565b90975092506000876003811115611ad757611ad7614e29565b14611af557611a6060096004896003811115611a5b57611a5b614e29565b611b106040518060200160405280600854815250858c613d1d565b90975091506000876003811115611b2957611b29614e29565b14611b4757611a6060096005896003811115611a5b57611a5b614e29565b611b52858a8b613d1d565b90975090506000876003811115611b6b57611b6b614e29565b14611b8957611a6060096003896003811115611a5b57611a5b614e29565b60098e9055600a819055600b839055600c829055604080518d815260208101869052908101829052606081018490527f4dec04e750ca11537cabcd8a9eab06494de08da3735bc8871cd41250e190bc049060800160405180910390a16000611a60565b6000805460ff16611c0f5760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff19168155611c2533338686612532565b1490506000805460ff1916600117905592915050565b6006546000906001600160a01b03166332dc9b1c611c57612f3f565b600b54600c546008546040516001600160e01b031960e087901b168152600481019490945260248401929092526044830152606482015230608482015260a4015b602060405180830381865afa158015611cb5573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610f2a9190614e76565b6000611ce433612227565b611cf4576108ec6001603f612870565b600554604080516330c46acf60e21b815290516001600160a01b039283169285169163c311ab3c9160048083019260209291908290030181865afa158015611d40573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611d649190614fc4565b611d805760405162461bcd60e51b8152600401610a1190614fe6565b600580546001600160a01b0319166001600160a01b0385811691821790925560408051928416835260208301919091527f9ff8c9db5f0ad4c3f1e57fb62c7517ce6c80eb4b5c51348d37a31a83d166d42e91015b60405180910390a160009392505050565b600080611df0611fc9565b6001600160a01b03841660009081526010602090815260408083208151808301909252805480835260019091015492820192909252929350909182918291908203611e42575060009695505050505050565b8051611e4e9086613d77565b90945092506000846003811115611e6757611e67614e29565b14611e79575060009695505050505050565b611e87838260200151613dc4565b90945091506000846003811115611ea057611ea0614e29565b14611eb2575060009695505050505050565b5095945050505050565b6000805460ff16611edf5760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff19168155611ef16117e7565b14611f0e5760405162461bcd60e51b8152600401610a1190614e3f565b611f16610a67565b90506000805460ff1916600117905590565b6001600160a01b0381166000908152600e6020526040812054819081908190818080611f5389613648565b935090506000816003811115611f6b57611f6b614e29565b14611f895760095b6000806000975097509750975050505050611fc2565b611f91612474565b925090506000816003811115611fa957611fa9614e29565b14611fb5576009611f73565b5060009650919450925090505b9193509193565b6009546000904390818103611fdf5760006117f9565b6000611fe9612f3f565b600b54600c54600a546006546040516389469df960e01b81526004810186905260248101859052604481018490523060648201529495509293919290916000916001600160a01b0316906389469df990608401602060405180830381865afa158015612059573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061207d9190614e76565b905065048c273950008111156120d55760405162461bcd60e51b815260206004820152601c60248201527f626f72726f772072617465206973206162737572646c792068696768000000006044820152606401610a11565b6000806120e28989613bce565b909250905060008260038111156120fb576120fb614e29565b1461215f5760405162461bcd60e51b815260206004820152602e60248201527f424c656e64696e67546f6b656e3a20436f756c64206e6f742063616c63756c6160448201526d746520626c6f636b2064656c746160901b6064820152608401610a11565b604080516020810190915260008152600061218860405180602001604052808781525084613bf9565b909450915060008460038111156121a1576121a1614e29565b146121b85760009b50505050505050505050505090565b6121c3828788613d1d565b909450905060008460038111156121dc576121dc614e29565b146121f35760009b50505050505050505050505090565b9b9a5050505050505050505050565b60008281526076602052604090206001015461221d816127e0565b610d3f8383612e86565b60006108ec60008051602061518783398151915283611433565b61224c600033611433565b6122685760405162461bcd60e51b8152600401610a1190614e8f565b60a8546001600160a01b0316156122d35760405162461bcd60e51b815260206004820152602960248201527f424c656e64696e67546f6b656e3a207072696d61727920696e64657820746f6b604482015268195b881a5cc81cd95d60ba1b6064820152608401610a11565b60a8546040516001600160a01b038084169216907f9d9742c8ceadb48278e7ad518d34801d0e5f7e35c37c7608f3cb8af3981743a890600090a360a880546001600160a01b0319166001600160a01b0392909216919091179055565b60008061233a6117e7565b9050801561235e576114f281601081111561235757612357614e29565b6040612870565b6114f283613aaf565b6006546000906001600160a01b03166389469df9612383612f3f565b600b54600c546040516001600160e01b031960e086901b168152600481019390935260248301919091526044820152306064820152608401611c98565b6000805460ff166123e35760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff191681556123f56117e7565b905080156124195761131b81601081111561241257612412614e29565b6046612870565b61132c83613df2565b60a8546000906001600160a01b0316331461243c57600080fd5b60006124466117e7565b9050801561246a57610d8c81601081111561246357612463614e29565b6008612870565b610da08484613e7c565b600d546000908190808203612490575050600754600092909150565b600061249a612f3f565b905060006124b46040518060200160405280600081525090565b60006124c584600b54600c546141a4565b9350905060008160038111156124dd576124dd614e29565b146124ef579660009650945050505050565b6124f983866141e8565b92509050600081600381111561251157612511614e29565b14612523579660009650945050505050565b50516000969095509350505050565b6005546040516317b9b84b60e31b81523060048201526001600160a01b038581166024830152848116604483015260648201849052600092839291169063bdcdc258906084016020604051808303816000875af1158015612597573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906125bb9190614e76565b905080156125d8576125d06003604a83613c75565b915050610da0565b836001600160a01b0316856001600160a01b0316036125fd576125d06002604b612870565b6000856001600160a01b0316876001600160a01b0316036126215750600019612649565b506001600160a01b038086166000908152600f60209081526040808320938a16835292905220545b6000806000806126598589613bce565b9094509250600084600381111561267257612672614e29565b14612690576126836009604b612870565b9650505050505050610da0565b6001600160a01b038a166000908152600e60205260409020546126b39089613bce565b909450915060008460038111156126cc576126cc614e29565b146126dd576126836009604c612870565b6001600160a01b0389166000908152600e60205260409020546127009089613ced565b9094509050600084600381111561271957612719614e29565b1461272a576126836009604d612870565b6001600160a01b03808b166000908152600e6020526040808220859055918b168152208190556000198514612782576001600160a01b03808b166000908152600f60209081526040808320938f168352929052208390555b886001600160a01b03168a6001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8a6040516127c791815260200190565b60405180910390a35060009a9950505050505050505050565b610de781336142b3565b6127f48282611433565b610e645760008281526076602090815260408083206001600160a01b03851684529091529020805460ff1916600117905561282c3390565b6001600160a01b0316816001600160a01b0316837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45050565b60007f45b96fe442630264581b197e84bbada861235052c5a1aadfff9ea4e40a969aa08360108111156128a5576128a5614e29565b8360508111156128b7576128b7614e29565b60408051928352602083019190915260009082015260600160405180910390a18260108111156114f2576114f2614e29565b60008215806128f6575081155b6129685760405162461bcd60e51b815260206004820152603c60248201527f42546f6b656e3a204f6e65206f662072656465656d546f6b656e73496e206f7260448201527f2072656465656d416d6f756e74496e206d757374206265207a65726f000000006064820152608401610a11565b6129a96040805160e0810190915280600081526020016000815260200160008152602001600081526020016000815260200160008152602001600081525090565b6129b1612474565b60408301819052602083018260038111156129ce576129ce614e29565b60038111156129df576129df614e29565b90525060009050816020015160038111156129fc576129fc614e29565b14612a2657612a1e6009602b83602001516003811115611a5b57611a5b614e29565b9150506114f2565b8315612abf576060810184905260408051602081018252908201518152612a4d9085612eed565b6080830181905260208301826003811115612a6a57612a6a614e29565b6003811115612a7b57612a7b614e29565b9052506000905081602001516003811115612a9857612a98614e29565b14612aba57612a1e6009602983602001516003811115611a5b57611a5b614e29565b612b50565b612adb836040518060200160405280846040015181525061430c565b6060830181905260208301826003811115612af857612af8614e29565b6003811115612b0957612b09614e29565b9052506000905081602001516003811115612b2657612b26614e29565b14612b4857612a1e6009602a83602001516003811115611a5b57611a5b614e29565b608081018390525b600554606082015160405163eabe7d9160e01b81526000926001600160a01b03169163eabe7d9191612b899130918b919060040161502a565b602060405180830381865afa158015612ba6573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612bca9190614e76565b90508015612be857612bdf6003602883613c75565b925050506114f2565b4360095414612bfd57612bdf600a602c612870565b612c0d600d548360600151613bce565b60a0840181905260208401826003811115612c2a57612c2a614e29565b6003811115612c3b57612c3b614e29565b9052506000905082602001516003811115612c5857612c58614e29565b14612c7a57612bdf6009602e84602001516003811115611a5b57611a5b614e29565b6001600160a01b0386166000908152600e60205260409020546060830151612ca29190613bce565b60c0840181905260208401826003811115612cbf57612cbf614e29565b6003811115612cd057612cd0614e29565b9052506000905082602001516003811115612ced57612ced614e29565b14612d0f57612bdf6009602d84602001516003811115611a5b57611a5b614e29565b8160800151612d1c612f3f565b1015612d2e57612bdf600e602f612870565b60a0820151600d5560c08201516001600160a01b0387166000908152600e60205260409020556080820151612d6490879061431c565b306001600160a01b0316866001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8460600151604051612dad91815260200190565b60405180910390a3608082015160608301516040517fe5b754fb1abb7f01b499791d0b820ae3b6af3424ac1c59768edb53f4ec31a92992612def928a9261504e565b60405180910390a1600554608083015160608401516040516351dff98960e01b81523060048201526001600160a01b038a81166024830152604482019390935260648101919091529116906351dff9899060840160006040518083038186803b158015612e5b57600080fd5b505afa158015612e6f573d6000803e3d6000fd5b5060009250612e7c915050565b9695505050505050565b612e908282611433565b15610e645760008281526076602090815260408083206001600160a01b0385168085529252808320805460ff1916905551339285917ff6391f5c32d9c69d2a47ea670b442974b53935d1edc7fd64eb21e047a839171b9190a45050565b600080600080612efd8686613bf9565b90925090506000826003811115612f1657612f16614e29565b14612f275750915060009050611063565b6000612f3282614406565b9350935050509250929050565b6011546040516370a0823160e01b81523060048201526000916001600160a01b03169081906370a0823190602401602060405180830381865afa158015612f8a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612fae9190614e76565b91505090565b6000805460ff16612fd75760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff19168155612fe96117e7565b9050801561300d5761131b81601081111561300657613006614e29565b604e612870565b6130168361441e565b509150506000805460ff19166001179055919050565b600554604051634ef4c3e160e01b8152600091829182916001600160a01b031690634ef4c3e1906130659030908990899060040161502a565b602060405180830381865afa158015613082573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906130a69190614e76565b905080156130bb57610f9a6003601f83613c75565b43600954146130d057610f9a600a6022612870565b6131116040805160e0810190915280600081526020016000815260200160008152602001600081526020016000815260200160008152602001600081525090565b613119612474565b604083018190526020830182600381111561313657613136614e29565b600381111561314757613147614e29565b905250600090508160200151600381111561316457613164614e29565b14613193576131866009602183602001516003811115611a5b57611a5b614e29565b6000935093505050611063565b61319d8686614509565b60c08201819052604080516020810182529083015181526131be919061430c565b60608301819052602083018260038111156131db576131db614e29565b60038111156131ec576131ec614e29565b905250600090508160200151600381111561320957613209614e29565b146132565760405162461bcd60e51b815260206004820181905260248201527f4d494e545f45584348414e47455f43414c43554c4154494f4e5f4641494c45446044820152606401610a11565b613266600d548260600151613ced565b608083018190526020830182600381111561328357613283614e29565b600381111561329457613294614e29565b90525060009050816020015160038111156132b1576132b1614e29565b1461330f5760405162461bcd60e51b815260206004820152602860248201527f4d494e545f4e45575f544f54414c5f535550504c595f43414c43554c4154494f6044820152671397d1905253115160c21b6064820152608401610a11565b6001600160a01b0386166000908152600e602052604090205460608201516133379190613ced565b60a083018190526020830182600381111561335457613354614e29565b600381111561336557613365614e29565b905250600090508160200151600381111561338257613382614e29565b146133e35760405162461bcd60e51b815260206004820152602b60248201527f4d494e545f4e45575f4143434f554e545f42414c414e43455f43414c43554c4160448201526a151253d397d1905253115160aa1b6064820152608401610a11565b6080810151600d5560a08101516001600160a01b0387166000908152600e6020526040908190209190915560c0820151606083015191517f4c209b5fc8ad50758f13e2e1088ba56a560dff690a1c6fef26394f4c03821c4f9261344a928a9290919061504e565b60405180910390a1856001600160a01b0316306001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef836060015160405161349b91815260200190565b60405180910390a360c001516000969095509350505050565b601154600160a81b900460ff166135215760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201526a6e697469616c697a696e6760a81b6064820152608401610a11565b565b610e6482826127ea565b60008061353933612227565b613549576114f260016031612870565b436009541461355e576114f2600a6033612870565b82613567612f3f565b1015613579576114f2600e6032612870565b600c5483111561358f576114f260026034612870565b82600c5461359d9190615085565b9050600c548111156136065760405162461bcd60e51b815260206004820152602c60248201527f42546f6b656e3a2052656475636520726573657276657320756e65787065637460448201526b656420756e646572666c6f7760a01b6064820152608401610a11565b600c819055613615338461431c565b7f3bad0c59cf2f06e7314077049f48a93578cd16f5ef92329f1dab1420a99c177e338483604051611dd49392919061504e565b6001600160a01b038116600090815260106020526040812080548291829182918291820361367f5750600096879650945050505050565b61368f8160000154600a54613d77565b909450925060008460038111156136a8576136a8614e29565b146136bb57509195600095509350505050565b6136c9838260010154613dc4565b909450915060008460038111156136e2576136e2614e29565b146136f557509195600095509350505050565b506000969095509350505050565b600554604051631200453160e11b81523060048201526001600160a01b03858116602483015284811660448301526064820184905260009283928392909116906324008a6290608401602060405180830381865afa158015613769573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061378d9190614e76565b905080156137a2576115436003603883613c75565b43600954146137b757611543600a6039612870565b6138006040805161010081019091528060008152602001600081526020016000815260200160008152602001600081526020016000815260200160008152602001600081525090565b6001600160a01b038616600090815260106020526040902060010154606082015261382a86613648565b608083018190526020830182600381111561384757613847614e29565b600381111561385857613858614e29565b905250600090508160200151600381111561387557613875614e29565b146138a4576138976009603783602001516003811115611a5b57611a5b614e29565b6000935093505050611561565b84196138b957608081015160408201526138c1565b604081018590525b6138cf878260400151614509565b60e0820181905260808201516138e491613bce565b60a083018190526020830182600381111561390157613901614e29565b600381111561391257613912614e29565b905250600090508160200151600381111561392f5761392f614e29565b146139a25760405162461bcd60e51b815260206004820152603a60248201527f52455041595f424f52524f575f4e45575f4143434f554e545f424f52524f575f60448201527f42414c414e43455f43414c43554c4154494f4e5f4641494c45440000000000006064820152608401610a11565b6139b2600b548260e00151613bce565b60c08301819052602083018260038111156139cf576139cf614e29565b60038111156139e0576139e0614e29565b90525060039050816020015160038111156139fd576139fd614e29565b03613a0a57600060c08201525b60a081810180516001600160a01b03898116600081815260106020908152604091829020948555600a5460019095019490945560c0870151600b81905560e088015195518251948f16855294840192909252820193909352606081019190915260808101919091527f1a2a22cb034d26d1854bdc6666a5b91fe25efbbb5dcad3b0355478d6f5c362a1910160405180910390a160e00151600097909650945050505050565b600080613abb33612227565b613acb576114f260016042612870565b4360095414613ae0576114f2600a6041612870565b600660009054906101000a90046001600160a01b03169050826001600160a01b0316632191f92a6040518163ffffffff1660e01b8152600401602060405180830381865afa158015613b36573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613b5a9190614fc4565b613b765760405162461bcd60e51b8152600401610a1190614fe6565b600680546001600160a01b0319166001600160a01b0385811691821790925560408051928416835260208301919091527fedffc32e068c7c95dfd4bdfd5c4d939a084d6b11c4199eac8436ed234d72f9269101611dd4565b600080838311613bed576000613be48486615085565b91509150611063565b50600390506000611063565b6000613c116040518060200160405280600081525090565b600080613c22866000015186613d77565b90925090506000826003811115613c3b57613c3b614e29565b14613c5a57506040805160208101909152600081529092509050611063565b60408051602081019091529081526000969095509350505050565b60007f45b96fe442630264581b197e84bbada861235052c5a1aadfff9ea4e40a969aa0846010811115613caa57613caa614e29565b846050811115613cbc57613cbc614e29565b604080519283526020830191909152810184905260600160405180910390a1836010811115610da057610da0614e29565b60008080613cfb8486615098565b9050848110613d0f57600092509050611063565b600260009250925050611063565b600080600080613d2d8787613bf9565b90925090506000826003811115613d4657613d46614e29565b14613d575750915060009050611561565b613d69613d6382614406565b86613ced565b935093505050935093915050565b60008083600003613d8d57506000905080611063565b6000613d9984866150ab565b905083613da686836150c2565b14613db957600260009250925050611063565b600092509050611063565b60008082600003613ddb5750600190506000611063565b6000613de784866150c2565b915091509250929050565b6000613dfd33612227565b613e0d576108ec60016047612870565b4360095414613e22576108ec600a6048612870565b670de0b6b3a7640000821115613e3e576108ec60026049612870565b600880549083905560408051828152602081018590527faaa68312e2ea9d50e16af5068410ab56e1a1fd06037b1a35664812c30f8214609101611dd4565b60055460405163368f515360e21b815260009182916001600160a01b039091169063da3d454c90613eb59030908890889060040161502a565b6020604051808303816000875af1158015613ed4573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613ef89190614e76565b90508015613f0d57610d8c6003600e83613c75565b4360095414613f2157610d8c600a80612870565b82613f2a612f3f565b1015613f785760405162461bcd60e51b815260206004820152601960248201527f42546f6b656e3a20496e73756666696369656e742063617368000000000000006044820152606401610a11565b613fa4604080516080810190915280600081526020016000815260200160008152602001600081525090565b613fad85613648565b6020830181905282826003811115613fc757613fc7614e29565b6003811115613fd857613fd8614e29565b9052506000905081516003811115613ff257613ff2614e29565b1461401d576140146009600783600001516003811115611a5b57611a5b614e29565b925050506108ec565b61402b816020015185613ced565b604083018190528282600381111561404557614045614e29565b600381111561405657614056614e29565b905250600090508151600381111561407057614070614e29565b14614092576140146009600c83600001516003811115611a5b57611a5b614e29565b61409e600b5485613ced565b60608301819052828260038111156140b8576140b8614e29565b60038111156140c9576140c9614e29565b90525060009050815160038111156140e3576140e3614e29565b14614105576140146009600b83600001516003811115611a5b57611a5b614e29565b6040808201516001600160a01b0387166000908152601060205291909120908155600a546001909101556060810151600b55614141858561431c565b60408082015160608084015183516001600160a01b038a16815260208101899052938401929092528201527f13ed6866d4e1ee6da46f845c46d7e54120883d75c5ea9a2dacc1c4ca8984ab809060800160405180910390a1600095945050505050565b6000806000806141b48787613ced565b909250905060008260038111156141cd576141cd614e29565b146141de5750915060009050611561565b613d698186613bce565b60006142006040518060200160405280600081525090565b60008061421586670de0b6b3a7640000613d77565b9092509050600082600381111561422e5761422e614e29565b1461424d57506040805160208101909152600081529092509050611063565b60008061425a8388613dc4565b9092509050600082600381111561427357614273614e29565b146142965781604051806020016040528060008152509550955050505050611063565b604080516020810190915290815260009890975095505050505050565b6142bd8282611433565b610e64576142ca8161472f565b6142d5836020614741565b6040516020016142e69291906150e4565b60408051601f198184030181529082905262461bcd60e51b8252610a119160040161499e565b600080600080612efd86866148dd565b60115460405163a9059cbb60e01b81526001600160a01b0384811660048301526024820184905290911690819063a9059cbb90604401600060405180830381600087803b15801561436c57600080fd5b505af1158015614380573d6000803e3d6000fd5b5050505060003d6000811461439c57602081146143a657600080fd5b60001991506143b2565b60206000803e60005191505b50806144005760405162461bcd60e51b815260206004820152601960248201527f544f4b454e5f5452414e534645525f4f55545f4641494c4544000000000000006044820152606401610a11565b50505050565b80516000906108ec90670de0b6b3a7640000906150c2565b6000808080436009541461444257614438600a604f612870565b9590945092505050565b61444c3386614509565b905080600c5461445c9190615098565b9150600c548210156144c15760405162461bcd60e51b815260206004820152602860248201527f42546f6b656e3a2041646420726573657276657320756e6578706563746564206044820152676f766572666c6f7760c01b6064820152608401610a11565b600c8290556040517fa91e67c5ea634cd43a12c5a482724b03de01e85ca68702a53d0c2f45cb7c1dc5906144fa9033908490869061504e565b60405180910390a16000614438565b6011546040516370a0823160e01b81523060048201526000916001600160a01b031690829082906370a0823190602401602060405180830381865afa158015614556573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061457a9190614e76565b6040516323b872dd60e01b81529091506001600160a01b038316906323b872dd906145ad9088903090899060040161502a565b600060405180830381600087803b1580156145c757600080fd5b505af11580156145db573d6000803e3d6000fd5b5050505060003d600081146145f7576020811461460157600080fd5b600019915061460d565b60206000803e60005191505b508061465b5760405162461bcd60e51b815260206004820152601860248201527f544f4b454e5f5452414e534645525f494e5f4641494c454400000000000000006044820152606401610a11565b6011546040516370a0823160e01b81523060048201526000916001600160a01b0316906370a0823190602401602060405180830381865afa1580156146a4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906146c89190614e76565b90508281101561471a5760405162461bcd60e51b815260206004820152601a60248201527f544f4b454e5f5452414e534645525f494e5f4f564552464c4f570000000000006044820152606401610a11565b6147248382615085565b979650505050505050565b60606108ec6001600160a01b03831660145b606060006147508360026150ab565b61475b906002615098565b67ffffffffffffffff81111561477357614773614a2f565b6040519080825280601f01601f19166020018201604052801561479d576020820181803683370190505b509050600360fc1b816000815181106147b8576147b8615159565b60200101906001600160f81b031916908160001a905350600f60fb1b816001815181106147e7576147e7615159565b60200101906001600160f81b031916908160001a905350600061480b8460026150ab565b614816906001615098565b90505b600181111561488e576f181899199a1a9b1b9c1cb0b131b232b360811b85600f166010811061484a5761484a615159565b1a60f81b82828151811061486057614860615159565b60200101906001600160f81b031916908160001a90535060049490941c936148878161516f565b9050614819565b5083156114f25760405162461bcd60e51b815260206004820181905260248201527f537472696e67733a20686578206c656e67746820696e73756666696369656e746044820152606401610a11565b60006148f56040518060200160405280600081525090565b60008061490a670de0b6b3a764000087613d77565b9092509050600082600381111561492357614923614e29565b1461494257506040805160208101909152600081529092509050611063565b612f328186600001516141e8565b60006020828403121561496257600080fd5b81356001600160e01b0319811681146114f257600080fd5b60005b8381101561499557818101518382015260200161497d565b50506000910152565b60208152600082518060208401526149bd81604085016020870161497a565b601f01601f19169190910160400192915050565b6001600160a01b0381168114610de757600080fd5b600080604083850312156149f957600080fd5b8235614a04816149d1565b946020939093013593505050565b600060208284031215614a2457600080fd5b81356114f2816149d1565b634e487b7160e01b600052604160045260246000fd5b600082601f830112614a5657600080fd5b813567ffffffffffffffff80821115614a7157614a71614a2f565b604051601f8301601f19908116603f01168101908282118183101715614a9957614a99614a2f565b81604052838152866020858801011115614ab257600080fd5b836020870160208301376000602085830101528094505050505092915050565b803560ff81168114614ae357600080fd5b919050565b600080600080600080600060e0888a031215614b0357600080fd5b8735614b0e816149d1565b96506020880135614b1e816149d1565b95506040880135614b2e816149d1565b945060608801359350608088013567ffffffffffffffff80821115614b5257600080fd5b614b5e8b838c01614a45565b945060a08a0135915080821115614b7457600080fd5b50614b818a828b01614a45565b925050614b9060c08901614ad2565b905092959891949750929550565b600080600060608486031215614bb357600080fd5b8335614bbe816149d1565b92506020840135614bce816149d1565b929592945050506040919091013590565b600060208284031215614bf157600080fd5b5035919050565b60008060408385031215614c0b57600080fd5b823591506020830135614c1d816149d1565b809150509250929050565b600080600080600080600080610100898b031215614c4557600080fd5b8835614c50816149d1565b97506020890135614c60816149d1565b96506040890135614c70816149d1565b955060608901359450608089013567ffffffffffffffff80821115614c9457600080fd5b614ca08c838d01614a45565b955060a08b0135915080821115614cb657600080fd5b50614cc38b828c01614a45565b935050614cd260c08a01614ad2565b915060e0890135614ce2816149d1565b809150509295985092959890939650565b60008060008060008060c08789031215614d0c57600080fd5b8635614d17816149d1565b95506020870135614d27816149d1565b945060408701359350606087013567ffffffffffffffff80821115614d4b57600080fd5b614d578a838b01614a45565b94506080890135915080821115614d6d57600080fd5b50614d7a89828a01614a45565b925050614d8960a08801614ad2565b90509295509295509295565b60008060408385031215614da857600080fd5b8235614db3816149d1565b91506020830135614c1d816149d1565b600181811c90821680614dd757607f821691505b602082108103614df757634e487b7160e01b600052602260045260246000fd5b50919050565b60208082526012908201527110951bdad95b8e881c994b595b9d195c995960721b604082015260600190565b634e487b7160e01b600052602160045260246000fd5b6020808252601e908201527f42546f6b656e3a2041636372756520696e746572657374206661696c65640000604082015260600190565b600060208284031215614e8857600080fd5b5051919050565b6020808252601590820152746d73672e73656e646572206e6f742061646d696e2160581b604082015260600190565b601f821115610d3f57600081815260208120601f850160051c81016020861015614ee55750805b601f850160051c820191505b81811015610cc257828155600101614ef1565b815167ffffffffffffffff811115614f1e57614f1e614a2f565b614f3281614f2c8454614dc3565b84614ebe565b602080601f831160018114614f675760008415614f4f5750858301515b600019600386901b1c1916600185901b178555610cc2565b600085815260208120601f198616915b82811015614f9657888601518255948401946001909101908401614f77565b5085821015614fb45787850151600019600388901b60f8161c191681555b5050505050600190811b01905550565b600060208284031215614fd657600080fd5b815180151581146114f257600080fd5b60208082526024908201527f42546f6b656e3a204d61726b6572206d6574686f642072657475726e65642066604082015263616c736560e01b606082015260800190565b6001600160a01b039384168152919092166020820152604081019190915260600190565b6001600160a01b039390931683526020830191909152604082015260600190565b634e487b7160e01b600052601160045260246000fd5b818103818111156108ec576108ec61506f565b808201808211156108ec576108ec61506f565b80820281158282048414176108ec576108ec61506f565b6000826150df57634e487b7160e01b600052601260045260246000fd5b500490565b7f416363657373436f6e74726f6c3a206163636f756e742000000000000000000081526000835161511c81601785016020880161497a565b7001034b99036b4b9b9b4b733903937b6329607d1b601791840191820152835161514d81602884016020880161497a565b01602801949350505050565b634e487b7160e01b600052603260045260246000fd5b60008161517e5761517e61506f565b50600019019056fe71f3d55856e4058ed06ee057d79ada615f65cdf5f9ee88181b914225088f834fa2646970667358221220ad152a99e976fb025436757b87ec4d6abe3a40e3b034e18ad3f46c4868077b6864736f6c63430008130033
Deployed Bytecode
0x608060405234801561001057600080fd5b50600436106103d05760003560e01c806370a08231116101ff578063b4ac76881161011a578063e801734a116100ad578063f8f9da281161007c578063f8f9da2814610885578063fca7820b1461088d578063fda0241d146108a0578063fe9c44ae146108b357600080fd5b8063e801734a14610834578063f2b3abbd14610847578063f3fdb15a1461085a578063f851a4401461086d57600080fd5b8063cbebe597116100e9578063cbebe597146107cd578063d547741f146107d5578063d6526889146107e8578063dd62ed3e146107fb57600080fd5b8063b4ac76881461076c578063b9ade1421461077f578063bd6d894d14610792578063c37f68e21461079a57600080fd5b806399c9321311610192578063a6afed9511610161578063a6afed9514610740578063a9059cbb14610748578063aa5af0fd1461075b578063ae9d70b01461076457600080fd5b806399c93213146106f257806399d8c1b414610705578063a19d146014610718578063a217fddf1461073857600080fd5b806391d14854116101ce57806391d14854146106b157806392641a7c146106c457806395d89b41146106d757806395dd9193146106df57600080fd5b806370a082311461066257806373acee981461068b578063797669c9146106935780638f840ddd146106a857600080fd5b806336445636116102ef57806347bd3718116102825780636752e702116102515780636752e702146106255780636981c7ae146106335780636c540baf146106465780636f307dc31461064f57600080fd5b806347bd3718146105e35780635be7cc16146105ec578063601a0bf1146105ff5780636664aa781461061257600080fd5b80633e941010116102be5780633e94101014610582578063439d3ee714610595578063449a52f8146105a85780634703d19c146105d057600080fd5b8063364456361461054157806336568abe146105545780633af9e669146105675780633b1d21a21461057a57600080fd5b80631be1956011610367578063267822471161033657806326782247146104e95780632f2ff15d146104fc5780632f7605fb1461050f578063313ce5671461052257600080fd5b80631be195601461047557806323b872dd14610488578063248a9ca31461049b57806325358647146104be57600080fd5b806317bfdfbc116103a357806317bfdfbc1461043c57806318160ddd1461044f578063182df0f5146104585780631a31d4651461046057600080fd5b806301ffc9a7146103d557806306fdde03146103fd578063095ea7b314610412578063173b990414610425575b600080fd5b6103e86103e3366004614950565b6108bb565b60405190151581526020015b60405180910390f35b6104056108f2565b6040516103f4919061499e565b6103e86104203660046149e6565b610980565b61042e60085481565b6040519081526020016103f4565b61042e61044a366004614a12565b6109ee565b61042e600d5481565b61042e610a67565b61047361046e366004614ae8565b610aec565b005b610473610483366004614a12565b610b81565b6103e8610496366004614b9e565b610cca565b61042e6104a9366004614bdf565b60009081526076602052604090206001015490565b6005546104d1906001600160a01b031681565b6040516001600160a01b0390911681526020016103f4565b6004546104d1906001600160a01b031681565b61047361050a366004614bf8565b610d1a565b61042e61051d3660046149e6565b610d44565b60035461052f9060ff1681565b60405160ff90911681526020016103f4565b61047361054f366004614a12565b610da8565b610473610562366004614bf8565b610dea565b61042e610575366004614a12565b610e68565b61042e610f20565b61042e610590366004614bdf565b610f2f565b61042e6105a3366004614a12565b610f3a565b6105bb6105b63660046149e6565b610f50565b604080519283526020830191909152016103f4565b6104736105de366004614c28565b61106a565b61042e600b5481565b6104736105fa366004614a12565b611207565b61042e61060d366004614bdf565b6112c2565b61042e6106203660046149e6565b611341565b61042e666379da05b6000081565b610473610641366004614a12565b61138e565b61042e60095481565b6011546104d1906001600160a01b031681565b61042e610670366004614a12565b6001600160a01b03166000908152600e602052604090205490565b61042e6113cd565b61042e60008051602061518783398151915281565b61042e600c5481565b6103e86106bf366004614bf8565b611433565b60a8546104d1906001600160a01b031681565b61040561145e565b61042e6106ed366004614a12565b61146b565b6105bb610700366004614b9e565b6114f9565b610473610713366004614cf3565b611569565b61042e610726366004614a12565b600e6020526000908152604090205481565b61042e600081565b61042e6117e7565b6103e86107563660046149e6565b611bec565b61042e600a5481565b61042e611c3b565b61042e61077a366004614a12565b611cd9565b61042e61078d366004614a12565b611de5565b61042e611ebc565b6107ad6107a8366004614a12565b611f28565b6040805194855260208501939093529183015260608201526080016103f4565b61042e611fc9565b6104736107e3366004614bf8565b612202565b6103e86107f6366004614a12565b612227565b61042e610809366004614d95565b6001600160a01b039182166000908152600f6020908152604080832093909416825291909152205490565b610473610842366004614a12565b612241565b61042e610855366004614a12565b61232f565b6006546104d1906001600160a01b031681565b6003546104d19061010090046001600160a01b031681565b61042e612367565b61042e61089b366004614bdf565b6123c0565b61042e6108ae3660046149e6565b612422565b6103e8600181565b60006001600160e01b03198216637965db0b60e01b14806108ec57506301ffc9a760e01b6001600160e01b03198316145b92915050565b600180546108ff90614dc3565b80601f016020809104026020016040519081016040528092919081815260200182805461092b90614dc3565b80156109785780601f1061094d57610100808354040283529160200191610978565b820191906000526020600020905b81548152906001019060200180831161095b57829003601f168201915b505050505081565b336000818152600f602090815260408083206001600160a01b03871680855292528083208590555191929182907f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925906109dc9087815260200190565b60405180910390a35060019392505050565b6000805460ff16610a1a5760405162461bcd60e51b8152600401610a1190614dfd565b60405180910390fd5b6000805460ff19168155610a2c6117e7565b14610a495760405162461bcd60e51b8152600401610a1190614e3f565b610a528261146b565b90505b6000805460ff19166001179055919050565b6000806000610a74612474565b90925090506000826003811115610a8d57610a8d614e29565b146108ec5760405162461bcd60e51b815260206004820152602960248201527f42546f6b656e3a2045786368616e67655261746553746f726564496e7465726e604482015268185b0819985a5b195960ba1b6064820152608401610a11565b610afa868686868686611569565b601180546001600160a01b0319166001600160a01b038916908117909155604080516318160ddd60e01b815290516318160ddd916004808201926020929091908290030181865afa158015610b53573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b779190614e76565b5050505050505050565b6011546001600160a01b0390811690821603610bee5760405162461bcd60e51b815260206004820152602660248201527f4245726332303a2043616e206e6f7420737765657020756e6465726c79696e67604482015265103a37b5b2b760d11b6064820152608401610a11565b6040516370a0823160e01b81523060048201526000906001600160a01b038316906370a0823190602401602060405180830381865afa158015610c35573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c599190614e76565b60035460405163a9059cbb60e01b81526001600160a01b03610100909204821660048201526024810183905291925083169063a9059cbb90604401600060405180830381600087803b158015610cae57600080fd5b505af1158015610cc2573d6000803e3d6000fd5b505050505050565b6000805460ff16610ced5760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff19168155610d0333868686612532565b1490506000805460ff191660011790559392505050565b600082815260766020526040902060010154610d35816127e0565b610d3f83836127ea565b505050565b60a8546000906001600160a01b03163314610d5e57600080fd5b6000610d686117e7565b90508015610d9457610d8c816010811115610d8557610d85614e29565b6027612870565b9150506108ec565b610da0848460006128e9565b949350505050565b610db3600033611433565b610dcf5760405162461bcd60e51b8152600401610a1190614e8f565b610de760008051602061518783398151915282612202565b50565b6001600160a01b0381163314610e5a5760405162461bcd60e51b815260206004820152602f60248201527f416363657373436f6e74726f6c3a2063616e206f6e6c792072656e6f756e636560448201526e103937b632b9903337b91039b2b63360891b6064820152608401610a11565b610e648282612e86565b5050565b6000806040518060200160405280610e7e611ebc565b90526001600160a01b0384166000908152600e6020526040812054919250908190610eaa908490612eed565b90925090506000826003811115610ec357610ec3614e29565b14610da05760405162461bcd60e51b815260206004820152602760248201527f42546f6b656e3a2042616c616e636520636f756c64206e6f742062652063616c60448201526618dd5b185d195960ca1b6064820152608401610a11565b6000610f2a612f3f565b905090565b60006108ec82612fb4565b6000806040518060200160405280610e7e610a67565b60a85460009081906001600160a01b03163314610f6c57600080fd5b6000610f766117e7565b90508015610fa657610f9a816010811115610f9357610f93614e29565b601e612870565b60009250925050611063565b610fb0858561302c565b909350915082156110035760405162461bcd60e51b815260206004820152601f60248201527f424c656e64696e67546f6b656e3a20657272206973206e6f74207a65726f21006044820152606401610a11565b600082116110615760405162461bcd60e51b815260206004820152602560248201527f424c656e64696e67546f6b656e3a206d696e74656420616d6f756e74206973206044820152647a65726f2160d81b6064820152608401610a11565b505b9250929050565b601154600160a81b900460ff161580801561109257506011546001600160a01b90910460ff16105b806110b35750303b1580156110b35750601154600160a01b900460ff166001145b6111165760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201526d191e481a5b9a5d1a585b1a5e995960921b6064820152608401610a11565b6011805460ff60a01b1916600160a01b1790558015611143576011805460ff60a81b1916600160a81b1790555b61114b6134b4565b611156600083613523565b61116e60008051602061518783398151915283613523565b60038054610100600160a81b031916336101000217905561119489898989898989610aec565b60038054610100600160a81b0319166101006001600160a01b0385160217905580156111fc576011805460ff60a81b19169055604051600181527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb38474024989060200160405180910390a15b505050505050505050565b611212600033611433565b61122e5760405162461bcd60e51b8152600401610a1190614e8f565b6001600160a01b0381166112845760405162461bcd60e51b815260206004820152601a60248201527f424c656e64696e67546f6b656e3a206e657741646d696e3d3d300000000000006044820152606401610a11565b61128f600082610d1a565b61129a600033612202565b600380546001600160a01b0390921661010002610100600160a81b0319909216919091179055565b6000805460ff166112e55760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff191681556112f76117e7565b905080156113235761131b81601081111561131457611314614e29565b6030612870565b915050610a55565b61132c8361352d565b9150506000805460ff19166001179055919050565b60a8546000906001600160a01b0316331461135b57600080fd5b60006113656117e7565b9050801561138257610d8c816010811115610d8557610d85614e29565b610da0846000856128e9565b611399600033611433565b6113b55760405162461bcd60e51b8152600401610a1190614e8f565b610de760008051602061518783398151915282610d1a565b6000805460ff166113f05760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff191681556114026117e7565b1461141f5760405162461bcd60e51b8152600401610a1190614e3f565b50600b546000805460ff1916600117905590565b60009182526076602090815260408084206001600160a01b0393909316845291905290205460ff1690565b600280546108ff90614dc3565b600080600061147984613648565b9092509050600082600381111561149257611492614e29565b146114f25760405162461bcd60e51b815260206004820152602a60248201527f42546f6b656e3a20426f72726f7742616c616e636553746f726564496e7465726044820152691b985b0819985a5b195960b21b6064820152608401610a11565b9392505050565b60a85460009081906001600160a01b0316331461151557600080fd5b600061151f6117e7565b9050801561154f5761154381601081111561153c5761153c614e29565b6036612870565b60009250925050611561565b61155a868686613703565b9093509150505b935093915050565b60035461010090046001600160a01b031633146115dd5760405162461bcd60e51b815260206004820152602c60248201527f42546f6b656e3a204f6e6c792061646d696e206d617920696e697469616c697a60448201526b19481d1a19481b585c9ad95d60a21b6064820152608401610a11565b6009541580156115ed5750600a54155b61164d5760405162461bcd60e51b815260206004820152602b60248201527f42546f6b656e3a204d61726b6574206d6179206f6e6c7920626520696e69746960448201526a616c697a6564206f6e636560a81b6064820152608401610a11565b6007849055836116c55760405162461bcd60e51b815260206004820152603860248201527f42546f6b656e3a20496e697469616c2065786368616e67652072617465206d7560448201527f73742062652067726561746572207468616e207a65726f2e00000000000000006064820152608401610a11565b60006116d087611cd9565b9050801561172b5760405162461bcd60e51b815260206004820152602260248201527f42546f6b656e3a2053657474696e6720626f6e6474726f6c6c6572206661696c604482015261195960f21b6064820152608401610a11565b43600955670de0b6b3a7640000600a5561174486613aaf565b905080156117a75760405162461bcd60e51b815260206004820152602a60248201527f42546f6b656e3a2053657474696e6720696e7465726573742072617465206d6f60448201526919195b0819985a5b195960b21b6064820152608401610a11565b60016117b38582614f04565b5060026117c08482614f04565b50506003805460ff90921660ff199283161790556000805490911660011790555050505050565b60095460009043908181036118005760005b9250505090565b600061180a612f3f565b600b54600c54600a54600654604051632f7557f560e11b81526004810186905260248101859052604481018490529495509293919290916001600160a01b0390911690635eeaafea906064016020604051808303816000875af1158015611875573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906118999190614e76565b506006546040516389469df960e01b81526004810186905260248101859052604481018490523060648201526000916001600160a01b0316906389469df990608401602060405180830381865afa1580156118f8573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061191c9190614e76565b905065048c273950008111156119745760405162461bcd60e51b815260206004820152601c60248201527f626f72726f772072617465206973206162737572646c792068696768000000006044820152606401610a11565b6000806119818989613bce565b9092509050600082600381111561199a5761199a614e29565b146119f75760405162461bcd60e51b815260206004820152602760248201527f42546f6b656e3a20436f756c64206e6f742063616c63756c61746520626c6f636044820152666b2064656c746160c81b6064820152608401610a11565b604080516020810190915260008152600080600080611a2460405180602001604052808a81525087613bf9565b90975094506000876003811115611a3d57611a3d614e29565b14611a7357611a6060096006896003811115611a5b57611a5b614e29565b613c75565b9e50505050505050505050505050505090565b611a7d858c612eed565b90975093506000876003811115611a9657611a96614e29565b14611ab457611a6060096001896003811115611a5b57611a5b614e29565b611abe848c613ced565b90975092506000876003811115611ad757611ad7614e29565b14611af557611a6060096004896003811115611a5b57611a5b614e29565b611b106040518060200160405280600854815250858c613d1d565b90975091506000876003811115611b2957611b29614e29565b14611b4757611a6060096005896003811115611a5b57611a5b614e29565b611b52858a8b613d1d565b90975090506000876003811115611b6b57611b6b614e29565b14611b8957611a6060096003896003811115611a5b57611a5b614e29565b60098e9055600a819055600b839055600c829055604080518d815260208101869052908101829052606081018490527f4dec04e750ca11537cabcd8a9eab06494de08da3735bc8871cd41250e190bc049060800160405180910390a16000611a60565b6000805460ff16611c0f5760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff19168155611c2533338686612532565b1490506000805460ff1916600117905592915050565b6006546000906001600160a01b03166332dc9b1c611c57612f3f565b600b54600c546008546040516001600160e01b031960e087901b168152600481019490945260248401929092526044830152606482015230608482015260a4015b602060405180830381865afa158015611cb5573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610f2a9190614e76565b6000611ce433612227565b611cf4576108ec6001603f612870565b600554604080516330c46acf60e21b815290516001600160a01b039283169285169163c311ab3c9160048083019260209291908290030181865afa158015611d40573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190611d649190614fc4565b611d805760405162461bcd60e51b8152600401610a1190614fe6565b600580546001600160a01b0319166001600160a01b0385811691821790925560408051928416835260208301919091527f9ff8c9db5f0ad4c3f1e57fb62c7517ce6c80eb4b5c51348d37a31a83d166d42e91015b60405180910390a160009392505050565b600080611df0611fc9565b6001600160a01b03841660009081526010602090815260408083208151808301909252805480835260019091015492820192909252929350909182918291908203611e42575060009695505050505050565b8051611e4e9086613d77565b90945092506000846003811115611e6757611e67614e29565b14611e79575060009695505050505050565b611e87838260200151613dc4565b90945091506000846003811115611ea057611ea0614e29565b14611eb2575060009695505050505050565b5095945050505050565b6000805460ff16611edf5760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff19168155611ef16117e7565b14611f0e5760405162461bcd60e51b8152600401610a1190614e3f565b611f16610a67565b90506000805460ff1916600117905590565b6001600160a01b0381166000908152600e6020526040812054819081908190818080611f5389613648565b935090506000816003811115611f6b57611f6b614e29565b14611f895760095b6000806000975097509750975050505050611fc2565b611f91612474565b925090506000816003811115611fa957611fa9614e29565b14611fb5576009611f73565b5060009650919450925090505b9193509193565b6009546000904390818103611fdf5760006117f9565b6000611fe9612f3f565b600b54600c54600a546006546040516389469df960e01b81526004810186905260248101859052604481018490523060648201529495509293919290916000916001600160a01b0316906389469df990608401602060405180830381865afa158015612059573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061207d9190614e76565b905065048c273950008111156120d55760405162461bcd60e51b815260206004820152601c60248201527f626f72726f772072617465206973206162737572646c792068696768000000006044820152606401610a11565b6000806120e28989613bce565b909250905060008260038111156120fb576120fb614e29565b1461215f5760405162461bcd60e51b815260206004820152602e60248201527f424c656e64696e67546f6b656e3a20436f756c64206e6f742063616c63756c6160448201526d746520626c6f636b2064656c746160901b6064820152608401610a11565b604080516020810190915260008152600061218860405180602001604052808781525084613bf9565b909450915060008460038111156121a1576121a1614e29565b146121b85760009b50505050505050505050505090565b6121c3828788613d1d565b909450905060008460038111156121dc576121dc614e29565b146121f35760009b50505050505050505050505090565b9b9a5050505050505050505050565b60008281526076602052604090206001015461221d816127e0565b610d3f8383612e86565b60006108ec60008051602061518783398151915283611433565b61224c600033611433565b6122685760405162461bcd60e51b8152600401610a1190614e8f565b60a8546001600160a01b0316156122d35760405162461bcd60e51b815260206004820152602960248201527f424c656e64696e67546f6b656e3a207072696d61727920696e64657820746f6b604482015268195b881a5cc81cd95d60ba1b6064820152608401610a11565b60a8546040516001600160a01b038084169216907f9d9742c8ceadb48278e7ad518d34801d0e5f7e35c37c7608f3cb8af3981743a890600090a360a880546001600160a01b0319166001600160a01b0392909216919091179055565b60008061233a6117e7565b9050801561235e576114f281601081111561235757612357614e29565b6040612870565b6114f283613aaf565b6006546000906001600160a01b03166389469df9612383612f3f565b600b54600c546040516001600160e01b031960e086901b168152600481019390935260248301919091526044820152306064820152608401611c98565b6000805460ff166123e35760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff191681556123f56117e7565b905080156124195761131b81601081111561241257612412614e29565b6046612870565b61132c83613df2565b60a8546000906001600160a01b0316331461243c57600080fd5b60006124466117e7565b9050801561246a57610d8c81601081111561246357612463614e29565b6008612870565b610da08484613e7c565b600d546000908190808203612490575050600754600092909150565b600061249a612f3f565b905060006124b46040518060200160405280600081525090565b60006124c584600b54600c546141a4565b9350905060008160038111156124dd576124dd614e29565b146124ef579660009650945050505050565b6124f983866141e8565b92509050600081600381111561251157612511614e29565b14612523579660009650945050505050565b50516000969095509350505050565b6005546040516317b9b84b60e31b81523060048201526001600160a01b038581166024830152848116604483015260648201849052600092839291169063bdcdc258906084016020604051808303816000875af1158015612597573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906125bb9190614e76565b905080156125d8576125d06003604a83613c75565b915050610da0565b836001600160a01b0316856001600160a01b0316036125fd576125d06002604b612870565b6000856001600160a01b0316876001600160a01b0316036126215750600019612649565b506001600160a01b038086166000908152600f60209081526040808320938a16835292905220545b6000806000806126598589613bce565b9094509250600084600381111561267257612672614e29565b14612690576126836009604b612870565b9650505050505050610da0565b6001600160a01b038a166000908152600e60205260409020546126b39089613bce565b909450915060008460038111156126cc576126cc614e29565b146126dd576126836009604c612870565b6001600160a01b0389166000908152600e60205260409020546127009089613ced565b9094509050600084600381111561271957612719614e29565b1461272a576126836009604d612870565b6001600160a01b03808b166000908152600e6020526040808220859055918b168152208190556000198514612782576001600160a01b03808b166000908152600f60209081526040808320938f168352929052208390555b886001600160a01b03168a6001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8a6040516127c791815260200190565b60405180910390a35060009a9950505050505050505050565b610de781336142b3565b6127f48282611433565b610e645760008281526076602090815260408083206001600160a01b03851684529091529020805460ff1916600117905561282c3390565b6001600160a01b0316816001600160a01b0316837f2f8788117e7eff1d82e926ec794901d17c78024a50270940304540a733656f0d60405160405180910390a45050565b60007f45b96fe442630264581b197e84bbada861235052c5a1aadfff9ea4e40a969aa08360108111156128a5576128a5614e29565b8360508111156128b7576128b7614e29565b60408051928352602083019190915260009082015260600160405180910390a18260108111156114f2576114f2614e29565b60008215806128f6575081155b6129685760405162461bcd60e51b815260206004820152603c60248201527f42546f6b656e3a204f6e65206f662072656465656d546f6b656e73496e206f7260448201527f2072656465656d416d6f756e74496e206d757374206265207a65726f000000006064820152608401610a11565b6129a96040805160e0810190915280600081526020016000815260200160008152602001600081526020016000815260200160008152602001600081525090565b6129b1612474565b60408301819052602083018260038111156129ce576129ce614e29565b60038111156129df576129df614e29565b90525060009050816020015160038111156129fc576129fc614e29565b14612a2657612a1e6009602b83602001516003811115611a5b57611a5b614e29565b9150506114f2565b8315612abf576060810184905260408051602081018252908201518152612a4d9085612eed565b6080830181905260208301826003811115612a6a57612a6a614e29565b6003811115612a7b57612a7b614e29565b9052506000905081602001516003811115612a9857612a98614e29565b14612aba57612a1e6009602983602001516003811115611a5b57611a5b614e29565b612b50565b612adb836040518060200160405280846040015181525061430c565b6060830181905260208301826003811115612af857612af8614e29565b6003811115612b0957612b09614e29565b9052506000905081602001516003811115612b2657612b26614e29565b14612b4857612a1e6009602a83602001516003811115611a5b57611a5b614e29565b608081018390525b600554606082015160405163eabe7d9160e01b81526000926001600160a01b03169163eabe7d9191612b899130918b919060040161502a565b602060405180830381865afa158015612ba6573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612bca9190614e76565b90508015612be857612bdf6003602883613c75565b925050506114f2565b4360095414612bfd57612bdf600a602c612870565b612c0d600d548360600151613bce565b60a0840181905260208401826003811115612c2a57612c2a614e29565b6003811115612c3b57612c3b614e29565b9052506000905082602001516003811115612c5857612c58614e29565b14612c7a57612bdf6009602e84602001516003811115611a5b57611a5b614e29565b6001600160a01b0386166000908152600e60205260409020546060830151612ca29190613bce565b60c0840181905260208401826003811115612cbf57612cbf614e29565b6003811115612cd057612cd0614e29565b9052506000905082602001516003811115612ced57612ced614e29565b14612d0f57612bdf6009602d84602001516003811115611a5b57611a5b614e29565b8160800151612d1c612f3f565b1015612d2e57612bdf600e602f612870565b60a0820151600d5560c08201516001600160a01b0387166000908152600e60205260409020556080820151612d6490879061431c565b306001600160a01b0316866001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8460600151604051612dad91815260200190565b60405180910390a3608082015160608301516040517fe5b754fb1abb7f01b499791d0b820ae3b6af3424ac1c59768edb53f4ec31a92992612def928a9261504e565b60405180910390a1600554608083015160608401516040516351dff98960e01b81523060048201526001600160a01b038a81166024830152604482019390935260648101919091529116906351dff9899060840160006040518083038186803b158015612e5b57600080fd5b505afa158015612e6f573d6000803e3d6000fd5b5060009250612e7c915050565b9695505050505050565b612e908282611433565b15610e645760008281526076602090815260408083206001600160a01b0385168085529252808320805460ff1916905551339285917ff6391f5c32d9c69d2a47ea670b442974b53935d1edc7fd64eb21e047a839171b9190a45050565b600080600080612efd8686613bf9565b90925090506000826003811115612f1657612f16614e29565b14612f275750915060009050611063565b6000612f3282614406565b9350935050509250929050565b6011546040516370a0823160e01b81523060048201526000916001600160a01b03169081906370a0823190602401602060405180830381865afa158015612f8a573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612fae9190614e76565b91505090565b6000805460ff16612fd75760405162461bcd60e51b8152600401610a1190614dfd565b6000805460ff19168155612fe96117e7565b9050801561300d5761131b81601081111561300657613006614e29565b604e612870565b6130168361441e565b509150506000805460ff19166001179055919050565b600554604051634ef4c3e160e01b8152600091829182916001600160a01b031690634ef4c3e1906130659030908990899060040161502a565b602060405180830381865afa158015613082573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906130a69190614e76565b905080156130bb57610f9a6003601f83613c75565b43600954146130d057610f9a600a6022612870565b6131116040805160e0810190915280600081526020016000815260200160008152602001600081526020016000815260200160008152602001600081525090565b613119612474565b604083018190526020830182600381111561313657613136614e29565b600381111561314757613147614e29565b905250600090508160200151600381111561316457613164614e29565b14613193576131866009602183602001516003811115611a5b57611a5b614e29565b6000935093505050611063565b61319d8686614509565b60c08201819052604080516020810182529083015181526131be919061430c565b60608301819052602083018260038111156131db576131db614e29565b60038111156131ec576131ec614e29565b905250600090508160200151600381111561320957613209614e29565b146132565760405162461bcd60e51b815260206004820181905260248201527f4d494e545f45584348414e47455f43414c43554c4154494f4e5f4641494c45446044820152606401610a11565b613266600d548260600151613ced565b608083018190526020830182600381111561328357613283614e29565b600381111561329457613294614e29565b90525060009050816020015160038111156132b1576132b1614e29565b1461330f5760405162461bcd60e51b815260206004820152602860248201527f4d494e545f4e45575f544f54414c5f535550504c595f43414c43554c4154494f6044820152671397d1905253115160c21b6064820152608401610a11565b6001600160a01b0386166000908152600e602052604090205460608201516133379190613ced565b60a083018190526020830182600381111561335457613354614e29565b600381111561336557613365614e29565b905250600090508160200151600381111561338257613382614e29565b146133e35760405162461bcd60e51b815260206004820152602b60248201527f4d494e545f4e45575f4143434f554e545f42414c414e43455f43414c43554c4160448201526a151253d397d1905253115160aa1b6064820152608401610a11565b6080810151600d5560a08101516001600160a01b0387166000908152600e6020526040908190209190915560c0820151606083015191517f4c209b5fc8ad50758f13e2e1088ba56a560dff690a1c6fef26394f4c03821c4f9261344a928a9290919061504e565b60405180910390a1856001600160a01b0316306001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef836060015160405161349b91815260200190565b60405180910390a360c001516000969095509350505050565b601154600160a81b900460ff166135215760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201526a6e697469616c697a696e6760a81b6064820152608401610a11565b565b610e6482826127ea565b60008061353933612227565b613549576114f260016031612870565b436009541461355e576114f2600a6033612870565b82613567612f3f565b1015613579576114f2600e6032612870565b600c5483111561358f576114f260026034612870565b82600c5461359d9190615085565b9050600c548111156136065760405162461bcd60e51b815260206004820152602c60248201527f42546f6b656e3a2052656475636520726573657276657320756e65787065637460448201526b656420756e646572666c6f7760a01b6064820152608401610a11565b600c819055613615338461431c565b7f3bad0c59cf2f06e7314077049f48a93578cd16f5ef92329f1dab1420a99c177e338483604051611dd49392919061504e565b6001600160a01b038116600090815260106020526040812080548291829182918291820361367f5750600096879650945050505050565b61368f8160000154600a54613d77565b909450925060008460038111156136a8576136a8614e29565b146136bb57509195600095509350505050565b6136c9838260010154613dc4565b909450915060008460038111156136e2576136e2614e29565b146136f557509195600095509350505050565b506000969095509350505050565b600554604051631200453160e11b81523060048201526001600160a01b03858116602483015284811660448301526064820184905260009283928392909116906324008a6290608401602060405180830381865afa158015613769573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061378d9190614e76565b905080156137a2576115436003603883613c75565b43600954146137b757611543600a6039612870565b6138006040805161010081019091528060008152602001600081526020016000815260200160008152602001600081526020016000815260200160008152602001600081525090565b6001600160a01b038616600090815260106020526040902060010154606082015261382a86613648565b608083018190526020830182600381111561384757613847614e29565b600381111561385857613858614e29565b905250600090508160200151600381111561387557613875614e29565b146138a4576138976009603783602001516003811115611a5b57611a5b614e29565b6000935093505050611561565b84196138b957608081015160408201526138c1565b604081018590525b6138cf878260400151614509565b60e0820181905260808201516138e491613bce565b60a083018190526020830182600381111561390157613901614e29565b600381111561391257613912614e29565b905250600090508160200151600381111561392f5761392f614e29565b146139a25760405162461bcd60e51b815260206004820152603a60248201527f52455041595f424f52524f575f4e45575f4143434f554e545f424f52524f575f60448201527f42414c414e43455f43414c43554c4154494f4e5f4641494c45440000000000006064820152608401610a11565b6139b2600b548260e00151613bce565b60c08301819052602083018260038111156139cf576139cf614e29565b60038111156139e0576139e0614e29565b90525060039050816020015160038111156139fd576139fd614e29565b03613a0a57600060c08201525b60a081810180516001600160a01b03898116600081815260106020908152604091829020948555600a5460019095019490945560c0870151600b81905560e088015195518251948f16855294840192909252820193909352606081019190915260808101919091527f1a2a22cb034d26d1854bdc6666a5b91fe25efbbb5dcad3b0355478d6f5c362a1910160405180910390a160e00151600097909650945050505050565b600080613abb33612227565b613acb576114f260016042612870565b4360095414613ae0576114f2600a6041612870565b600660009054906101000a90046001600160a01b03169050826001600160a01b0316632191f92a6040518163ffffffff1660e01b8152600401602060405180830381865afa158015613b36573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613b5a9190614fc4565b613b765760405162461bcd60e51b8152600401610a1190614fe6565b600680546001600160a01b0319166001600160a01b0385811691821790925560408051928416835260208301919091527fedffc32e068c7c95dfd4bdfd5c4d939a084d6b11c4199eac8436ed234d72f9269101611dd4565b600080838311613bed576000613be48486615085565b91509150611063565b50600390506000611063565b6000613c116040518060200160405280600081525090565b600080613c22866000015186613d77565b90925090506000826003811115613c3b57613c3b614e29565b14613c5a57506040805160208101909152600081529092509050611063565b60408051602081019091529081526000969095509350505050565b60007f45b96fe442630264581b197e84bbada861235052c5a1aadfff9ea4e40a969aa0846010811115613caa57613caa614e29565b846050811115613cbc57613cbc614e29565b604080519283526020830191909152810184905260600160405180910390a1836010811115610da057610da0614e29565b60008080613cfb8486615098565b9050848110613d0f57600092509050611063565b600260009250925050611063565b600080600080613d2d8787613bf9565b90925090506000826003811115613d4657613d46614e29565b14613d575750915060009050611561565b613d69613d6382614406565b86613ced565b935093505050935093915050565b60008083600003613d8d57506000905080611063565b6000613d9984866150ab565b905083613da686836150c2565b14613db957600260009250925050611063565b600092509050611063565b60008082600003613ddb5750600190506000611063565b6000613de784866150c2565b915091509250929050565b6000613dfd33612227565b613e0d576108ec60016047612870565b4360095414613e22576108ec600a6048612870565b670de0b6b3a7640000821115613e3e576108ec60026049612870565b600880549083905560408051828152602081018590527faaa68312e2ea9d50e16af5068410ab56e1a1fd06037b1a35664812c30f8214609101611dd4565b60055460405163368f515360e21b815260009182916001600160a01b039091169063da3d454c90613eb59030908890889060040161502a565b6020604051808303816000875af1158015613ed4573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613ef89190614e76565b90508015613f0d57610d8c6003600e83613c75565b4360095414613f2157610d8c600a80612870565b82613f2a612f3f565b1015613f785760405162461bcd60e51b815260206004820152601960248201527f42546f6b656e3a20496e73756666696369656e742063617368000000000000006044820152606401610a11565b613fa4604080516080810190915280600081526020016000815260200160008152602001600081525090565b613fad85613648565b6020830181905282826003811115613fc757613fc7614e29565b6003811115613fd857613fd8614e29565b9052506000905081516003811115613ff257613ff2614e29565b1461401d576140146009600783600001516003811115611a5b57611a5b614e29565b925050506108ec565b61402b816020015185613ced565b604083018190528282600381111561404557614045614e29565b600381111561405657614056614e29565b905250600090508151600381111561407057614070614e29565b14614092576140146009600c83600001516003811115611a5b57611a5b614e29565b61409e600b5485613ced565b60608301819052828260038111156140b8576140b8614e29565b60038111156140c9576140c9614e29565b90525060009050815160038111156140e3576140e3614e29565b14614105576140146009600b83600001516003811115611a5b57611a5b614e29565b6040808201516001600160a01b0387166000908152601060205291909120908155600a546001909101556060810151600b55614141858561431c565b60408082015160608084015183516001600160a01b038a16815260208101899052938401929092528201527f13ed6866d4e1ee6da46f845c46d7e54120883d75c5ea9a2dacc1c4ca8984ab809060800160405180910390a1600095945050505050565b6000806000806141b48787613ced565b909250905060008260038111156141cd576141cd614e29565b146141de5750915060009050611561565b613d698186613bce565b60006142006040518060200160405280600081525090565b60008061421586670de0b6b3a7640000613d77565b9092509050600082600381111561422e5761422e614e29565b1461424d57506040805160208101909152600081529092509050611063565b60008061425a8388613dc4565b9092509050600082600381111561427357614273614e29565b146142965781604051806020016040528060008152509550955050505050611063565b604080516020810190915290815260009890975095505050505050565b6142bd8282611433565b610e64576142ca8161472f565b6142d5836020614741565b6040516020016142e69291906150e4565b60408051601f198184030181529082905262461bcd60e51b8252610a119160040161499e565b600080600080612efd86866148dd565b60115460405163a9059cbb60e01b81526001600160a01b0384811660048301526024820184905290911690819063a9059cbb90604401600060405180830381600087803b15801561436c57600080fd5b505af1158015614380573d6000803e3d6000fd5b5050505060003d6000811461439c57602081146143a657600080fd5b60001991506143b2565b60206000803e60005191505b50806144005760405162461bcd60e51b815260206004820152601960248201527f544f4b454e5f5452414e534645525f4f55545f4641494c4544000000000000006044820152606401610a11565b50505050565b80516000906108ec90670de0b6b3a7640000906150c2565b6000808080436009541461444257614438600a604f612870565b9590945092505050565b61444c3386614509565b905080600c5461445c9190615098565b9150600c548210156144c15760405162461bcd60e51b815260206004820152602860248201527f42546f6b656e3a2041646420726573657276657320756e6578706563746564206044820152676f766572666c6f7760c01b6064820152608401610a11565b600c8290556040517fa91e67c5ea634cd43a12c5a482724b03de01e85ca68702a53d0c2f45cb7c1dc5906144fa9033908490869061504e565b60405180910390a16000614438565b6011546040516370a0823160e01b81523060048201526000916001600160a01b031690829082906370a0823190602401602060405180830381865afa158015614556573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061457a9190614e76565b6040516323b872dd60e01b81529091506001600160a01b038316906323b872dd906145ad9088903090899060040161502a565b600060405180830381600087803b1580156145c757600080fd5b505af11580156145db573d6000803e3d6000fd5b5050505060003d600081146145f7576020811461460157600080fd5b600019915061460d565b60206000803e60005191505b508061465b5760405162461bcd60e51b815260206004820152601860248201527f544f4b454e5f5452414e534645525f494e5f4641494c454400000000000000006044820152606401610a11565b6011546040516370a0823160e01b81523060048201526000916001600160a01b0316906370a0823190602401602060405180830381865afa1580156146a4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906146c89190614e76565b90508281101561471a5760405162461bcd60e51b815260206004820152601a60248201527f544f4b454e5f5452414e534645525f494e5f4f564552464c4f570000000000006044820152606401610a11565b6147248382615085565b979650505050505050565b60606108ec6001600160a01b03831660145b606060006147508360026150ab565b61475b906002615098565b67ffffffffffffffff81111561477357614773614a2f565b6040519080825280601f01601f19166020018201604052801561479d576020820181803683370190505b509050600360fc1b816000815181106147b8576147b8615159565b60200101906001600160f81b031916908160001a905350600f60fb1b816001815181106147e7576147e7615159565b60200101906001600160f81b031916908160001a905350600061480b8460026150ab565b614816906001615098565b90505b600181111561488e576f181899199a1a9b1b9c1cb0b131b232b360811b85600f166010811061484a5761484a615159565b1a60f81b82828151811061486057614860615159565b60200101906001600160f81b031916908160001a90535060049490941c936148878161516f565b9050614819565b5083156114f25760405162461bcd60e51b815260206004820181905260248201527f537472696e67733a20686578206c656e67746820696e73756666696369656e746044820152606401610a11565b60006148f56040518060200160405280600081525090565b60008061490a670de0b6b3a764000087613d77565b9092509050600082600381111561492357614923614e29565b1461494257506040805160208101909152600081529092509050611063565b612f328186600001516141e8565b60006020828403121561496257600080fd5b81356001600160e01b0319811681146114f257600080fd5b60005b8381101561499557818101518382015260200161497d565b50506000910152565b60208152600082518060208401526149bd81604085016020870161497a565b601f01601f19169190910160400192915050565b6001600160a01b0381168114610de757600080fd5b600080604083850312156149f957600080fd5b8235614a04816149d1565b946020939093013593505050565b600060208284031215614a2457600080fd5b81356114f2816149d1565b634e487b7160e01b600052604160045260246000fd5b600082601f830112614a5657600080fd5b813567ffffffffffffffff80821115614a7157614a71614a2f565b604051601f8301601f19908116603f01168101908282118183101715614a9957614a99614a2f565b81604052838152866020858801011115614ab257600080fd5b836020870160208301376000602085830101528094505050505092915050565b803560ff81168114614ae357600080fd5b919050565b600080600080600080600060e0888a031215614b0357600080fd5b8735614b0e816149d1565b96506020880135614b1e816149d1565b95506040880135614b2e816149d1565b945060608801359350608088013567ffffffffffffffff80821115614b5257600080fd5b614b5e8b838c01614a45565b945060a08a0135915080821115614b7457600080fd5b50614b818a828b01614a45565b925050614b9060c08901614ad2565b905092959891949750929550565b600080600060608486031215614bb357600080fd5b8335614bbe816149d1565b92506020840135614bce816149d1565b929592945050506040919091013590565b600060208284031215614bf157600080fd5b5035919050565b60008060408385031215614c0b57600080fd5b823591506020830135614c1d816149d1565b809150509250929050565b600080600080600080600080610100898b031215614c4557600080fd5b8835614c50816149d1565b97506020890135614c60816149d1565b96506040890135614c70816149d1565b955060608901359450608089013567ffffffffffffffff80821115614c9457600080fd5b614ca08c838d01614a45565b955060a08b0135915080821115614cb657600080fd5b50614cc38b828c01614a45565b935050614cd260c08a01614ad2565b915060e0890135614ce2816149d1565b809150509295985092959890939650565b60008060008060008060c08789031215614d0c57600080fd5b8635614d17816149d1565b95506020870135614d27816149d1565b945060408701359350606087013567ffffffffffffffff80821115614d4b57600080fd5b614d578a838b01614a45565b94506080890135915080821115614d6d57600080fd5b50614d7a89828a01614a45565b925050614d8960a08801614ad2565b90509295509295509295565b60008060408385031215614da857600080fd5b8235614db3816149d1565b91506020830135614c1d816149d1565b600181811c90821680614dd757607f821691505b602082108103614df757634e487b7160e01b600052602260045260246000fd5b50919050565b60208082526012908201527110951bdad95b8e881c994b595b9d195c995960721b604082015260600190565b634e487b7160e01b600052602160045260246000fd5b6020808252601e908201527f42546f6b656e3a2041636372756520696e746572657374206661696c65640000604082015260600190565b600060208284031215614e8857600080fd5b5051919050565b6020808252601590820152746d73672e73656e646572206e6f742061646d696e2160581b604082015260600190565b601f821115610d3f57600081815260208120601f850160051c81016020861015614ee55750805b601f850160051c820191505b81811015610cc257828155600101614ef1565b815167ffffffffffffffff811115614f1e57614f1e614a2f565b614f3281614f2c8454614dc3565b84614ebe565b602080601f831160018114614f675760008415614f4f5750858301515b600019600386901b1c1916600185901b178555610cc2565b600085815260208120601f198616915b82811015614f9657888601518255948401946001909101908401614f77565b5085821015614fb45787850151600019600388901b60f8161c191681555b5050505050600190811b01905550565b600060208284031215614fd657600080fd5b815180151581146114f257600080fd5b60208082526024908201527f42546f6b656e3a204d61726b6572206d6574686f642072657475726e65642066604082015263616c736560e01b606082015260800190565b6001600160a01b039384168152919092166020820152604081019190915260600190565b6001600160a01b039390931683526020830191909152604082015260600190565b634e487b7160e01b600052601160045260246000fd5b818103818111156108ec576108ec61506f565b808201808211156108ec576108ec61506f565b80820281158282048414176108ec576108ec61506f565b6000826150df57634e487b7160e01b600052601260045260246000fd5b500490565b7f416363657373436f6e74726f6c3a206163636f756e742000000000000000000081526000835161511c81601785016020880161497a565b7001034b99036b4b9b9b4b733903937b6329607d1b601791840191820152835161514d81602884016020880161497a565b01602801949350505050565b634e487b7160e01b600052603260045260246000fd5b60008161517e5761517e61506f565b50600019019056fe71f3d55856e4058ed06ee057d79ada615f65cdf5f9ee88181b914225088f834fa2646970667358221220ad152a99e976fb025436757b87ec4d6abe3a40e3b034e18ad3f46c4868077b6864736f6c63430008130033
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.