// File: @openzeppelin/contracts/token/ERC20/IERC20.sol
pragma solidity ^0.5.0;
/**
* @dev Interface of the ERC20 standard as defined in the EIP. Does not include
* the optional functions; to access them see {ERC20Detailed}.
*/
interface IERC20 {
/**
* @dev Returns the amount of tokens in existence.
*/
function totalSupply() external view returns (uint256);
/**
* @dev Returns the amount of tokens owned by `account`.
*/
function balanceOf(address account) external view returns (uint256);
/**
* @dev Moves `amount` tokens from the caller's account to `recipient`.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transfer(address recipient, uint256 amount) external returns (bool);
/**
* @dev Returns the remaining number of tokens that `spender` will be
* allowed to spend on behalf of `owner` through {transferFrom}. This is
* zero by default.
*
* This value changes when {approve} or {transferFrom} are called.
*/
function allowance(address owner, address spender) external view returns (uint256);
/**
* @dev Sets `amount` as the allowance of `spender` over the caller's tokens.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* IMPORTANT: Beware that changing an allowance with this method brings the risk
* that someone may use both the old and the new allowance by unfortunate
* transaction ordering. One possible solution to mitigate this race
* condition is to first reduce the spender's allowance to 0 and set the
* desired value afterwards:
* https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
*
* Emits an {Approval} event.
*/
function approve(address spender, uint256 amount) external returns (bool);
/**
* @dev Moves `amount` tokens from `sender` to `recipient` using the
* allowance mechanism. `amount` is then deducted from the caller's
* allowance.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transferFrom(address sender, address recipient, uint256 amount) external returns (bool);
/**
* @dev Emitted when `value` tokens are moved from one account (`from`) to
* another (`to`).
*
* Note that `value` may be zero.
*/
event Transfer(address indexed from, address indexed to, uint256 value);
/**
* @dev Emitted when the allowance of a `spender` for an `owner` is set by
* a call to {approve}. `value` is the new allowance.
*/
event Approval(address indexed owner, address indexed spender, uint256 value);
}
// File: @openzeppelin/contracts/math/SafeMath.sol
pragma solidity ^0.5.0;
/**
* @dev Wrappers over Solidity's arithmetic operations with added overflow
* checks.
*
* Arithmetic operations in Solidity wrap on overflow. This can easily result
* in bugs, because programmers usually assume that an overflow raises an
* error, which is the standard behavior in high level programming languages.
* `SafeMath` restores this intuition by reverting the transaction when an
* operation overflows.
*
* Using this library instead of the unchecked operations eliminates an entire
* class of bugs, so it's recommended to use it always.
*/
library SafeMath {
/**
* @dev Returns the addition of two unsigned integers, reverting on
* overflow.
*
* Counterpart to Solidity's `+` operator.
*
* Requirements:
* - Addition cannot overflow.
*/
function add(uint256 a, uint256 b) internal pure returns (uint256) {
uint256 c = a + b;
require(c >= a, "SafeMath: addition overflow");
return c;
}
/**
* @dev Returns the subtraction of two unsigned integers, reverting on
* overflow (when the result is negative).
*
* Counterpart to Solidity's `-` operator.
*
* Requirements:
* - Subtraction cannot overflow.
*/
function sub(uint256 a, uint256 b) internal pure returns (uint256) {
return sub(a, b, "SafeMath: subtraction overflow");
}
/**
* @dev Returns the subtraction of two unsigned integers, reverting with custom message on
* overflow (when the result is negative).
*
* Counterpart to Solidity's `-` operator.
*
* Requirements:
* - Subtraction cannot overflow.
*
* _Available since v2.4.0._
*/
function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
require(b <= a, errorMessage);
uint256 c = a - b;
return c;
}
/**
* @dev Returns the multiplication of two unsigned integers, reverting on
* overflow.
*
* Counterpart to Solidity's `*` operator.
*
* Requirements:
* - Multiplication cannot overflow.
*/
function mul(uint256 a, uint256 b) internal pure returns (uint256) {
// Gas optimization: this is cheaper than requiring 'a' not being zero, but the
// benefit is lost if 'b' is also tested.
// See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522
if (a == 0) {
return 0;
}
uint256 c = a * b;
require(c / a == b, "SafeMath: multiplication overflow");
return c;
}
/**
* @dev Returns the integer division of two unsigned integers. Reverts on
* division by zero. The result is rounded towards zero.
*
* Counterpart to Solidity's `/` operator. Note: this function uses a
* `revert` opcode (which leaves remaining gas untouched) while Solidity
* uses an invalid opcode to revert (consuming all remaining gas).
*
* Requirements:
* - The divisor cannot be zero.
*/
function div(uint256 a, uint256 b) internal pure returns (uint256) {
return div(a, b, "SafeMath: division by zero");
}
/**
* @dev Returns the integer division of two unsigned integers. Reverts with custom message on
* division by zero. The result is rounded towards zero.
*
* Counterpart to Solidity's `/` operator. Note: this function uses a
* `revert` opcode (which leaves remaining gas untouched) while Solidity
* uses an invalid opcode to revert (consuming all remaining gas).
*
* Requirements:
* - The divisor cannot be zero.
*
* _Available since v2.4.0._
*/
function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
// Solidity only automatically asserts when dividing by 0
require(b > 0, errorMessage);
uint256 c = a / b;
// assert(a == b * c + a % b); // There is no case in which this doesn't hold
return c;
}
/**
* @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
* Reverts when dividing by zero.
*
* Counterpart to Solidity's `%` operator. This function uses a `revert`
* opcode (which leaves remaining gas untouched) while Solidity uses an
* invalid opcode to revert (consuming all remaining gas).
*
* Requirements:
* - The divisor cannot be zero.
*/
function mod(uint256 a, uint256 b) internal pure returns (uint256) {
return mod(a, b, "SafeMath: modulo by zero");
}
/**
* @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
* Reverts with custom message when dividing by zero.
*
* Counterpart to Solidity's `%` operator. This function uses a `revert`
* opcode (which leaves remaining gas untouched) while Solidity uses an
* invalid opcode to revert (consuming all remaining gas).
*
* Requirements:
* - The divisor cannot be zero.
*
* _Available since v2.4.0._
*/
function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
require(b != 0, errorMessage);
return a % b;
}
}
// File: @openzeppelin/contracts/utils/Address.sol
pragma solidity ^0.5.5;
/**
* @dev Collection of functions related to the address type
*/
library Address {
/**
* @dev Returns true if `account` is a contract.
*
* This test is non-exhaustive, and there may be false-negatives: during the
* execution of a contract's constructor, its address will be reported as
* not containing 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.
*/
function isContract(address account) internal view returns (bool) {
// This method relies in extcodesize, which returns 0 for contracts in
// construction, since the code is only stored at the end of the
// constructor execution.
// According to EIP-1052, 0x0 is the value returned for not-yet created accounts
// and 0xc5d2460186f7233c927e7db2dcc703c0e500b653ca82273b7bfad8045d85a470 is returned
// for accounts without code, i.e. `keccak256('')`
bytes32 codehash;
bytes32 accountHash = 0xc5d2460186f7233c927e7db2dcc703c0e500b653ca82273b7bfad8045d85a470;
// solhint-disable-next-line no-inline-assembly
assembly { codehash := extcodehash(account) }
return (codehash != 0x0 && codehash != accountHash);
}
/**
* @dev Converts an `address` into `address payable`. Note that this is
* simply a type cast: the actual underlying value is not changed.
*
* _Available since v2.4.0._
*/
function toPayable(address account) internal pure returns (address payable) {
return address(uint160(account));
}
/**
* @dev Replacement for Solidity's `transfer`: sends `amount` wei to
* `recipient`, forwarding all available gas and reverting on errors.
*
* https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
* of certain opcodes, possibly making contracts go over the 2300 gas limit
* imposed by `transfer`, making them unable to receive funds via
* `transfer`. {sendValue} removes this limitation.
*
* https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
*
* IMPORTANT: because control is transferred to `recipient`, care must be
* taken to not create reentrancy vulnerabilities. Consider using
* {ReentrancyGuard} or the
* https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
*
* _Available since v2.4.0._
*/
function sendValue(address payable recipient, uint256 amount) internal {
require(address(this).balance >= amount, "Address: insufficient balance");
// solhint-disable-next-line avoid-call-value
(bool success, ) = recipient.call.value(amount)("");
require(success, "Address: unable to send value, recipient may have reverted");
}
}
// File: @openzeppelin/contracts/token/ERC20/SafeERC20.sol
pragma solidity ^0.5.0;
/**
* @title SafeERC20
* @dev Wrappers around ERC20 operations that throw on failure (when the token
* contract returns false). Tokens that return no value (and instead revert or
* throw on failure) are also supported, non-reverting calls are assumed to be
* successful.
* To use this library you can add a `using SafeERC20 for ERC20;` statement to your contract,
* which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
*/
library SafeERC20 {
using SafeMath for uint256;
using Address for address;
function safeTransfer(IERC20 token, address to, uint256 value) internal {
callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
}
function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal {
callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value));
}
function safeApprove(IERC20 token, address spender, uint256 value) internal {
// safeApprove should only be called when setting an initial allowance,
// or when resetting it to zero. To increase and decrease it, use
// 'safeIncreaseAllowance' and 'safeDecreaseAllowance'
// solhint-disable-next-line max-line-length
require((value == 0) || (token.allowance(address(this), spender) == 0),
"SafeERC20: approve from non-zero to non-zero allowance"
);
callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value));
}
function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
uint256 newAllowance = token.allowance(address(this), spender).add(value);
callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
}
function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal {
uint256 newAllowance = token.allowance(address(this), spender).sub(value, "SafeERC20: decreased allowance below zero");
callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
}
/**
* @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
* on the return value: the return value is optional (but if data is returned, it must not be false).
* @param token The token targeted by the call.
* @param data The call data (encoded using abi.encode or one of its variants).
*/
function callOptionalReturn(IERC20 token, bytes memory data) private {
// We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
// we're implementing it ourselves.
// A Solidity high level call has three parts:
// 1. The target address is checked to verify it contains contract code
// 2. The call itself is made, and success asserted
// 3. The return value is decoded, which in turn checks the size of the returned data.
// solhint-disable-next-line max-line-length
require(address(token).isContract(), "SafeERC20: call to non-contract");
// solhint-disable-next-line avoid-low-level-calls
(bool success, bytes memory returndata) = address(token).call(data);
require(success, "SafeERC20: low-level call failed");
if (returndata.length > 0) { // Return data is optional
// solhint-disable-next-line max-line-length
require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed");
}
}
}
// File: contracts/constants/CommonConstants.sol
pragma solidity ^0.5.0;
contract CommonConstants {
uint public constant EXCHANGE_RATE_BASE_RATE = 1e18;
}
// File: contracts/interfaces/InterestRateInterface.sol
pragma solidity ^0.5.0;
interface InterestRateInterface {
/**
* @dev Returns the current interest rate for the given DMMA and corresponding total supply & active supply
*
* @param dmmTokenId The DMMA whose interest should be retrieved
* @param totalSupply The total supply fot he DMM token
* @param activeSupply The supply that's currently being lent by users
* @return The interest rate in APY, which is a number with 18 decimals
*/
function getInterestRate(uint dmmTokenId, uint totalSupply, uint activeSupply) external view returns (uint);
}
// File: @openzeppelin/contracts/GSN/Context.sol
pragma solidity ^0.5.0;
/*
* @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 GSN 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.
*/
contract Context {
// Empty internal constructor, to prevent people from mistakenly deploying
// an instance of this contract, which should be used via inheritance.
constructor () internal { }
// solhint-disable-previous-line no-empty-blocks
function _msgSender() internal view returns (address payable) {
return msg.sender;
}
function _msgData() internal view returns (bytes memory) {
this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691
return msg.data;
}
}
// File: @openzeppelin/contracts/ownership/Ownable.sol
pragma solidity ^0.5.0;
/**
* @dev Contract module which provides a basic access control mechanism, where
* there is an account (an owner) that can be granted exclusive access to
* specific functions.
*
* This module is used through inheritance. It will make available the modifier
* `onlyOwner`, which can be applied to your functions to restrict their use to
* the owner.
*/
contract Ownable is Context {
address private _owner;
event OwnershipTransferred(address indexed previousOwner, address indexed newOwner);
/**
* @dev Initializes the contract setting the deployer as the initial owner.
*/
constructor () internal {
_owner = _msgSender();
emit OwnershipTransferred(address(0), _owner);
}
/**
* @dev Returns the address of the current owner.
*/
function owner() public view returns (address) {
return _owner;
}
/**
* @dev Throws if called by any account other than the owner.
*/
modifier onlyOwner() {
require(isOwner(), "Ownable: caller is not the owner");
_;
}
/**
* @dev Returns true if the caller is the current owner.
*/
function isOwner() public view returns (bool) {
return _msgSender() == _owner;
}
/**
* @dev Leaves the contract without owner. It will not be possible to call
* `onlyOwner` functions anymore. Can only be called by the current owner.
*
* NOTE: Renouncing ownership will leave the contract without an owner,
* thereby removing any functionality that is only available to the owner.
*/
function renounceOwnership() public onlyOwner {
emit OwnershipTransferred(_owner, address(0));
_owner = address(0);
}
/**
* @dev Transfers ownership of the contract to a new account (`newOwner`).
* Can only be called by the current owner.
*/
function transferOwnership(address newOwner) public onlyOwner {
_transferOwnership(newOwner);
}
/**
* @dev Transfers ownership of the contract to a new account (`newOwner`).
*/
function _transferOwnership(address newOwner) internal {
require(newOwner != address(0), "Ownable: new owner is the zero address");
emit OwnershipTransferred(_owner, newOwner);
_owner = newOwner;
}
}
// File: contracts/utils/Blacklistable.sol
pragma solidity ^0.5.0;
/**
* @dev Allows accounts to be blacklisted by the owner of the contract.
*
* Taken from USDC's contract for blacklisting certain addresses from owning and interacting with the token.
*/
contract Blacklistable is Ownable {
string public constant BLACKLISTED = "BLACKLISTED";
mapping(address => bool) internal blacklisted;
event Blacklisted(address indexed account);
event UnBlacklisted(address indexed account);
event BlacklisterChanged(address indexed newBlacklister);
/**
* @dev Throws if called by any account other than the creator of this contract
*/
modifier onlyBlacklister() {
require(msg.sender == owner(), "MUST_BE_BLACKLISTER");
_;
}
/**
* @dev Throws if `account` is blacklisted
*
* @param account The address to check
*/
modifier notBlacklisted(address account) {
require(blacklisted[account] == false, BLACKLISTED);
_;
}
/**
* @dev Checks if `account` is blacklisted. Reverts with `BLACKLISTED` if blacklisted.
*/
function checkNotBlacklisted(address account) public view {
require(!blacklisted[account], BLACKLISTED);
}
/**
* @dev Checks if `account` is blacklisted
*
* @param account The address to check
*/
function isBlacklisted(address account) public view returns (bool) {
return blacklisted[account];
}
/**
* @dev Adds `account` to blacklist
*
* @param account The address to blacklist
*/
function blacklist(address account) public onlyBlacklister {
blacklisted[account] = true;
emit Blacklisted(account);
}
/**
* @dev Removes account from blacklist
*
* @param account The address to remove from the blacklist
*/
function unBlacklist(address account) public onlyBlacklister {
blacklisted[account] = false;
emit UnBlacklisted(account);
}
}
// File: contracts/interfaces/IDmmController.sol
pragma solidity ^0.5.0;
interface IDmmController {
event TotalSupplyIncreased(uint oldTotalSupply, uint newTotalSupply);
event TotalSupplyDecreased(uint oldTotalSupply, uint newTotalSupply);
event AdminDeposit(address indexed sender, uint amount);
event AdminWithdraw(address indexed receiver, uint amount);
function blacklistable() external view returns (Blacklistable);
/**
* @dev Creates a new mToken using the provided data.
*
* @param underlyingToken The token that should be wrapped to create a new DMMA
* @param symbol The symbol of the new DMMA, IE mDAI or mUSDC
* @param name The name of this token, IE `DMM: DAI`
* @param decimals The number of decimals of the underlying token, and therefore the number for this DMMA
* @param minMintAmount The minimum amount that can be minted for any given transaction.
* @param minRedeemAmount The minimum amount that can be redeemed any given transaction.
* @param totalSupply The initial total supply for this market.
*/
function addMarket(
address underlyingToken,
string calldata symbol,
string calldata name,
uint8 decimals,
uint minMintAmount,
uint minRedeemAmount,
uint totalSupply
) external;
/**
* @dev Creates a new mToken using the already-existing token.
*
* @param dmmToken The token that should be added to this controller.
* @param underlyingToken The token that should be wrapped to create a new DMMA.
*/
function addMarketFromExistingDmmToken(
address dmmToken,
address underlyingToken
) external;
/**
* @param newController The new controller who should receive ownership of the provided DMM token IDs.
*/
function transferOwnershipToNewController(
address newController
) external;
/**
* @dev Enables the corresponding DMMA to allow minting new tokens.
*
* @param dmmTokenId The DMMA that should be enabled.
*/
function enableMarket(uint dmmTokenId) external;
/**
* @dev Disables the corresponding DMMA from minting new tokens. This allows the market to close over time, since
* users are only able to redeem tokens.
*
* @param dmmTokenId The DMMA that should be disabled.
*/
function disableMarket(uint dmmTokenId) external;
/**
* @dev Sets a new contract that implements the `InterestRateInterface` interface.
*
* @param newInterestRateInterface The new contract that implements the `InterestRateInterface` interface.
*/
function setInterestRateInterface(address newInterestRateInterface) external;
/**
* @dev Sets a new contract that implements the `IOffChainAssetValuator` interface.
*
* @param newOffChainAssetValuator The new contract that implements the `IOffChainAssetValuator` interface.
*/
function setOffChainAssetValuator(address newOffChainAssetValuator) external;
/**
* @dev Sets a new contract that implements the `IOffChainAssetValuator` interface.
*
* @param newOffChainCurrencyValuator The new contract that implements the `IOffChainAssetValuator` interface.
*/
function setOffChainCurrencyValuator(address newOffChainCurrencyValuator) external;
/**
* @dev Sets a new contract that implements the `UnderlyingTokenValuator` interface
*
* @param newUnderlyingTokenValuator The new contract that implements the `UnderlyingTokenValuator` interface
*/
function setUnderlyingTokenValuator(address newUnderlyingTokenValuator) external;
/**
* @dev Allows the owners of the DMM Ecosystem to withdraw funds from a DMMA. These withdrawn funds are then
* allocated to real-world assets that will be used to pay interest into the DMMA.
*
* @param newMinCollateralization The new min collateralization (with 18 decimals) at which the DMME must be in
* order to add to the total supply of DMM.
*/
function setMinCollateralization(uint newMinCollateralization) external;
/**
* @dev Allows the owners of the DMM Ecosystem to withdraw funds from a DMMA. These withdrawn funds are then
* allocated to real-world assets that will be used to pay interest into the DMMA.
*
* @param newMinReserveRatio The new ratio (with 18 decimals) that is used to enforce a certain percentage of assets
* are kept in each DMMA.
*/
function setMinReserveRatio(uint newMinReserveRatio) external;
/**
* @dev Increases the max supply for the provided `dmmTokenId` by `amount`. This call reverts with
* INSUFFICIENT_COLLATERAL if there isn't enough collateral in the Chainlink contract to cover the controller's
* requirements for minimum collateral.
*/
function increaseTotalSupply(uint dmmTokenId, uint amount) external;
/**
* @dev Increases the max supply for the provided `dmmTokenId` by `amount`.
*/
function decreaseTotalSupply(uint dmmTokenId, uint amount) external;
/**
* @dev Allows the owners of the DMM Ecosystem to withdraw funds from a DMMA. These withdrawn funds are then
* allocated to real-world assets that will be used to pay interest into the DMMA.
*
* @param dmmTokenId The ID of the DMM token whose underlying will be funded.
* @param underlyingAmount The amount underlying the DMM token that will be deposited into the DMMA.
*/
function adminWithdrawFunds(uint dmmTokenId, uint underlyingAmount) external;
/**
* @dev Allows the owners of the DMM Ecosystem to deposit funds into a DMMA. These funds are used to disburse
* interest payments and add more liquidity to the specific market.
*
* @param dmmTokenId The ID of the DMM token whose underlying will be funded.
* @param underlyingAmount The amount underlying the DMM token that will be deposited into the DMMA.
*/
function adminDepositFunds(uint dmmTokenId, uint underlyingAmount) external;
/**
* @dev Gets the collateralization of the system assuming 1-year's worth of interest payments are due by dividing
* the total value of all the collateralized assets plus the value of the underlying tokens in each DMMA by the
* aggregate interest owed (plus the principal), assuming each DMMA was at maximum usage.
*
* @return The 1-year collateralization of the system, as a number with 18 decimals. For example
* `1010000000000000000` is 101% or 1.01.
*/
function getTotalCollateralization() external view returns (uint);
/**
* @dev Gets the current collateralization of the system assuming by dividing the total value of all the
* collateralized assets plus the value of the underlying tokens in each DMMA by the aggregate interest owed
* (plus the principal), using the current usage of each DMMA.
*
* @return The active collateralization of the system, as a number with 18 decimals. For example
* `1010000000000000000` is 101% or 1.01.
*/
function getActiveCollateralization() external view returns (uint);
/**
* @dev Gets the interest rate from the underlying token, IE DAI or USDC.
*
* @return The current interest rate, represented using 18 decimals. Meaning `65000000000000000` is 6.5% APY or
* 0.065.
*/
function getInterestRateByUnderlyingTokenAddress(address underlyingToken) external view returns (uint);
/**
* @dev Gets the interest rate from the DMM token, IE DMM: DAI or DMM: USDC.
*
* @return The current interest rate, represented using 18 decimals. Meaning, `65000000000000000` is 6.5% APY or
* 0.065.
*/
function getInterestRateByDmmTokenId(uint dmmTokenId) external view returns (uint);
/**
* @dev Gets the interest rate from the DMM token, IE DMM: DAI or DMM: USDC.
*
* @return The current interest rate, represented using 18 decimals. Meaning, `65000000000000000` is 6.5% APY or
* 0.065.
*/
function getInterestRateByDmmTokenAddress(address dmmToken) external view returns (uint);
/**
* @dev Gets the exchange rate from the underlying to the DMM token, such that
* `DMM: Token = underlying / exchangeRate`
*
* @return The current exchange rate, represented using 18 decimals. Meaning, `200000000000000000` is 0.2.
*/
function getExchangeRateByUnderlying(address underlyingToken) external view returns (uint);
/**
* @dev Gets the exchange rate from the underlying to the DMM token, such that
* `DMM: Token = underlying / exchangeRate`
*
* @return The current exchange rate, represented using 18 decimals. Meaning, `200000000000000000` is 0.2.
*/
function getExchangeRate(address dmmToken) external view returns (uint);
/**
* @dev Gets the DMM token for the provided underlying token. For example, sending DAI returns DMM: DAI.
*/
function getDmmTokenForUnderlying(address underlyingToken) external view returns (address);
/**
* @dev Gets the underlying token for the provided DMM token. For example, sending DMM: DAI returns DAI.
*/
function getUnderlyingTokenForDmm(address dmmToken) external view returns (address);
/**
* @return True if the market is enabled for this DMMA or false if it is not enabled.
*/
function isMarketEnabledByDmmTokenId(uint dmmTokenId) external view returns (bool);
/**
* @return True if the market is enabled for this DMM token (IE DMM: DAI) or false if it is not enabled.
*/
function isMarketEnabledByDmmTokenAddress(address dmmToken) external view returns (bool);
/**
* @return True if the market is enabled for this underlying token (IE DAI) or false if it is not enabled.
*/
function getTokenIdFromDmmTokenAddress(address dmmTokenAddress) external view returns (uint);
}
// File: contracts/interfaces/IDmmToken.sol
pragma solidity ^0.5.0;
/**
* Basically an interface except, contains the implementation of the type-hashes for offline signature generation.
*
* This contract contains the signatures and documentation for all publicly-implemented functions in the DMM token.
*/
interface IDmmToken {
/*****************
* Events
*/
event Mint(address indexed minter, address indexed recipient, uint amount);
event Redeem(address indexed redeemer, address indexed recipient, uint amount);
event FeeTransfer(address indexed owner, address indexed recipient, uint amount);
event TotalSupplyIncreased(uint oldTotalSupply, uint newTotalSupply);
event TotalSupplyDecreased(uint oldTotalSupply, uint newTotalSupply);
event OffChainRequestValidated(address indexed owner, address indexed feeRecipient, uint nonce, uint expiry, uint feeAmount);
/*****************
* Functions
*/
/**
* @dev The controller that deployed this parent
*/
function controller() external view returns (IDmmController);
/**
* @dev Returns the name of the token.
*/
function name() external view returns (string memory);
/**
* @dev Returns the symbol of the token, usually a shorter version of the
* name.
*/
function symbol() external view returns (string memory);
/**
* @dev Returns the number of decimals used to get its user representation.
* For example, if `decimals` equals `2`, a balance of `505` tokens should
* be displayed to a user as `5,05` (`505 / 10 ** 2`).
*
* Tokens usually opt for a value of 18, imitating the relationship between
* Ether and Wei.
*
* NOTE: This information is only used for _display_ purposes: it in
* no way affects any of the arithmetic of the contract, including
* {IERC20-balanceOf} and {IERC20-transfer}.
*/
function decimals() external view returns (uint8);
/**
* @return The min amount that can be minted in a single transaction. This amount corresponds with the number of
* decimals that this token has.
*/
function minMintAmount() external view returns (uint);
/**
* @return The min amount that can be redeemed from DMM to underlying in a single transaction. This amount
* corresponds with the number of decimals that this token has.
*/
function minRedeemAmount() external view returns (uint);
/**
* @dev The amount of DMM that is in circulation (outside of this contract)
*/
function activeSupply() external view returns (uint);
/**
* @dev Attempts to add `amount` to the total supply by issuing the tokens to this contract. This call fires a
* Transfer event from the 0x0 address to this contract.
*/
function increaseTotalSupply(uint amount) external;
/**
* @dev Attempts to remove `amount` from the total supply by destroying those tokens that are held in this
* contract. This call reverts with TOO_MUCH_ACTIVE_SUPPLY if `amount` is not held in this contract.
*/
function decreaseTotalSupply(uint amount) external;
/**
* @dev An admin function that lets the ecosystem's organizers deposit the underlying token around which this DMMA
* wraps to this contract. This is used to replenish liquidity and after interest payouts are made from the
* real-world assets.
*/
function depositUnderlying(uint underlyingAmount) external returns (bool);
/**
* @dev An admin function that lets the ecosystem's organizers withdraw the underlying token around which this DMMA
* wraps from this contract. This is used to withdraw deposited tokens, to be allocated to real-world assets
* that produce income streams and can cover interest payments.
*/
function withdrawUnderlying(uint underlyingAmount) external returns (bool);
/**
* @dev The timestamp at which the exchange rate was last updated.
*/
function exchangeRateLastUpdatedTimestamp() external view returns (uint);
/**
* @dev The timestamp at which the exchange rate was last updated.
*/
function exchangeRateLastUpdatedBlockNumber() external view returns (uint);
/**
* @dev The exchange rate from underlying to DMM. Invert this number to go from DMM to underlying. This number
* has 18 decimals.
*/
function getCurrentExchangeRate() external view returns (uint);
/**
* @dev The current nonce of the provided `owner`. This `owner` should be the signer for any gasless transactions.
*/
function nonceOf(address owner) external view returns (uint);
/**
* @dev Transfers the token around which this DMMA wraps from msg.sender to the DMMA contract. Then, sends the
* corresponding amount of DMM to the msg.sender. Note, this call reverts with INSUFFICIENT_DMM_LIQUIDITY if
* there is not enough DMM available to be minted.
*
* @param amount The amount of underlying to send to this DMMA for conversion to DMM.
* @return The amount of DMM minted.
*/
function mint(uint amount) external returns (uint);
/**
* @dev Transfers the token around which this DMMA wraps from sender to the DMMA contract. Then, sends the
* corresponding amount of DMM to recipient. Note, an allowance must be set for sender for the underlying
* token that is at least of size `amount` / `exchangeRate`. This call reverts with INSUFFICIENT_DMM_LIQUIDITY
* if there is not enough DMM available to be minted. See #MINT_TYPE_HASH. This function gives the `owner` the
* illusion of committing a gasless transaction, allowing a relayer to broadcast the transaction and
* potentially collect a fee for doing so.
*
* @param owner The user that signed the off-chain message.
* @param recipient The address that will receive the newly-minted DMM tokens.
* @param nonce An auto-incrementing integer that prevents replay attacks. See #nonceOf(address) to get the
* owner's current nonce.
* @param expiry The timestamp, in unix seconds, at which the signed off-chain message expires. A value of 0
* means there is no expiration.
* @param amount The amount of underlying that should be minted by `owner` and sent to `recipient`.
* @param feeAmount The amount of DMM to be sent to feeRecipient for sending this transaction on behalf of
* owner. Can be 0, which means the user won't be charged a fee. Must be <= `amount`.
* @param feeRecipient The address that should receive the fee. A value of 0x0 will send the fees to `msg.sender`.
* Note, no fees are sent if the feeAmount is 0, regardless of what feeRecipient is.
* @param v The ECDSA V parameter.
* @param r The ECDSA R parameter.
* @param s The ECDSA S parameter.
* @return The amount of DMM minted, minus the fees paid. To get the total amount minted, add the `feeAmount` to
* the returned amount from this function call.
*/
function mintFromGaslessRequest(
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) external returns (uint);
/**
* @dev Transfers DMM from msg.sender to this DMMA contract. Then, sends the corresponding amount of token around
* which this DMMA wraps to the msg.sender. Note, this call reverts with INSUFFICIENT_UNDERLYING_LIQUIDITY if
* there is not enough DMM available to be redeemed.
*
* @param amount The amount of DMM to be transferred from msg.sender to this DMMA.
* @return The amount of underlying redeemed.
*/
function redeem(uint amount) external returns (uint);
/**
* @dev Transfers DMM from `owner` to the DMMA contract. Then, sends the corresponding amount of token around which
* this DMMA wraps to `recipient`. Note, an allowance must be set for sender for the underlying
* token that is at least of size `amount`. This call reverts with INSUFFICIENT_UNDERLYING_LIQUIDITY
* if there is not enough underlying available to be redeemed. See #REDEEM_TYPE_HASH. This function gives the
* `owner` the illusion of committing a gasless transaction, allowing a relayer to broadcast the transaction
* and potentially collect a fee for doing so.
*
* @param owner The user that signed the off-chain message.
* @param recipient The address that will receive the newly-redeemed DMM tokens.
* @param nonce An auto-incrementing integer that prevents replay attacks. See #nonceOf(address) to get the
* owner's current nonce.
* @param expiry The timestamp, in unix seconds, at which the signed off-chain message expires. A value of 0
* means there is no expiration.
* @param amount The amount of DMM that should be redeemed for `owner` and sent to `recipient`.
* @param feeAmount The amount of DMM to be sent to feeRecipient for sending this transaction on behalf of
* owner. Can be 0, which means the user won't be charged a fee. Must be <= `amount`
* @param feeRecipient The address that should receive the fee. A value of 0x0 will send the fees to `msg.sender`.
* Note, no fees are sent if the feeAmount is 0, regardless of what feeRecipient is.
* @param v The ECDSA V parameter.
* @param r The ECDSA R parameter.
* @param s The ECDSA S parameter.
* @return The amount of underlying redeemed.
*/
function redeemFromGaslessRequest(
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) external returns (uint);
/**
* @dev Sets an allowance for owner with spender using an offline-generated signature. This function allows a
* relayer to send the transaction, giving the owner the illusion of committing a gasless transaction. See
* #PERMIT_TYPEHASH.
*
* @param owner The user that signed the off-chain message.
* @param spender The contract/wallet that can spend DMM tokens on behalf of owner.
* @param nonce An auto-incrementing integer that prevents replay attacks. See #nonceOf(address) to get the
* owner's current nonce.
* @param expiry The timestamp, in unix seconds, at which the signed off-chain message expires. A value of 0
* means there is no expiration.
* @param allowed True if the spender can spend funds on behalf of owner or false to revoke this privilege.
* @param feeAmount The amount of DMM to be sent to feeRecipient for sending this transaction on behalf of
* owner. Can be 0, which means the user won't be charged a fee.
* @param feeRecipient The address that should receive the fee. A value of 0x0 will send the fees to `msg.sender`.
* Note, no fees are sent if the feeAmount is 0, regardless of what feeRecipient is.
* @param v The ECDSA V parameter.
* @param r The ECDSA R parameter.
* @param s The ECDSA S parameter.
*/
function permit(
address owner,
address spender,
uint nonce,
uint expiry,
bool allowed,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) external;
/**
* @dev Transfers DMM from the `owner` to `recipient` using an offline-generated signature. This function allows a
* relayer to send the transaction, giving the owner the illusion of committing a gasless transaction. See
* #TRANSFER_TYPEHASH. This function gives the `owner` the illusion of committing a gasless transaction,
* allowing a relayer to broadcast the transaction and potentially collect a fee for doing so.
*
* @param owner The user that signed the off-chain message and originator of the transfer.
* @param recipient The address that will receive the transferred DMM tokens.
* @param nonce An auto-incrementing integer that prevents replay attacks. See #nonceOf(address) to get the
* owner's current nonce.
* @param expiry The timestamp, in unix seconds, at which the signed off-chain message expires. A value of 0
* means there is no expiration.
* @param amount The amount of DMM that should be transferred from `owner` and sent to `recipient`.
* @param feeAmount The amount of DMM to be sent to feeRecipient for sending this transaction on behalf of
* owner. Can be 0, which means the user won't be charged a fee.
* @param feeRecipient The address that should receive the fee. A value of 0x0 will send the fees to `msg.sender`.
* Note, no fees are sent if the feeAmount is 0, regardless of what feeRecipient is.
* @param v The ECDSA V parameter.
* @param r The ECDSA R parameter.
* @param s The ECDSA S parameter.
* @return True if the transfer was successful or false if it failed.
*/
function transferFromGaslessRequest(
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) external;
}
// File: contracts/libs/DmmTokenLibrary.sol
pragma solidity ^0.5.0;
library DmmTokenLibrary {
using SafeERC20 for IERC20;
using SafeMath for uint;
/*****************
* Structs
*/
struct Storage {
uint exchangeRate;
uint exchangeRateLastUpdatedTimestamp;
uint exchangeRateLastUpdatedBlockNumber;
mapping(address => uint) nonces;
}
/*****************
* Events
*/
event Mint(address indexed minter, address indexed recipient, uint amount);
event Redeem(address indexed redeemer, address indexed recipient, uint amount);
event FeeTransfer(address indexed owner, address indexed recipient, uint amount);
event OffChainRequestValidated(address indexed owner, address indexed feeRecipient, uint nonce, uint expiry, uint feeAmount);
/*****************
* Public Constants
*/
uint public constant INTEREST_RATE_BASE = 1e18;
uint public constant SECONDS_IN_YEAR = 31536000; // 60 * 60 * 24 * 365
/**********************
* Public Functions
*/
function amountToUnderlying(uint amount, uint exchangeRate, uint exchangeRateBaseRate) internal pure returns (uint) {
return (amount.mul(exchangeRate)).div(exchangeRateBaseRate);
}
function underlyingToAmount(uint underlyingAmount, uint exchangeRate, uint exchangeRateBaseRate) internal pure returns (uint) {
return (underlyingAmount.mul(exchangeRateBaseRate)).div(exchangeRate);
}
function accrueInterest(uint exchangeRate, uint interestRate, uint _seconds) internal pure returns (uint) {
uint interestAccrued = INTEREST_RATE_BASE.add(((interestRate.mul(_seconds)).div(SECONDS_IN_YEAR)));
return (exchangeRate.mul(interestAccrued)).div(INTEREST_RATE_BASE);
}
/***************************
* Internal User Functions
*/
function getCurrentExchangeRate(Storage storage _storage, uint interestRate) internal view returns (uint) {
if (_storage.exchangeRateLastUpdatedTimestamp >= block.timestamp) {
// The exchange rate has not changed yet
return _storage.exchangeRate;
} else {
uint diffInSeconds = block.timestamp.sub(_storage.exchangeRateLastUpdatedTimestamp, "INVALID_BLOCK_TIMESTAMP");
return accrueInterest(_storage.exchangeRate, interestRate, diffInSeconds);
}
}
function updateExchangeRateIfNecessaryAndGet(IDmmToken token, Storage storage _storage) internal returns (uint) {
uint previousExchangeRate = _storage.exchangeRate;
uint dmmTokenInterestRate = token.controller().getInterestRateByDmmTokenAddress(address(token));
uint currentExchangeRate = getCurrentExchangeRate(_storage, dmmTokenInterestRate);
if (currentExchangeRate != previousExchangeRate) {
_storage.exchangeRateLastUpdatedTimestamp = block.timestamp;
_storage.exchangeRateLastUpdatedBlockNumber = block.number;
_storage.exchangeRate = currentExchangeRate;
return currentExchangeRate;
} else {
return currentExchangeRate;
}
}
function validateOffChainMint(
Storage storage _storage,
bytes32 domainSeparator,
bytes32 typeHash,
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) internal {
bytes32 digest = keccak256(
abi.encodePacked(
"\x19\x01",
domainSeparator,
keccak256(abi.encode(typeHash, owner, recipient, nonce, expiry, amount, feeAmount, feeRecipient))
)
);
require(owner != address(0), "CANNOT_MINT_FROM_ZERO_ADDRESS");
require(recipient != address(0), "CANNOT_MINT_TO_ZERO_ADDRESS");
validateOffChainRequest(_storage, digest, owner, nonce, expiry, feeAmount, feeRecipient, v, r, s);
}
function validateOffChainRedeem(
Storage storage _storage,
bytes32 domainSeparator,
bytes32 typeHash,
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) internal {
bytes32 digest = keccak256(
abi.encodePacked(
"\x19\x01",
domainSeparator,
keccak256(abi.encode(typeHash, owner, recipient, nonce, expiry, amount, feeAmount, feeRecipient))
)
);
require(owner != address(0), "CANNOT_REDEEM_FROM_ZERO_ADDRESS");
require(recipient != address(0), "CANNOT_REDEEM_TO_ZERO_ADDRESS");
validateOffChainRequest(_storage, digest, owner, nonce, expiry, feeAmount, feeRecipient, v, r, s);
}
function validateOffChainPermit(
Storage storage _storage,
bytes32 domainSeparator,
bytes32 typeHash,
address owner,
address spender,
uint nonce,
uint expiry,
bool allowed,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) internal {
bytes32 digest = keccak256(
abi.encodePacked(
"\x19\x01",
domainSeparator,
keccak256(abi.encode(typeHash, owner, spender, nonce, expiry, allowed, feeAmount, feeRecipient))
)
);
require(owner != address(0), "CANNOT_APPROVE_FROM_ZERO_ADDRESS");
require(spender != address(0), "CANNOT_APPROVE_TO_ZERO_ADDRESS");
validateOffChainRequest(_storage, digest, owner, nonce, expiry, feeAmount, feeRecipient, v, r, s);
}
function validateOffChainTransfer(
Storage storage _storage,
bytes32 domainSeparator,
bytes32 typeHash,
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) internal {
bytes32 digest = keccak256(
abi.encodePacked(
"\x19\x01",
domainSeparator,
keccak256(abi.encode(typeHash, owner, recipient, nonce, expiry, amount, feeAmount, feeRecipient))
)
);
require(owner != address(0x0), "CANNOT_TRANSFER_FROM_ZERO_ADDRESS");
require(recipient != address(0x0), "CANNOT_TRANSFER_TO_ZERO_ADDRESS");
validateOffChainRequest(_storage, digest, owner, nonce, expiry, feeAmount, feeRecipient, v, r, s);
}
/***************************
* Internal Admin Functions
*/
function _depositUnderlying(IDmmToken token, address sender, uint underlyingAmount) internal returns (bool) {
IERC20 underlyingToken = IERC20(token.controller().getUnderlyingTokenForDmm(address(token)));
underlyingToken.safeTransferFrom(sender, address(token), underlyingAmount);
return true;
}
function _withdrawUnderlying(IDmmToken token, address sender, uint underlyingAmount) internal returns (bool) {
IERC20 underlyingToken = IERC20(token.controller().getUnderlyingTokenForDmm(address(token)));
underlyingToken.safeTransfer(sender, underlyingAmount);
return true;
}
/***************************
* Private Functions
*/
/**
* @dev throws if the validation fails
*/
function validateOffChainRequest(
Storage storage _storage,
bytes32 digest,
address owner,
uint nonce,
uint expiry,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) private {
uint expectedNonce = _storage.nonces[owner];
require(owner == ecrecover(digest, v, r, s), "INVALID_SIGNATURE");
require(expiry == 0 || now <= expiry, "REQUEST_EXPIRED");
require(nonce == expectedNonce, "INVALID_NONCE");
if (feeAmount > 0) {
require(feeRecipient != address(0x0), "INVALID_FEE_ADDRESS");
}
emit OffChainRequestValidated(
owner,
feeRecipient,
expectedNonce,
expiry,
feeAmount
);
_storage.nonces[owner] += 1;
}
}
// File: @openzeppelin/contracts/utils/ReentrancyGuard.sol
pragma solidity ^0.5.0;
/**
* @dev Contract module that helps prevent reentrant calls to a function.
*
* Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier
* available, which can be applied to functions to make sure there are no nested
* (reentrant) calls to them.
*
* Note that because there is a single `nonReentrant` guard, functions marked as
* `nonReentrant` may not call one another. This can be worked around by making
* those functions `private`, and then adding `external` `nonReentrant` entry
* points to them.
*/
contract ReentrancyGuard {
// counter to allow mutex lock with only one SSTORE operation
uint256 private _guardCounter;
constructor () internal {
// The counter starts at one to prevent changing it from zero to a non-zero
// value, which is a more expensive operation.
_guardCounter = 1;
}
/**
* @dev Prevents a contract from calling itself, directly or indirectly.
* Calling a `nonReentrant` function from another `nonReentrant`
* function is not supported. It is possible to prevent this from happening
* by making the `nonReentrant` function external, and make it call a
* `private` function that does the actual work.
*/
modifier nonReentrant() {
_guardCounter += 1;
uint256 localCounter = _guardCounter;
_;
require(localCounter == _guardCounter, "ReentrancyGuard: reentrant call");
}
}
// File: contracts/interfaces/IOwnable.sol
pragma solidity ^0.5.0;
interface IOwnable {
function owner() external view returns (address);
}
// File: contracts/interfaces/IPausable.sol
pragma solidity ^0.5.0;
interface IPausable {
function paused() external view returns (bool);
}
// File: contracts/utils/ERC20.sol
pragma solidity ^0.5.0;
/**
* @dev Implementation of the {IERC20} interface.
*
* This implementation is agnostic to the way tokens are created. This means
* that a supply mechanism has to be added in a derived contract using {_mint}.
* For a generic mechanism see {ERC20Mintable}.
*
* TIP: For a detailed writeup see our guide
* https://forum.zeppelin.solutions/t/how-to-implement-erc20-supply-mechanisms/226[How
* to implement supply mechanisms].
*
* We have followed general OpenZeppelin guidelines: functions revert instead
* of returning `false` on failure. This behavior is nonetheless conventional
* and does not conflict with the expectations of ERC20 applications.
*
* Additionally, an {Approval} event is emitted on calls to {transferFrom}.
* This allows applications to reconstruct the allowance for all accounts just
* by listening to said events. Other implementations of the EIP may not emit
* these events, as it isn't required by the specification.
*
* Finally, the non-standard {decreaseAllowance} and {increaseAllowance}
* functions have been added to mitigate the well-known issues around setting
* allowances. See {IERC20-approve}.
*/
contract ERC20 is Context, IERC20, ReentrancyGuard, Ownable {
using SafeMath for uint256;
mapping(address => uint256) internal _balances;
mapping(address => mapping(address => uint256)) internal _allowances;
uint256 internal _totalSupply;
constructor() public {}
/********************
* Modifiers
*/
modifier whenNotPaused() {
require(!IPausable(pausable()).paused(), "ECOSYSTEM_PAUSED");
_;
}
/**
* @dev Throws if `account` is blacklisted
*
* @param account The address to check
*/
modifier notBlacklisted(address account) {
require(Blacklistable(blacklistable()).isBlacklisted(account) == false, "BLACKLISTED");
_;
}
/********************
* Public Functions
*/
function pausable() public view returns (address);
function blacklistable() public view returns (Blacklistable);
/**
* @dev See {IERC20-totalSupply}.
*/
function totalSupply() public view returns (uint256) {
return _totalSupply;
}
/**
* @dev See {IERC20-balanceOf}.
*/
function balanceOf(address account) public view returns (uint256) {
return _balances[account];
}
/**
* @dev See {IERC20-transfer}.
*
* Requirements:
*
* - `recipient` cannot be the zero address.
* - the caller must have a balance of at least `amount`.
*/
function transfer(
address recipient,
uint256 amount
)
nonReentrant
public returns (bool) {
_transfer(_msgSender(), recipient, amount);
return true;
}
/**
* @dev See {IERC20-allowance}.
*/
function allowance(address owner, address spender) public view returns (uint256) {
return _allowances[owner][spender];
}
/**
* @dev See {IERC20-approve}.
*
* Requirements:
*
* - `spender` cannot be the zero address.
*/
function approve(
address spender,
uint256 amount
)
public returns (bool) {
_approve(_msgSender(), spender, amount);
return true;
}
/**
* @dev See {IERC20-transferFrom}.
*
* Emits an {Approval} event indicating the updated allowance. This is not
* required by the EIP. See the note at the beginning of {ERC20};
*
* Requirements:
* - `sender` and `recipient` cannot be the zero address.
* - `sender` must have a balance of at least `amount`.
* - the caller must have allowance for `sender`'s tokens of at least
* `amount`.
*/
function transferFrom(
address sender,
address recipient,
uint256 amount
)
nonReentrant
public returns (bool) {
_transfer(sender, recipient, amount);
_approve(sender, _msgSender(), _allowances[sender][_msgSender()].sub(amount, "TRANSFER_EXCEEDS_ALLOWANCE"));
return true;
}
/**
* @dev Atomically increases the allowance granted to `spender` by the caller.
*
* This is an alternative to {approve} that can be used as a mitigation for
* problems described in {IERC20-approve}.
*
* Emits an {Approval} event indicating the updated allowance.
*
* Requirements:
*
* - `spender` cannot be the zero address.
*/
function increaseAllowance(
address spender,
uint256 addedValue
)
notBlacklisted(_msgSender())
notBlacklisted(spender)
public returns (bool) {
_approve(_msgSender(), spender, _allowances[_msgSender()][spender].add(addedValue));
return true;
}
/**
* @dev Atomically decreases the allowance granted to `spender` by the caller.
*
* This is an alternative to {approve} that can be used as a mitigation for
* problems described in {IERC20-approve}.
*
* Emits an {Approval} event indicating the updated allowance.
*
* Requirements:
*
* - `spender` cannot be the zero address.
* - `spender` must have allowance for the caller of at least
* `subtractedValue`.
*/
function decreaseAllowance(
address spender,
uint256 subtractedValue
)
notBlacklisted(_msgSender())
notBlacklisted(spender)
public returns (bool) {
_approve(_msgSender(), spender, _allowances[_msgSender()][spender].sub(subtractedValue, "ALLOWANCE_BELOW_ZERO"));
return true;
}
/**************************
* Internal Functions
*/
/**
* @dev Moves tokens `amount` from `sender` to `recipient`.
*
* This is internal function is equivalent to {transfer}, and can be used to
* e.g. implement automatic token fees, slashing mechanisms, etc.
*
* Emits a {Transfer} event.
*
* Requirements:
*
* - `sender` cannot be the zero address.
* - `recipient` cannot be the zero address.
* - `sender` must have a balance of at least `amount`.
*/
function _transfer(address sender, address recipient, uint256 amount) internal {
require(sender != address(0), "CANNOT_TRANSFER_FROM_ZERO_ADDRESS");
require(recipient != address(0), "CANNOT_TRANSFER_TO_ZERO_ADDRESS");
blacklistable().checkNotBlacklisted(_msgSender());
blacklistable().checkNotBlacklisted(sender);
blacklistable().checkNotBlacklisted(recipient);
_balances[sender] = _balances[sender].sub(amount, "TRANSFER_EXCEEDS_BALANCE");
_balances[recipient] = _balances[recipient].add(amount);
emit Transfer(sender, recipient, amount);
}
/**
* @dev Sets `amount` as the allowance of `spender` over the `owner`s tokens.
*
* This is internal function is equivalent to `approve`, and can be used to
* e.g. set automatic allowances for certain subsystems, etc.
*
* Emits an {Approval} event.
*
* Requirements:
*
* - `owner` cannot be the zero address.
* - `spender` cannot be the zero address.
*/
function _approve(address owner, address spender, uint256 amount) internal {
require(owner != address(0), "CANNOT_APPROVE_FROM_ZERO_ADDRESS");
require(spender != address(0), "CANNOT_APPROVE_TO_ZERO_ADDRESS");
blacklistable().checkNotBlacklisted(_msgSender());
blacklistable().checkNotBlacklisted(owner);
blacklistable().checkNotBlacklisted(spender);
_allowances[owner][spender] = amount;
emit Approval(owner, spender, amount);
}
/** @dev Creates `amount` tokens and assigns them to `account`, increasing
* the total supply.
*
* Emits a {Transfer} event with `from` set to the zero address.
*/
function mintToThisContract(uint256 amount) internal {
address account = address(this);
_totalSupply = _totalSupply.add(amount);
_balances[account] = _balances[account].add(amount);
emit Transfer(address(0), account, amount);
}
/**
* @dev Destroys `amount` tokens from `account`, reducing the
* total supply.
*
* Emits a {Transfer} event with `to` set to the zero address.
*
* Requirements
*
* - `address(this)` must have at least `amount` tokens.
*/
function burnFromThisContract(uint256 amount) internal {
address account = address(this);
_balances[account] = _balances[account].sub(amount, "BURN_EXCEEDS_BALANCE");
_totalSupply = _totalSupply.sub(amount);
emit Transfer(account, address(0), amount);
}
}
// File: contracts/impl/DmmToken.sol
pragma solidity ^0.5.12;
contract DmmToken is ERC20, IDmmToken, CommonConstants {
using SafeERC20 for IERC20;
using SafeMath for uint;
using DmmTokenLibrary for *;
/***************************
* Public Constant Fields
*/
// bytes32 public constant PERMIT_TYPE_HASH = keccak256("Permit(address holder,address spender,uint256 nonce,uint256 expiry,bool allowed,uint256 feeAmount,address feeRecipient)");
bytes32 public constant PERMIT_TYPE_HASH = 0x22fa96956322098f6fd394e06f1b7e0f6930565923f9ad3d20802e9a2eb58fb1;
// bytes32 public constant TRANSFER_TYPE_HASH = keccak256("Transfer(address owner,address recipient,uint256 nonce,uint256 expiry,uint amount,uint256 feeAmount,address feeRecipient)");
bytes32 public constant TRANSFER_TYPE_HASH = 0x25166116e36b48414096856a22ea40032193e38f65136c76738e306be6abd587;
// bytes32 public constant MINT_TYPE_HASH = keccak256("Mint(address owner,address recipient,uint256 nonce,uint256 expiry,uint256 amount,uint256 feeAmount,address feeRecipient)");
bytes32 public constant MINT_TYPE_HASH = 0x82e81310e0eab12a427992778464769ef831d801011489bc90ed3ef82f2cb3d1;
// bytes32 public constant REDEEM_TYPE_HASH = keccak256("Redeem(address owner,address recipient,uint256 nonce,uint256 expiry,uint256 amount,uint256 feeAmount,address feeRecipient)");
bytes32 public constant REDEEM_TYPE_HASH = 0x24e7162538bf7f86bd3180c9ee9f60f06db3bd66eb344ea3b00f69b84af5ddcf;
/*****************
* Public Fields
*/
string public symbol;
string public name;
uint8 public decimals;
uint public minMintAmount;
uint public minRedeemAmount;
IDmmController public controller;
bytes32 public domainSeparator;
/*****************
* Private Fields
*/
DmmTokenLibrary.Storage private _storage;
constructor(
string memory _symbol,
string memory _name,
uint8 _decimals,
uint _minMintAmount,
uint _minRedeemAmount,
uint _totalSupply,
address _controller
) public {
symbol = _symbol;
name = _name;
decimals = _decimals;
minMintAmount = _minMintAmount;
minRedeemAmount = _minRedeemAmount;
controller = IDmmController(_controller);
uint256 chainId;
assembly {chainId := chainid()}
domainSeparator = keccak256(abi.encode(
keccak256("EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)"),
keccak256(bytes(name)),
keccak256(bytes(/* version */ "1")),
chainId,
address(this)
));
_storage = DmmTokenLibrary.Storage({
exchangeRate : EXCHANGE_RATE_BASE_RATE,
exchangeRateLastUpdatedTimestamp : block.timestamp,
exchangeRateLastUpdatedBlockNumber : block.number
});
mintToThisContract(_totalSupply);
}
/********************
* Modifiers
*/
modifier isNotDisabled {
require(controller.isMarketEnabledByDmmTokenAddress(address(this)), "MARKET_DISABLED");
_;
}
/********************
* Public Functions
*/
function() payable external {
revert("NO_DEFAULT_FUNCTION");
}
function pausable() public view returns (address) {
return address(controller);
}
function blacklistable() public view returns (Blacklistable) {
return controller.blacklistable();
}
function activeSupply() public view returns (uint) {
return totalSupply().sub(balanceOf(address(this)));
}
function increaseTotalSupply(uint amount) public onlyOwner whenNotPaused {
uint oldTotalSupply = _totalSupply;
mintToThisContract(amount);
emit TotalSupplyIncreased(oldTotalSupply, _totalSupply);
}
function decreaseTotalSupply(uint amount) public onlyOwner whenNotPaused {
// If there's underflow, throw the specified error
require(balanceOf(address(this)) >= amount, "TOO_MUCH_ACTIVE_SUPPLY");
uint oldTotalSupply = _totalSupply;
burnFromThisContract(amount);
emit TotalSupplyDecreased(oldTotalSupply, _totalSupply);
}
function depositUnderlying(uint underlyingAmount) onlyOwner whenNotPaused public returns (bool) {
return this._depositUnderlying(_msgSender(), underlyingAmount);
}
function withdrawUnderlying(uint underlyingAmount) onlyOwner whenNotPaused public returns (bool) {
return this._withdrawUnderlying(_msgSender(), underlyingAmount);
}
function getCurrentExchangeRate() public view returns (uint) {
return _storage.getCurrentExchangeRate(controller.getInterestRateByDmmTokenAddress(address(this)));
}
function exchangeRateLastUpdatedTimestamp() public view returns (uint) {
return _storage.exchangeRateLastUpdatedTimestamp;
}
function exchangeRateLastUpdatedBlockNumber() public view returns (uint) {
return _storage.exchangeRateLastUpdatedBlockNumber;
}
function nonceOf(address owner) public view returns (uint) {
return _storage.nonces[owner];
}
function mint(
uint underlyingAmount
)
whenNotPaused
nonReentrant
isNotDisabled
public returns (uint) {
return _mint(_msgSender(), _msgSender(), underlyingAmount);
}
function transferUnderlyingIn(address owner, uint underlyingAmount) internal {
address underlyingToken = controller.getUnderlyingTokenForDmm(address(this));
IERC20(underlyingToken).safeTransferFrom(owner, address(this), underlyingAmount);
}
function transferUnderlyingOut(address recipient, uint underlyingAmount) internal {
address underlyingToken = controller.getUnderlyingTokenForDmm(address(this));
IERC20(underlyingToken).transfer(recipient, underlyingAmount);
}
function mintFromGaslessRequest(
address owner,
address recipient,
uint nonce,
uint expiry,
uint underlyingAmount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
)
whenNotPaused
nonReentrant
isNotDisabled
public returns (uint) {
return _mintFromGaslessRequest(
owner,
recipient,
nonce,
expiry,
underlyingAmount,
feeAmount,
feeRecipient,
v,
r,
s
);
}
function redeem(
uint amount
)
whenNotPaused
nonReentrant
public returns (uint) {
return _redeem(_msgSender(), _msgSender(), amount, /* shouldUseAllowance */ false);
}
function redeemFromGaslessRequest(
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
)
whenNotPaused
nonReentrant
public returns (uint) {
return _redeemFromGaslessRequest(
owner,
recipient,
nonce,
expiry,
amount,
feeAmount,
feeRecipient,
v,
r,
s
);
}
function permit(
address owner,
address spender,
uint nonce,
uint expiry,
bool allowed,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
)
whenNotPaused
nonReentrant
public {
checkGaslessBlacklist(feeRecipient);
_storage.validateOffChainPermit(domainSeparator, PERMIT_TYPE_HASH, owner, spender, nonce, expiry, allowed, feeAmount, feeRecipient, v, r, s);
uint wad = allowed ? uint(- 1) : 0;
_approve(owner, spender, wad);
doFeeTransferForDmmIfNecessary(owner, feeRecipient, feeAmount);
}
function transferFromGaslessRequest(
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
)
whenNotPaused
nonReentrant
public {
checkGaslessBlacklist(feeRecipient);
_storage.validateOffChainTransfer(domainSeparator, TRANSFER_TYPE_HASH, owner, recipient, nonce, expiry, amount, feeAmount, feeRecipient, v, r, s);
uint amountLessFee = amount.sub(feeAmount, "FEE_TOO_LARGE");
_transfer(owner, recipient, amountLessFee);
doFeeTransferForDmmIfNecessary(owner, feeRecipient, feeAmount);
}
/************************************
* Private & Internal Functions
*/
function _mint(address owner, address recipient, uint underlyingAmount) internal returns (uint) {
// No need to check if recipient or msgSender are blacklisted because `_transfer` checks it.
blacklistable().checkNotBlacklisted(owner);
uint currentExchangeRate = this.updateExchangeRateIfNecessaryAndGet(_storage);
uint amount = underlyingAmount.underlyingToAmount(currentExchangeRate, EXCHANGE_RATE_BASE_RATE);
require(balanceOf(address(this)) >= amount, "INSUFFICIENT_DMM_LIQUIDITY");
// Transfer underlying to this contract
transferUnderlyingIn(owner, underlyingAmount);
// Transfer DMM to the recipient
_transfer(address(this), recipient, amount);
emit Mint(owner, recipient, amount);
require(amount >= minMintAmount, "INSUFFICIENT_MINT_AMOUNT");
return amount;
}
/**
* @dev Note, right now all invocations of this function set `shouldUseAllowance` to `false`. Reason being, all
* calls are either done via explicit off-chain signatures (and therefore the owner and recipient are explicit;
* anyone can call the function), OR the msgSender is both the owner and recipient, in which case no allowance
* should be needed to redeem funds if the user is the spender of the same user's funds.
*/
function _redeem(address owner, address recipient, uint amount, bool shouldUseAllowance) internal returns (uint) {
// No need to check owner or msgSender for blacklist because `_transfer` covers them.
blacklistable().checkNotBlacklisted(recipient);
uint currentExchangeRate = this.updateExchangeRateIfNecessaryAndGet(_storage);
uint underlyingAmount = amount.amountToUnderlying(currentExchangeRate, EXCHANGE_RATE_BASE_RATE);
IERC20 underlyingToken = IERC20(this.controller().getUnderlyingTokenForDmm(address(this)));
require(underlyingToken.balanceOf(address(this)) >= underlyingAmount, "INSUFFICIENT_UNDERLYING_LIQUIDITY");
if (shouldUseAllowance) {
uint newAllowance = allowance(owner, _msgSender()).sub(amount, "INSUFFICIENT_ALLOWANCE");
_approve(owner, _msgSender(), newAllowance);
}
_transfer(owner, address(this), amount);
// Transfer underlying to the recipient from this contract
transferUnderlyingOut(recipient, underlyingAmount);
emit Redeem(owner, recipient, amount);
require(amount >= minRedeemAmount, "INSUFFICIENT_REDEEM_AMOUNT");
return underlyingAmount;
}
function _mintFromGaslessRequest(
address owner,
address recipient,
uint nonce,
uint expiry,
uint underlyingAmount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) internal returns (uint) {
checkGaslessBlacklist(feeRecipient);
// To avoid stack too deep issues, splitting the call into 2 parts is essential.
_storage.validateOffChainMint(domainSeparator, MINT_TYPE_HASH, owner, recipient, nonce, expiry, underlyingAmount, feeAmount, feeRecipient, v, r, s);
// Initially, we mint to this contract so we can send handle the fees.
// We don't delegate the call for transferring the underlying in, because gasless requests are designed to
// allow any relayer to broadcast the user's cryptographically-secure message.
uint amount = _mint(owner, address(this), underlyingAmount);
require(amount >= feeAmount, "FEE_TOO_LARGE");
uint amountLessFee = amount.sub(feeAmount);
require(amountLessFee >= minMintAmount, "INSUFFICIENT_MINT_AMOUNT");
_transfer(address(this), recipient, amountLessFee);
doFeeTransferForDmmIfNecessary(address(this), feeRecipient, feeAmount);
return amountLessFee;
}
function _redeemFromGaslessRequest(
address owner,
address recipient,
uint nonce,
uint expiry,
uint amount,
uint feeAmount,
address feeRecipient,
uint8 v,
bytes32 r,
bytes32 s
) internal returns (uint) {
checkGaslessBlacklist(feeRecipient);
// To avoid stack too deep issues, splitting the call into 2 parts is essential.
_storage.validateOffChainRedeem(domainSeparator, REDEEM_TYPE_HASH, owner, recipient, nonce, expiry, amount, feeAmount, feeRecipient, v, r, s);
uint amountLessFee = amount.sub(feeAmount, "FEE_TOO_LARGE");
require(amountLessFee >= minRedeemAmount, "INSUFFICIENT_REDEEM_AMOUNT");
uint underlyingAmount = _redeem(owner, recipient, amountLessFee, /* shouldUseAllowance */ false);
doFeeTransferForDmmIfNecessary(owner, feeRecipient, feeAmount);
return underlyingAmount;
}
function checkGaslessBlacklist(address feeRecipient) private view {
if (feeRecipient != address(0x0)) {
blacklistable().checkNotBlacklisted(feeRecipient);
}
}
function doFeeTransferForDmmIfNecessary(address owner, address feeRecipient, uint feeAmount) private {
if (feeAmount > 0) {
require(balanceOf(owner) >= feeAmount, "INSUFFICIENT_BALANCE_FOR_FEE");
_transfer(owner, feeRecipient, feeAmount);
emit FeeTransfer(owner, feeRecipient, feeAmount);
}
}
}
{
"compilationTarget": {
"DmmToken.sol": "DmmToken"
},
"evmVersion": "istanbul",
"libraries": {},
"optimizer": {
"enabled": true,
"runs": 200
},
"remappings": []
}
[{"inputs":[{"internalType":"string","name":"_symbol","type":"string"},{"internalType":"string","name":"_name","type":"string"},{"internalType":"uint8","name":"_decimals","type":"uint8"},{"internalType":"uint256","name":"_minMintAmount","type":"uint256"},{"internalType":"uint256","name":"_minRedeemAmount","type":"uint256"},{"internalType":"uint256","name":"_totalSupply","type":"uint256"},{"internalType":"address","name":"_controller","type":"address"}],"payable":false,"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"spender","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"recipient","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"FeeTransfer","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"minter","type":"address"},{"indexed":true,"internalType":"address","name":"recipient","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Mint","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"feeRecipient","type":"address"},{"indexed":false,"internalType":"uint256","name":"nonce","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"expiry","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"feeAmount","type":"uint256"}],"name":"OffChainRequestValidated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"redeemer","type":"address"},{"indexed":true,"internalType":"address","name":"recipient","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Redeem","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"oldTotalSupply","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newTotalSupply","type":"uint256"}],"name":"TotalSupplyDecreased","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"oldTotalSupply","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newTotalSupply","type":"uint256"}],"name":"TotalSupplyIncreased","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Transfer","type":"event"},{"payable":true,"stateMutability":"payable","type":"fallback"},{"constant":true,"inputs":[],"name":"EXCHANGE_RATE_BASE_RATE","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"MINT_TYPE_HASH","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"PERMIT_TYPE_HASH","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"REDEEM_TYPE_HASH","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"TRANSFER_TYPE_HASH","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"activeSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"blacklistable","outputs":[{"internalType":"contract Blacklistable","name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"controller","outputs":[{"internalType":"contract IDmmController","name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"subtractedValue","type":"uint256"}],"name":"decreaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"decreaseTotalSupply","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"uint256","name":"underlyingAmount","type":"uint256"}],"name":"depositUnderlying","outputs":[{"internalType":"bool","name":"","type":"bool"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"domainSeparator","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"exchangeRateLastUpdatedBlockNumber","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"exchangeRateLastUpdatedTimestamp","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"getCurrentExchangeRate","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"addedValue","type":"uint256"}],"name":"increaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"increaseTotalSupply","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"isOwner","outputs":[{"internalType":"bool","name":"","type":"bool"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"minMintAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"minRedeemAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"internalType":"uint256","name":"underlyingAmount","type":"uint256"}],"name":"mint","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"nonce","type":"uint256"},{"internalType":"uint256","name":"expiry","type":"uint256"},{"internalType":"uint256","name":"underlyingAmount","type":"uint256"},{"internalType":"uint256","name":"feeAmount","type":"uint256"},{"internalType":"address","name":"feeRecipient","type":"address"},{"internalType":"uint8","name":"v","type":"uint8"},{"internalType":"bytes32","name":"r","type":"bytes32"},{"internalType":"bytes32","name":"s","type":"bytes32"}],"name":"mintFromGaslessRequest","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"nonceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"pausable","outputs":[{"internalType":"address","name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"nonce","type":"uint256"},{"internalType":"uint256","name":"expiry","type":"uint256"},{"internalType":"bool","name":"allowed","type":"bool"},{"internalType":"uint256","name":"feeAmount","type":"uint256"},{"internalType":"address","name":"feeRecipient","type":"address"},{"internalType":"uint8","name":"v","type":"uint8"},{"internalType":"bytes32","name":"r","type":"bytes32"},{"internalType":"bytes32","name":"s","type":"bytes32"}],"name":"permit","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"redeem","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"nonce","type":"uint256"},{"internalType":"uint256","name":"expiry","type":"uint256"},{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"uint256","name":"feeAmount","type":"uint256"},{"internalType":"address","name":"feeRecipient","type":"address"},{"internalType":"uint8","name":"v","type":"uint8"},{"internalType":"bytes32","name":"r","type":"bytes32"},{"internalType":"bytes32","name":"s","type":"bytes32"}],"name":"redeemFromGaslessRequest","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[],"name":"renounceOwnership","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"sender","type":"address"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"nonce","type":"uint256"},{"internalType":"uint256","name":"expiry","type":"uint256"},{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"uint256","name":"feeAmount","type":"uint256"},{"internalType":"address","name":"feeRecipient","type":"address"},{"internalType":"uint8","name":"v","type":"uint8"},{"internalType":"bytes32","name":"r","type":"bytes32"},{"internalType":"bytes32","name":"s","type":"bytes32"}],"name":"transferFromGaslessRequest","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":false,"inputs":[{"internalType":"uint256","name":"underlyingAmount","type":"uint256"}],"name":"withdrawUnderlying","outputs":[{"internalType":"bool","name":"","type":"bool"}],"payable":false,"stateMutability":"nonpayable","type":"function"}]