pragmasolidity ^0.5.5;/**
* @dev Collection of functions related to the address type
*/libraryAddress{
/**
* @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
* ====
*/functionisContract(address account) internalviewreturns (bool) {
// 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-assemblyassembly { codehash :=extcodehash(account) }
return (codehash != accountHash && codehash !=0x0);
}
/**
* @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._
*/functiontoPayable(address account) internalpurereturns (addresspayable) {
returnaddress(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._
*/functionsendValue(addresspayable 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");
}
}
Contract Source Code
File 2 of 15: AgentKey.sol
// SPDX-License-Identifier: UNLICENSEDpragmasolidity 0.5.17;import {DecentralizedAutonomousTrust} from"@fairmint/contracts/DecentralizedAutonomousTrust.sol";
import"@openzeppelin/contracts-ethereum-package/contracts/utils/Address.sol";
contractAgentKeyisDecentralizedAutonomousTrust{
boolpublic isStopped;
constructor(uint256 _initReserve,
address _currencyAddress,
uint256 _initGoal,
uint256 _buySlopeNum,
uint256 _buySlopeDen,
uint256 _investmentReserveBasisPoints,
uint256 _setupFee,
addresspayable _setupFeeRecipient,
stringmemory _name,
stringmemory _symbol
) public{
initialize(
_initReserve,
_currencyAddress,
_initGoal,
_buySlopeNum,
_buySlopeDen,
_investmentReserveBasisPoints,
_setupFee,
_setupFeeRecipient,
_name,
_symbol
);
}
/// @notice Stops the contract and transfers the reserve to the recipient. To be used in case of a migration to a new contract.functionstopAndTransferReserve(addresspayable _recipient) external{
require(msg.sender== beneficiary, "BENEFICIARY_ONLY");
isStopped =true;
Address.sendValue(_recipient, address(this).balance);
}
/// @dev Overrides the modifier in ContinuousOfferingmodifierauthorizeTransfer(address _from,
address _to,
uint256 _value,
bool _isSell
) {
if (isStopped) {
revert("Contract is stopped");
}
if (address(whitelist) !=address(0)) {
// This is not set for the minting of initialReserve
whitelist.authorizeTransfer(_from, _to, _value, _isSell);
}
_;
}
}
Contract Source Code
File 3 of 15: BigDiv.sol
pragmasolidity ^0.5.0;import"@openzeppelin/contracts-ethereum-package/contracts/math/SafeMath.sol";
/**
* @title Reduces the size of terms before multiplication, to avoid an overflow, and then
* restores the proper size after division.
* @notice This effectively allows us to overflow values in the numerator and/or denominator
* of a fraction, so long as the end result does not overflow as well.
* @dev Results may be off by 1 + 0.000001% for 2x1 calls and 2 + 0.00001% for 2x2 calls.
* Do not use if your contract expects very small result values to be accurate.
*/libraryBigDiv{
usingSafeMathforuint;
/// @notice The max possible valueuintprivateconstant MAX_UINT =2**256-1;
/// @notice When multiplying 2 terms <= this value the result won't overflowuintprivateconstant MAX_BEFORE_SQUARE =2**128-1;
/// @notice The max error target is off by 1 plus up to 0.000001% error/// for bigDiv2x1 and that `* 2` for bigDiv2x2uintprivateconstant MAX_ERROR =100000000;
/// @notice A larger error threshold to use when multiple rounding errors may applyuintprivateconstant MAX_ERROR_BEFORE_DIV = MAX_ERROR *2;
/**
* @notice Returns the approx result of `a * b / d` so long as the result is <= MAX_UINT
* @param _numA the first numerator term
* @param _numB the second numerator term
* @param _den the denominator
* @return the approx result with up to off by 1 + MAX_ERROR, rounding down if needed
*/functionbigDiv2x1(uint _numA,
uint _numB,
uint _den
) internalpurereturns (uint) {
if (_numA ==0|| _numB ==0) {
// would div by 0 or underflow if we don't special case 0return0;
}
uint value;
if (MAX_UINT / _numA >= _numB) {
// a*b does not overflow, return exact math
value = _numA * _numB;
value /= _den;
return value;
}
// Sort numeratorsuint numMax = _numB;
uint numMin = _numA;
if (_numA > _numB) {
numMax = _numA;
numMin = _numB;
}
value = numMax / _den;
if (value > MAX_ERROR) {
// _den is small enough to be MAX_ERROR or better w/o a factor
value = value.mul(numMin);
return value;
}
// formula = ((a / f) * b) / (d / f)// factor >= a / sqrt(MAX) * (b / sqrt(MAX))uint factor = numMin -1;
factor /= MAX_BEFORE_SQUARE;
factor +=1;
uint temp = numMax -1;
temp /= MAX_BEFORE_SQUARE;
temp +=1;
if (MAX_UINT / factor >= temp) {
factor *= temp;
value = numMax / factor;
if (value > MAX_ERROR_BEFORE_DIV) {
value = value.mul(numMin);
temp = _den -1;
temp /= factor;
temp = temp.add(1);
value /= temp;
return value;
}
}
// formula: (a / (d / f)) * (b / f)// factor: b / sqrt(MAX)
factor = numMin -1;
factor /= MAX_BEFORE_SQUARE;
factor +=1;
value = numMin / factor;
temp = _den -1;
temp /= factor;
temp +=1;
temp = numMax / temp;
value = value.mul(temp);
return value;
}
/**
* @notice Returns the approx result of `a * b / d` so long as the result is <= MAX_UINT
* @param _numA the first numerator term
* @param _numB the second numerator term
* @param _den the denominator
* @return the approx result with up to off by 1 + MAX_ERROR, rounding down if needed
* @dev roundUp is implemented by first rounding down and then adding the max error to the result
*/functionbigDiv2x1RoundUp(uint _numA,
uint _numB,
uint _den
) internalpurereturns (uint) {
// first get the rounded down resultuint value = bigDiv2x1(_numA, _numB, _den);
if (value ==0) {
// when the value rounds down to 0, assume up to an off by 1 errorreturn1;
}
// round down has a max error of MAX_ERROR, add that to the result// for a round up error of <= MAX_ERRORuint temp = value -1;
temp /= MAX_ERROR;
temp +=1;
if (MAX_UINT - value < temp) {
// value + error would overflow, return MAXreturn MAX_UINT;
}
value += temp;
return value;
}
/**
* @notice Returns the approx result of `a * b / (c * d)` so long as the result is <= MAX_UINT
* @param _numA the first numerator term
* @param _numB the second numerator term
* @param _denA the first denominator term
* @param _denB the second denominator term
* @return the approx result with up to off by 2 + MAX_ERROR*10 error, rounding down if needed
* @dev this uses bigDiv2x1 and adds additional rounding error so the max error of this
* formula is larger
*/functionbigDiv2x2(uint _numA,
uint _numB,
uint _denA,
uint _denB
) internalpurereturns (uint) {
if (MAX_UINT / _denA >= _denB) {
// denA*denB does not overflow, use bigDiv2x1 insteadreturn bigDiv2x1(_numA, _numB, _denA * _denB);
}
if (_numA ==0|| _numB ==0) {
// would div by 0 or underflow if we don't special case 0return0;
}
// Sort denominatorsuint denMax = _denB;
uint denMin = _denA;
if (_denA > _denB) {
denMax = _denA;
denMin = _denB;
}
uint value;
if (MAX_UINT / _numA >= _numB) {
// a*b does not overflow, use `a / d / c`
value = _numA * _numB;
value /= denMin;
value /= denMax;
return value;
}
// `ab / cd` where both `ab` and `cd` would overflow// Sort numeratorsuint numMax = _numB;
uint numMin = _numA;
if (_numA > _numB) {
numMax = _numA;
numMin = _numB;
}
// formula = (a/d) * b / cuint temp = numMax / denMin;
if (temp > MAX_ERROR_BEFORE_DIV) {
return bigDiv2x1(temp, numMin, denMax);
}
// formula: ((a/f) * b) / d then either * f / c or / c * f// factor >= a / sqrt(MAX) * (b / sqrt(MAX))uint factor = numMin -1;
factor /= MAX_BEFORE_SQUARE;
factor +=1;
temp = numMax -1;
temp /= MAX_BEFORE_SQUARE;
temp +=1;
if (MAX_UINT / factor >= temp) {
factor *= temp;
value = numMax / factor;
if (value > MAX_ERROR_BEFORE_DIV) {
value = value.mul(numMin);
value /= denMin;
if (value >0&& MAX_UINT / value >= factor) {
value *= factor;
value /= denMax;
return value;
}
}
}
// formula: (a/f) * b / ((c*d)/f)// factor >= c / sqrt(MAX) * (d / sqrt(MAX))
factor = denMin;
factor /= MAX_BEFORE_SQUARE;
temp = denMax;
// + 1 here prevents overflow of factor*temp
temp /= MAX_BEFORE_SQUARE +1;
factor *= temp;
return bigDiv2x1(numMax / factor, numMin, MAX_UINT);
}
}
Contract Source Code
File 4 of 15: Context.sol
pragmasolidity ^0.5.0;import"@openzeppelin/upgrades/contracts/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 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.
*/contractContextisInitializable{
// 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-blocksfunction_msgSender() internalviewreturns (addresspayable) {
returnmsg.sender;
}
function_msgData() internalviewreturns (bytesmemory) {
this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691returnmsg.data;
}
}
Contract Source Code
File 5 of 15: ContinuousOffering.sol
pragmasolidity 0.5.17;import"./interfaces/IWhitelist.sol";
import"./interfaces/IERC20Detailed.sol";
import"./math/BigDiv.sol";
import"./math/Sqrt.sol";
import"@openzeppelin/contracts-ethereum-package/contracts/token/ERC20/IERC20.sol";
import"@openzeppelin/contracts-ethereum-package/contracts/token/ERC20/SafeERC20.sol";
import"@openzeppelin/contracts-ethereum-package/contracts/token/ERC20/ERC20.sol";
import"@openzeppelin/contracts-ethereum-package/contracts/token/ERC20/ERC20Detailed.sol";
import"@openzeppelin/contracts-ethereum-package/contracts/math/SafeMath.sol";
import"@openzeppelin/contracts-ethereum-package/contracts/utils/Address.sol";
/**
* @title Continuous Offering abstract contract
* @notice A shared base for various offerings from Fairmint.
*/contractContinuousOfferingisERC20, ERC20Detailed{
usingSafeMathforuint;
usingSqrtforuint;
usingSafeERC20forIERC20;
/**
* Events
*/eventBuy(addressindexed _from,
addressindexed _to,
uint _currencyValue,
uint _fairValue
);
eventSell(addressindexed _from,
addressindexed _to,
uint _currencyValue,
uint _fairValue
);
eventBurn(addressindexed _from,
uint _fairValue
);
eventStateChange(uint _previousState,
uint _newState
);
/**
* Constants
*//// @notice The default stateuintinternalconstant STATE_INIT =0;
/// @notice The state after initGoal has been reacheduintinternalconstant STATE_RUN =1;
/// @notice The state after closed by the `beneficiary` account from STATE_RUNuintinternalconstant STATE_CLOSE =2;
/// @notice The state after closed by the `beneficiary` account from STATE_INITuintinternalconstant STATE_CANCEL =3;
/// @notice When multiplying 2 terms, the max value is 2^128-1uintinternalconstant MAX_BEFORE_SQUARE =2**128-1;
/// @notice The denominator component for values specified in basis points.uintinternalconstant BASIS_POINTS_DEN =10000;
/// @notice The max `totalSupply() + burnedSupply`/// @dev This limit ensures that the DAT's formulas do not overflow (<MAX_BEFORE_SQUARE/2)uintinternalconstant MAX_SUPPLY =10**38;
/**
* Data specific to our token business logic
*//// @notice The contract for transfer authorizations, if any.
IWhitelist public whitelist;
/// @notice The total number of burned FAIR tokens, excluding tokens burned from a `Sell` action in the DAT.uintpublic burnedSupply;
/**
* Data for DAT business logic
*//// @dev unused slot which remains to ensure compatible upgradesboolprivate __autoBurn;
/// @notice The address of the beneficiary organization which receives the investments./// Points to the wallet of the organization.addresspayablepublic beneficiary;
/// @notice The buy slope of the bonding curve./// Does not affect the financial model, only the granularity of FAIR./// @dev This is the numerator component of the fractional value.uintpublic buySlopeNum;
/// @notice The buy slope of the bonding curve./// Does not affect the financial model, only the granularity of FAIR./// @dev This is the denominator component of the fractional value.uintpublic buySlopeDen;
/// @notice The address from which the updatable variables can be updatedaddresspublic control;
/// @notice The address of the token used as reserve in the bonding curve/// (e.g. the DAI contract). Use ETH if 0.
IERC20 public currency;
/// @notice The address where fees are sent.addresspayablepublic feeCollector;
/// @notice The percent fee collected each time new FAIR are issued expressed in basis points.uintpublic feeBasisPoints;
/// @notice The initial fundraising goal (expressed in FAIR) to start the c-org./// `0` means that there is no initial fundraising and the c-org immediately moves to run state.uintpublic initGoal;
/// @notice A map with all investors in init state using address as a key and amount as value./// @dev This structure's purpose is to make sure that only investors can withdraw their money if init_goal is not reached.mapping(address=>uint) public initInvestors;
/// @notice The initial number of FAIR created at initialization for the beneficiary./// Technically however, this variable is not a constant as we must always have///`init_reserve>=total_supply+burnt_supply` which means that `init_reserve` will be automatically/// decreased to equal `total_supply+burnt_supply` in case `init_reserve>total_supply+burnt_supply`/// after an investor sells his FAIRs./// @dev Organizations may move these tokens into vesting contract(s)uintpublic initReserve;
/// @notice The investment reserve of the c-org. Defines the percentage of the value invested that is/// automatically funneled and held into the buyback_reserve expressed in basis points./// Internal since this is n/a to all derivative contracts.uintinternal __investmentReserveBasisPoints;
/// @dev unused slot which remains to ensure compatible upgradesuintprivate __openUntilAtLeast;
/// @notice The minimum amount of `currency` investment accepted.uintpublic minInvestment;
/// @dev The revenue commitment of the organization. Defines the percentage of the value paid through the contract/// that is automatically funneled and held into the buyback_reserve expressed in basis points./// Internal since this is n/a to all derivative contracts.uintinternal __revenueCommitmentBasisPoints;
/// @notice The current state of the contract./// @dev See the constants above for possible state values.uintpublic state;
/// @dev If this value changes we need to reconstruct the DOMAIN_SEPARATORstringpublicconstant version ="3";
// --- EIP712 niceties ---// Original source: https://etherscan.io/address/0x6b175474e89094c44da98b954eedeac495271d0f#codemapping (address=>uint) public nonces;
bytes32public DOMAIN_SEPARATOR;
// keccak256("Permit(address owner,address spender,uint256 value,uint256 nonce,uint256 deadline)");bytes32publicconstant PERMIT_TYPEHASH =0x6e71edae12b1b97f4d1f60370fef10105fa2faae0126114a169c64845d6126c9;
// The success fee (expressed in currency) that will be earned by setupFeeRecipient as soon as initGoal// is reached. We must have setup_fee <= buy_slope*init_goal^(2)/2uintpublic setupFee;
// The recipient of the setup_fee once init_goal is reachedaddresspayablepublic setupFeeRecipient;
/// @notice The minimum time before which the c-org contract cannot be closed once the contract has/// reached the `run` state./// @dev When updated, the new value of `minimum_duration` cannot be earlier than the previous value.uintpublic minDuration;
/// @dev Initialized at `0` and updated when the contract switches from `init` state to `run` state/// or when the initial trial period ends.uintpublic __startedOn;
/// @notice The max possible valueuintinternalconstant MAX_UINT =2**256-1;
// keccak256("PermitBuy(address from,address to,uint256 currencyValue,uint256 minTokensBought,uint256 nonce,uint256 deadline)");bytes32publicconstant PERMIT_BUY_TYPEHASH =0xaf42a244b3020d6a2253d9f291b4d3e82240da42b22129a8113a58aa7a3ddb6a;
// keccak256("PermitSell(address from,address to,uint256 quantityToSell,uint256 minCurrencyReturned,uint256 nonce,uint256 deadline)");bytes32publicconstant PERMIT_SELL_TYPEHASH =0x5dfdc7fb4c68a4c249de5e08597626b84fbbe7bfef4ed3500f58003e722cc548;
modifierauthorizeTransfer(address _from,
address _to,
uint _value,
bool _isSell
)
{
if(address(whitelist) !=address(0))
{
// This is not set for the minting of initialReserve
whitelist.authorizeTransfer(_from, _to, _value, _isSell);
}
_;
}
/**
* Buyback reserve
*//// @notice The total amount of currency value currently locked in the contract and available to sellers.functionbuybackReserve() publicviewreturns (uint)
{
uint reserve =address(this).balance;
if(address(currency) !=address(0))
{
reserve = currency.balanceOf(address(this));
}
if(reserve > MAX_BEFORE_SQUARE)
{
/// Math: If the reserve becomes excessive, cap the value to prevent overflowing in other formulasreturn MAX_BEFORE_SQUARE;
}
return reserve;
}
/**
* Functions required by the ERC-20 token standard
*//// @dev Moves tokens from one account to another if authorized.function_transfer(address _from,
address _to,
uint _amount
) internalauthorizeTransfer(_from, _to, _amount, false)
{
require(state != STATE_INIT || _from == beneficiary, "ONLY_BENEFICIARY_DURING_INIT");
super._transfer(_from, _to, _amount);
}
/// @dev Removes tokens from the circulating supply.function_burn(address _from,
uint _amount,
bool _isSell
) internalauthorizeTransfer(_from, address(0), _amount, _isSell)
{
super._burn(_from, _amount);
if(!_isSell)
{
// This is a burnrequire(state == STATE_RUN, "INVALID_STATE");
// SafeMath not required as we cap how high this value may get during mint
burnedSupply += _amount;
emit Burn(_from, _amount);
}
}
/// @notice Called to mint tokens on `buy`.function_mint(address _to,
uint _quantity
) internalauthorizeTransfer(address(0), _to, _quantity, false)
{
super._mint(_to, _quantity);
// Math: If this value got too large, the DAT may overflow on sellrequire(totalSupply().add(burnedSupply) <= MAX_SUPPLY, "EXCESSIVE_SUPPLY");
}
/**
* Transaction Helpers
*//// @notice Confirms the transfer of `_quantityToInvest` currency to the contract.function_collectInvestment(addresspayable _from,
uint _quantityToInvest,
uint _msgValue,
bool _refundRemainder
) internal{
if(address(currency) ==address(0))
{
// currency is ETHif(_refundRemainder)
{
// Math: if _msgValue was not sufficient then revertuint refund = _msgValue.sub(_quantityToInvest);
if(refund >0)
{
Address.sendValue(msg.sender, refund);
}
}
else
{
require(_quantityToInvest == _msgValue, "INCORRECT_MSG_VALUE");
}
}
else
{
// currency is ERC20require(_msgValue ==0, "DO_NOT_SEND_ETH");
currency.safeTransferFrom(_from, address(this), _quantityToInvest);
}
}
/// @dev Send `_amount` currency from the contract to the `_to` account.function_transferCurrency(addresspayable _to,
uint _amount
) internal{
if(_amount >0)
{
if(address(currency) ==address(0))
{
Address.sendValue(_to, _amount);
}
else
{
currency.safeTransfer(_to, _amount);
}
}
}
/**
* Config / Control
*//// @notice Called once after deploy to set the initial configuration./// None of the values provided here may change once initially set./// @dev using the init pattern in order to support zos upgradesfunction_initialize(uint _initReserve,
address _currencyAddress,
uint _initGoal,
uint _buySlopeNum,
uint _buySlopeDen,
uint _setupFee,
addresspayable _setupFeeRecipient,
stringmemory _name,
stringmemory _symbol
) internal{
// The ERC-20 implementation will confirm initialize is only run once
ERC20Detailed.initialize(_name, _symbol, 18);
require(_buySlopeNum >0, "INVALID_SLOPE_NUM");
require(_buySlopeDen >0, "INVALID_SLOPE_DEN");
require(_buySlopeNum < MAX_BEFORE_SQUARE, "EXCESSIVE_SLOPE_NUM");
require(_buySlopeDen < MAX_BEFORE_SQUARE, "EXCESSIVE_SLOPE_DEN");
buySlopeNum = _buySlopeNum;
buySlopeDen = _buySlopeDen;
// Setup Feerequire(_setupFee ==0|| _setupFeeRecipient !=address(0), "MISSING_SETUP_FEE_RECIPIENT");
require(_setupFeeRecipient ==address(0) || _setupFee !=0, "MISSING_SETUP_FEE");
// setup_fee <= (n/d)*(g^2)/2uint initGoalInCurrency = _initGoal * _initGoal;
initGoalInCurrency = initGoalInCurrency.mul(_buySlopeNum);
initGoalInCurrency /=2* _buySlopeDen;
require(_setupFee <= initGoalInCurrency, "EXCESSIVE_SETUP_FEE");
setupFee = _setupFee;
setupFeeRecipient = _setupFeeRecipient;
// Set default values (which may be updated using `updateConfig`)uint decimals =18;
if(_currencyAddress !=address(0))
{
decimals = IERC20Detailed(_currencyAddress).decimals();
}
minInvestment =100* (10** decimals);
beneficiary =msg.sender;
control =msg.sender;
feeCollector =msg.sender;
// Save currency
currency = IERC20(_currencyAddress);
// Mint the initial reserveif(_initReserve >0)
{
initReserve = _initReserve;
_mint(beneficiary, initReserve);
}
initializeDomainSeparator();
}
/// @notice Used to initialize the domain separator used in meta-transactions/// @dev This is separate from `initialize` to allow upgraded contracts to update the version/// There is no harm in calling this multiple times / no permissions requiredfunctioninitializeDomainSeparator() public{
uint id;
// solium-disable-next-lineassembly
{
id :=chainid()
}
DOMAIN_SEPARATOR =keccak256(
abi.encode(
keccak256("EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)"),
keccak256(bytes(name())),
keccak256(bytes(version)),
id,
address(this)
)
);
}
function_updateConfig(address _whitelistAddress,
addresspayable _beneficiary,
address _control,
addresspayable _feeCollector,
uint _feeBasisPoints,
uint _minInvestment,
uint _minDuration
) internal{
// This require(also confirms that initialize has been called.require(msg.sender== control, "CONTROL_ONLY");
// address(0) is okay
whitelist = IWhitelist(_whitelistAddress);
require(_control !=address(0), "INVALID_ADDRESS");
control = _control;
require(_feeCollector !=address(0), "INVALID_ADDRESS");
feeCollector = _feeCollector;
require(_feeBasisPoints <= BASIS_POINTS_DEN, "INVALID_FEE");
feeBasisPoints = _feeBasisPoints;
require(_minInvestment >0, "INVALID_MIN_INVESTMENT");
minInvestment = _minInvestment;
require(_minDuration >= minDuration, "MIN_DURATION_MAY_NOT_BE_REDUCED");
minDuration = _minDuration;
if(beneficiary != _beneficiary)
{
require(_beneficiary !=address(0), "INVALID_ADDRESS");
uint tokens = balanceOf(beneficiary);
initInvestors[_beneficiary] = initInvestors[_beneficiary].add(initInvestors[beneficiary]);
initInvestors[beneficiary] =0;
if(tokens >0)
{
_transfer(beneficiary, _beneficiary, tokens);
}
beneficiary = _beneficiary;
}
}
/**
* Functions for our business logic
*//// @notice Burn the amount of tokens from the address msg.sender if authorized./// @dev Note that this is not the same as a `sell` via the DAT.functionburn(uint _amount
) public{
_burn(msg.sender, _amount, false);
}
/// @notice Burn the amount of tokens from the given address if approved.functionburnFrom(address _from,
uint _amount
) public{
_approve(_from, msg.sender, allowance(_from, msg.sender).sub(_amount, "ERC20: burn amount exceeds allowance"));
_burn(_from, _amount, false);
}
// Buy/// @dev Distributes _value currency between the buybackReserve, beneficiary, and feeCollector.function_distributeInvestment(uint _value) internal;
/// @notice Calculate how many FAIR tokens you would buy with the given amount of currency if `buy` was called now./// @param _currencyValue How much currency to spend in order to buy FAIR.functionestimateBuyValue(uint _currencyValue
) publicviewreturns (uint)
{
if(_currencyValue < minInvestment)
{
return0;
}
/// Calculate the tokenValue for this investmentuint tokenValue;
if(state == STATE_INIT)
{
uint currencyValue = _currencyValue;
uint _totalSupply = totalSupply();
// (buy_slope*init_goal)*(init_goal+init_reserve-total_supply)// n/d: buy_slope (MAX_BEFORE_SQUARE / MAX_BEFORE_SQUARE)// g: init_goal (MAX_BEFORE_SQUARE)// t: total_supply (MAX_BEFORE_SQUARE)// r: init_reserve (MAX_BEFORE_SQUARE)// source: ((n/d)*g)*(g+r-t)// impl: (g n (g + r - t))/(d)uint max = BigDiv.bigDiv2x1(
initGoal * buySlopeNum,
initGoal + initReserve - _totalSupply,
buySlopeDen
);
if(currencyValue > max)
{
currencyValue = max;
}
// Math: worst case// MAX * MAX_BEFORE_SQUARE// / MAX_BEFORE_SQUARE * MAX_BEFORE_SQUARE
tokenValue = BigDiv.bigDiv2x1(
currencyValue,
buySlopeDen,
initGoal * buySlopeNum
);
if(currencyValue != _currencyValue)
{
currencyValue = _currencyValue - max;
// ((2*next_amount/buy_slope)+init_goal^2)^(1/2)-init_goal// a: next_amount | currencyValue// n/d: buy_slope (MAX_BEFORE_SQUARE / MAX_BEFORE_SQUARE)// g: init_goal (MAX_BEFORE_SQUARE/2)// r: init_reserve (MAX_BEFORE_SQUARE/2)// sqrt(((2*a/(n/d))+g^2)-g// sqrt((2 d a + n g^2)/n) - g// currencyValue == 2 d auint temp =2* buySlopeDen;
currencyValue = temp.mul(currencyValue);
// temp == g^2
temp = initGoal;
temp *= temp;
// temp == n g^2
temp = temp.mul(buySlopeNum);
// temp == (2 d a) + n g^2
temp = currencyValue.add(temp);
// temp == (2 d a + n g^2)/n
temp /= buySlopeNum;
// temp == sqrt((2 d a + n g^2)/n)
temp = temp.sqrt();
// temp == sqrt((2 d a + n g^2)/n) - g
temp -= initGoal;
tokenValue = tokenValue.add(temp);
}
}
elseif(state == STATE_RUN)
{
// initReserve is reduced on sell as necessary to ensure that this line will not overflowuint supply = totalSupply() + burnedSupply - initReserve;
// Math: worst case// MAX * 2 * MAX_BEFORE_SQUARE// / MAX_BEFORE_SQUARE
tokenValue = BigDiv.bigDiv2x1(
_currencyValue,
2* buySlopeDen,
buySlopeNum
);
// Math: worst case MAX + (MAX_BEFORE_SQUARE * MAX_BEFORE_SQUARE)
tokenValue = tokenValue.add(supply * supply);
tokenValue = tokenValue.sqrt();
// Math: small chance of underflow due to possible rounding in sqrt
tokenValue = tokenValue.sub(supply);
}
else
{
// invalid statereturn0;
}
return tokenValue;
}
function_buy(addresspayable _from,
address _to,
uint _currencyValue,
uint _minTokensBought
) internal{
require(_to !=address(0), "INVALID_ADDRESS");
require(_minTokensBought >0, "MUST_BUY_AT_LEAST_1");
// Calculate the tokenValue for this investmentuint tokenValue = estimateBuyValue(_currencyValue);
require(tokenValue >= _minTokensBought, "PRICE_SLIPPAGE");
emit Buy(_from, _to, _currencyValue, tokenValue);
_collectInvestment(_from, _currencyValue, msg.value, false);
// Update state, initInvestors, and distribute the investment when appropriateif(state == STATE_INIT)
{
// Math worst case: MAX_BEFORE_SQUARE
initInvestors[_to] += tokenValue;
// Math worst case:// MAX_BEFORE_SQUARE + MAX_BEFORE_SQUAREif(totalSupply() + tokenValue - initReserve >= initGoal)
{
emit StateChange(state, STATE_RUN);
state = STATE_RUN;
__startedOn =block.timestamp;
// Math worst case:// MAX_BEFORE_SQUARE * MAX_BEFORE_SQUARE * MAX_BEFORE_SQUARE/2// / MAX_BEFORE_SQUAREuint beneficiaryContribution = BigDiv.bigDiv2x1(
initInvestors[beneficiary],
buySlopeNum * initGoal,
buySlopeDen
);
if(setupFee >0)
{
_transferCurrency(setupFeeRecipient, setupFee);
if(beneficiaryContribution > setupFee)
{
beneficiaryContribution -= setupFee;
}
else
{
beneficiaryContribution =0;
}
}
_distributeInvestment(buybackReserve().sub(beneficiaryContribution));
}
}
else// implied: if(state == STATE_RUN)
{
if(_to != beneficiary)
{
_distributeInvestment(_currencyValue);
}
}
_mint(_to, tokenValue);
}
/// @notice Purchase FAIR tokens with the given amount of currency./// @param _to The account to receive the FAIR tokens from this purchase./// @param _currencyValue How much currency to spend in order to buy FAIR./// @param _minTokensBought Buy at least this many FAIR tokens or the transaction reverts./// @dev _minTokensBought is necessary as the price will change if some elses transaction mines after/// yours was submitted.functionbuy(address _to,
uint _currencyValue,
uint _minTokensBought
) publicpayable{
_buy(msg.sender, _to, _currencyValue, _minTokensBought);
}
/// @notice Allow users to sign a message authorizing a buyfunctionpermitBuy(addresspayable _from,
address _to,
uint _currencyValue,
uint _minTokensBought,
uint _deadline,
uint8 _v,
bytes32 _r,
bytes32 _s
) external{
require(_deadline >=block.timestamp, "EXPIRED");
bytes32 digest =keccak256(abi.encode(PERMIT_BUY_TYPEHASH, _from, _to, _currencyValue, _minTokensBought, nonces[_from]++, _deadline));
digest =keccak256(
abi.encodePacked(
"\x19\x01",
DOMAIN_SEPARATOR,
digest
)
);
address recoveredAddress =ecrecover(digest, _v, _r, _s);
require(recoveredAddress !=address(0) && recoveredAddress == _from, "INVALID_SIGNATURE");
_buy(_from, _to, _currencyValue, _minTokensBought);
}
/// SellfunctionestimateSellValue(uint _quantityToSell
) publicviewreturns(uint)
{
uint reserve = buybackReserve();
// Calculate currencyValue for this saleuint currencyValue;
if(state == STATE_RUN)
{
uint supply = totalSupply() + burnedSupply;
// buyback_reserve = r// total_supply = t// burnt_supply = b// amount = a// source: (t+b)*a*(2*r)/((t+b)^2)-(((2*r)/((t+b)^2)*a^2)/2)+((2*r)/((t+b)^2)*a*b^2)/(2*(t))// imp: (a b^2 r)/(t (b + t)^2) + (2 a r)/(b + t) - (a^2 r)/(b + t)^2// Math: burnedSupply is capped in FAIR such that the square will never overflow// Math worst case:// MAX * MAX_BEFORE_SQUARE * MAX_BEFORE_SQUARE/2 * MAX_BEFORE_SQUARE/2// / MAX_BEFORE_SQUARE/2 * MAX_BEFORE_SQUARE/2 * MAX_BEFORE_SQUARE/2
currencyValue = BigDiv.bigDiv2x2(
_quantityToSell.mul(reserve),
burnedSupply * burnedSupply,
totalSupply(), supply * supply
);
// Math: worst case currencyValue is MAX_BEFORE_SQUARE (max reserve, 1 supply)// Math worst case:// MAX * 2 * MAX_BEFORE_SQUAREuint temp = _quantityToSell.mul(2* reserve);
temp /= supply;
// Math: worst-case temp is MAX_BEFORE_SQUARE (max reserve, 1 supply)// Math: considering the worst-case for currencyValue and temp, this can never overflow
currencyValue += temp;
// Math: worst case// MAX * MAX * MAX_BEFORE_SQUARE// / MAX_BEFORE_SQUARE/2 * MAX_BEFORE_SQUARE/2
temp = BigDiv.bigDiv2x1RoundUp(
_quantityToSell.mul(_quantityToSell),
reserve,
supply * supply
);
if(currencyValue > temp)
{
currencyValue -= temp;
}
else
{
currencyValue =0;
}
}
elseif(state == STATE_CLOSE)
{
// Math worst case// MAX * MAX_BEFORE_SQUARE
currencyValue = _quantityToSell.mul(reserve);
currencyValue /= totalSupply();
}
else
{
// STATE_INIT or STATE_CANCEL// Math worst case:// MAX * MAX_BEFORE_SQUARE
currencyValue = _quantityToSell.mul(reserve);
// Math: FAIR blocks initReserve from being burned unless we reach the RUN state which prevents an underflow
currencyValue /= totalSupply() - initReserve;
}
return currencyValue;
}
function_sell(address _from,
addresspayable _to,
uint _quantityToSell,
uint _minCurrencyReturned
) internal{
require(_from != beneficiary || state >= STATE_CLOSE, "BENEFICIARY_ONLY_SELL_IN_CLOSE_OR_CANCEL");
require(_minCurrencyReturned >0, "MUST_SELL_AT_LEAST_1");
uint currencyValue = estimateSellValue(_quantityToSell);
require(currencyValue >= _minCurrencyReturned, "PRICE_SLIPPAGE");
if(state == STATE_INIT || state == STATE_CANCEL)
{
initInvestors[_from] = initInvestors[_from].sub(_quantityToSell);
}
_burn(_from, _quantityToSell, true);
uint supply = totalSupply() + burnedSupply;
if(supply < initReserve)
{
initReserve = supply;
}
_transferCurrency(_to, currencyValue);
emit Sell(_from, _to, currencyValue, _quantityToSell);
}
/// @notice Sell FAIR tokens for at least the given amount of currency./// @param _to The account to receive the currency from this sale./// @param _quantityToSell How many FAIR tokens to sell for currency value./// @param _minCurrencyReturned Get at least this many currency tokens or the transaction reverts./// @dev _minCurrencyReturned is necessary as the price will change if some elses transaction mines after/// yours was submitted.functionsell(addresspayable _to,
uint _quantityToSell,
uint _minCurrencyReturned
) public{
_sell(msg.sender, _to, _quantityToSell, _minCurrencyReturned);
}
/// @notice Allow users to sign a message authorizing a sellfunctionpermitSell(address _from,
addresspayable _to,
uint _quantityToSell,
uint _minCurrencyReturned,
uint _deadline,
uint8 _v,
bytes32 _r,
bytes32 _s
) external{
require(_deadline >=block.timestamp, "EXPIRED");
bytes32 digest =keccak256(abi.encode(PERMIT_SELL_TYPEHASH, _from, _to, _quantityToSell, _minCurrencyReturned, nonces[_from]++, _deadline));
digest =keccak256(
abi.encodePacked(
"\x19\x01",
DOMAIN_SEPARATOR,
digest
)
);
address recoveredAddress =ecrecover(digest, _v, _r, _s);
require(recoveredAddress !=address(0) && recoveredAddress == _from, "INVALID_SIGNATURE");
_sell(_from, _to, _quantityToSell, _minCurrencyReturned);
}
/// Close/// @notice Called by the beneficiary account to STATE_CLOSE or STATE_CANCEL the c-org,/// preventing any more tokens from being minted./// @dev Requires an `exitFee` to be paid. If the currency is ETH, include a little more than/// what appears to be required and any remainder will be returned to your account. This is/// because another user may have a transaction mined which changes the exitFee required./// For other `currency` types, the beneficiary account will be billed the exact amount required.function_close() internal{
require(msg.sender== beneficiary, "BENEFICIARY_ONLY");
if(state == STATE_INIT)
{
// Allow the org to cancel anytime if the initGoal was not reached.emit StateChange(state, STATE_CANCEL);
state = STATE_CANCEL;
}
elseif(state == STATE_RUN)
{
// Collect the exitFee and close the c-org.require(MAX_UINT - minDuration > __startedOn, "MAY_NOT_CLOSE");
require(minDuration + __startedOn <=block.timestamp, "TOO_EARLY");
emit StateChange(state, STATE_CLOSE);
state = STATE_CLOSE;
}
else
{
revert("INVALID_STATE");
}
}
// --- Approve by signature ---// EIP-2612// Original source: https://github.com/Uniswap/uniswap-v2-core/blob/master/contracts/UniswapV2ERC20.solfunctionpermit(address owner,
address spender,
uint value,
uint deadline,
uint8 v,
bytes32 r,
bytes32 s
) external{
require(deadline >=block.timestamp, "EXPIRED");
bytes32 digest =keccak256(abi.encode(PERMIT_TYPEHASH, owner, spender, value, nonces[owner]++, deadline));
digest =keccak256(
abi.encodePacked(
"\x19\x01",
DOMAIN_SEPARATOR,
digest
)
);
address recoveredAddress =ecrecover(digest, v, r, s);
require(recoveredAddress !=address(0) && recoveredAddress == owner, "INVALID_SIGNATURE");
_approve(owner, spender, value);
}
uint256[50] private __gap;
}
Contract Source Code
File 6 of 15: DecentralizedAutonomousTrust.sol
pragmasolidity 0.5.17;import"./ContinuousOffering.sol";
/**
* @title Decentralized Autonomous Trust
* This contract is the reference implementation provided by Fairmint for a
* Decentralized Autonomous Trust as described in the continuous
* organization whitepaper (https://github.com/c-org/whitepaper) and
* specified here: https://github.com/fairmint/c-org/wiki. Use at your own
* risk. If you have question or if you're looking for a ready-to-use
* solution using this contract, you might be interested in Fairmint's
* offering. Do not hesitate to get in touch with us: https://fairmint.co
*/contractDecentralizedAutonomousTrustisContinuousOffering{
eventClose(uint _exitFee);
eventPay(addressindexed _from, uint _currencyValue);
eventUpdateConfig(address _whitelistAddress,
addressindexed _beneficiary,
addressindexed _control,
addressindexed _feeCollector,
uint _revenueCommitmentBasisPoints,
uint _feeBasisPoints,
uint _minInvestment,
uint _minDuration
);
/// @notice The revenue commitment of the organization. Defines the percentage of the value paid through the contract/// that is automatically funneled and held into the buyback_reserve expressed in basis points./// Internal since this is n/a to all derivative contracts.functionrevenueCommitmentBasisPoints() publicviewreturns (uint) {
return __revenueCommitmentBasisPoints;
}
/// @notice The investment reserve of the c-org. Defines the percentage of the value invested that is/// automatically funneled and held into the buyback_reserve expressed in basis points./// Internal since this is n/a to all derivative contracts.functioninvestmentReserveBasisPoints() publicviewreturns (uint) {
return __investmentReserveBasisPoints;
}
/// @notice Initialized at `0` and updated when the contract switches from `init` state to `run` state/// with the current timestamp.functionrunStartedOn() publicviewreturns (uint) {
return __startedOn;
}
functioninitialize(uint _initReserve,
address _currencyAddress,
uint _initGoal,
uint _buySlopeNum,
uint _buySlopeDen,
uint _investmentReserveBasisPoints,
uint _setupFee,
addresspayable _setupFeeRecipient,
stringmemory _name,
stringmemory _symbol
) public{
// _initialize will enforce this is only called oncesuper._initialize(
_initReserve,
_currencyAddress,
_initGoal,
_buySlopeNum,
_buySlopeDen,
_setupFee,
_setupFeeRecipient,
_name,
_symbol
);
// Set initGoal, which in turn defines the initial stateif(_initGoal ==0)
{
emit StateChange(state, STATE_RUN);
state = STATE_RUN;
__startedOn =block.timestamp;
}
else
{
// Math: If this value got too large, the DAT would overflow on sellrequire(_initGoal < MAX_SUPPLY, "EXCESSIVE_GOAL");
initGoal = _initGoal;
}
// 100% or lessrequire(_investmentReserveBasisPoints <= BASIS_POINTS_DEN, "INVALID_RESERVE");
__investmentReserveBasisPoints = _investmentReserveBasisPoints;
}
/// ClosefunctionestimateExitFee(uint _msgValue) publicviewreturns (uint) {
uint exitFee;
if (state == STATE_RUN) {
uint reserve = buybackReserve();
reserve = reserve.sub(_msgValue);
// Source: t*(t+b)*(n/d)-r// Implementation: (b n t)/d + (n t^2)/d - ruint _totalSupply = totalSupply();
// Math worst case:// MAX_BEFORE_SQUARE * MAX_BEFORE_SQUARE/2 * MAX_BEFORE_SQUARE
exitFee = BigDiv.bigDiv2x1(
_totalSupply,
burnedSupply * buySlopeNum,
buySlopeDen
);
// Math worst case:// MAX_BEFORE_SQUARE * MAX_BEFORE_SQUARE * MAX_BEFORE_SQUARE
exitFee += BigDiv.bigDiv2x1(
_totalSupply,
buySlopeNum * _totalSupply,
buySlopeDen
);
// Math: this if condition avoids a potential overflowif (exitFee <= reserve) {
exitFee =0;
} else {
exitFee -= reserve;
}
}
return exitFee;
}
/// @notice Called by the beneficiary account to STATE_CLOSE or STATE_CANCEL the c-org,/// preventing any more tokens from being minted./// @dev Requires an `exitFee` to be paid. If the currency is ETH, include a little more than/// what appears to be required and any remainder will be returned to your account. This is/// because another user may have a transaction mined which changes the exitFee required./// For other `currency` types, the beneficiary account will be billed the exact amount required.functionclose() publicpayable{
uint exitFee =0;
if (state == STATE_RUN) {
exitFee = estimateExitFee(msg.value);
_collectInvestment(msg.sender, exitFee, msg.value, true);
}
super._close();
emit Close(exitFee);
}
/// Pay/// @dev Pay the organization on-chain./// @param _currencyValue How much currency which was paid.functionpay(uint _currencyValue) publicpayable{
_collectInvestment(msg.sender, _currencyValue, msg.value, false);
require(state == STATE_RUN, "INVALID_STATE");
require(_currencyValue >0, "MISSING_CURRENCY");
// Send a portion of the funds to the beneficiary, the rest is added to the buybackReserve// Math: if _currencyValue is < (2^256 - 1) / 10000 this will not overflowuint reserve = _currencyValue.mul(__revenueCommitmentBasisPoints);
reserve /= BASIS_POINTS_DEN;
// Math: this will never underflow since revenueCommitmentBasisPoints is capped to BASIS_POINTS_DEN
_transferCurrency(beneficiary, _currencyValue - reserve);
emit Pay(msg.sender, _currencyValue);
}
/// @notice Pay the organization on-chain without minting any tokens./// @dev This allows you to add funds directly to the buybackReserve.function() externalpayable{
require(address(currency) ==address(0), "ONLY_FOR_CURRENCY_ETH");
}
functionupdateConfig(address _whitelistAddress,
addresspayable _beneficiary,
address _control,
addresspayable _feeCollector,
uint _feeBasisPoints,
uint _revenueCommitmentBasisPoints,
uint _minInvestment,
uint _minDuration
) public{
_updateConfig(
_whitelistAddress,
_beneficiary,
_control,
_feeCollector,
_feeBasisPoints,
_minInvestment,
_minDuration
);
require(
_revenueCommitmentBasisPoints <= BASIS_POINTS_DEN,
"INVALID_COMMITMENT"
);
require(
_revenueCommitmentBasisPoints >= __revenueCommitmentBasisPoints,
"COMMITMENT_MAY_NOT_BE_REDUCED"
);
__revenueCommitmentBasisPoints = _revenueCommitmentBasisPoints;
emit UpdateConfig(
_whitelistAddress,
_beneficiary,
_control,
_feeCollector,
_revenueCommitmentBasisPoints,
_feeBasisPoints,
_minInvestment,
_minDuration
);
}
/// @notice A temporary function to set `runStartedOn`, to be used by contracts which were/// already deployed before this feature was introduced./// @dev This function will be removed once known users have called the function.functioninitializeRunStartedOn(uint _runStartedOn
) external{
require(msg.sender== control, "CONTROL_ONLY");
require(state == STATE_RUN, "ONLY_CALL_IN_RUN");
require(__startedOn ==0, "ONLY_CALL_IF_NOT_AUTO_SET");
require(_runStartedOn <=block.timestamp, "DATE_MUST_BE_IN_PAST");
__startedOn = _runStartedOn;
}
/// @dev Distributes _value currency between the buybackReserve, beneficiary, and feeCollector.function_distributeInvestment(uint _value
) internal{
// Rounding favors buybackReserve, then beneficiary, and feeCollector is last priority.// Math: if investment value is < (2^256 - 1) / 10000 this will never overflow.// Except maybe with a huge single investment, but they can try again with multiple smaller investments.uint reserve = __investmentReserveBasisPoints.mul(_value);
reserve /= BASIS_POINTS_DEN;
reserve = _value.sub(reserve);
uint fee = reserve.mul(feeBasisPoints);
fee /= BASIS_POINTS_DEN;
// Math: since feeBasisPoints is <= BASIS_POINTS_DEN, this will never underflow.
_transferCurrency(beneficiary, reserve - fee);
_transferCurrency(feeCollector, fee);
}
}
Contract Source Code
File 7 of 15: ERC20.sol
pragmasolidity ^0.5.0;import"@openzeppelin/upgrades/contracts/Initializable.sol";
import"../../GSN/Context.sol";
import"./IERC20.sol";
import"../../math/SafeMath.sol";
/**
* @dev Implementation of the {IERC20} interface.
*
* This implementation is agnostic to the way tokens are created. This means
* that a supply mechanism has to be added in a derived contract using {_mint}.
* For a generic mechanism see {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}.
*/contractERC20isInitializable, Context, IERC20{
usingSafeMathforuint256;
mapping (address=>uint256) private _balances;
mapping (address=>mapping (address=>uint256)) private _allowances;
uint256private _totalSupply;
/**
* @dev See {IERC20-totalSupply}.
*/functiontotalSupply() publicviewreturns (uint256) {
return _totalSupply;
}
/**
* @dev See {IERC20-balanceOf}.
*/functionbalanceOf(address account) publicviewreturns (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`.
*/functiontransfer(address recipient, uint256 amount) publicreturns (bool) {
_transfer(_msgSender(), recipient, amount);
returntrue;
}
/**
* @dev See {IERC20-allowance}.
*/functionallowance(address owner, address spender) publicviewreturns (uint256) {
return _allowances[owner][spender];
}
/**
* @dev See {IERC20-approve}.
*
* Requirements:
*
* - `spender` cannot be the zero address.
*/functionapprove(address spender, uint256 amount) publicreturns (bool) {
_approve(_msgSender(), spender, amount);
returntrue;
}
/**
* @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`.
*/functiontransferFrom(address sender, address recipient, uint256 amount) publicreturns (bool) {
_transfer(sender, recipient, amount);
_approve(sender, _msgSender(), _allowances[sender][_msgSender()].sub(amount, "ERC20: transfer amount exceeds allowance"));
returntrue;
}
/**
* @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.
*/functionincreaseAllowance(address spender, uint256 addedValue) publicreturns (bool) {
_approve(_msgSender(), spender, _allowances[_msgSender()][spender].add(addedValue));
returntrue;
}
/**
* @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`.
*/functiondecreaseAllowance(address spender, uint256 subtractedValue) publicreturns (bool) {
_approve(_msgSender(), spender, _allowances[_msgSender()][spender].sub(subtractedValue, "ERC20: decreased allowance below zero"));
returntrue;
}
/**
* @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), "ERC20: transfer from the zero address");
require(recipient !=address(0), "ERC20: transfer to the zero address");
_balances[sender] = _balances[sender].sub(amount, "ERC20: transfer amount exceeds balance");
_balances[recipient] = _balances[recipient].add(amount);
emit Transfer(sender, recipient, amount);
}
/** @dev Creates `amount` tokens and assigns them to `account`, increasing
* the total supply.
*
* Emits a {Transfer} event with `from` set to the zero address.
*
* Requirements
*
* - `to` cannot be the zero address.
*/function_mint(address account, uint256 amount) internal{
require(account !=address(0), "ERC20: mint to the zero address");
_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
*
* - `account` cannot be the zero address.
* - `account` must have at least `amount` tokens.
*/function_burn(address account, uint256 amount) internal{
require(account !=address(0), "ERC20: burn from the zero address");
_balances[account] = _balances[account].sub(amount, "ERC20: burn amount exceeds balance");
_totalSupply = _totalSupply.sub(amount);
emit Transfer(account, address(0), 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), "ERC20: approve from the zero address");
require(spender !=address(0), "ERC20: approve to the zero address");
_allowances[owner][spender] = amount;
emit Approval(owner, spender, amount);
}
/**
* @dev Destroys `amount` tokens from `account`.`amount` is then deducted
* from the caller's allowance.
*
* See {_burn} and {_approve}.
*/function_burnFrom(address account, uint256 amount) internal{
_burn(account, amount);
_approve(account, _msgSender(), _allowances[account][_msgSender()].sub(amount, "ERC20: burn amount exceeds allowance"));
}
uint256[50] private ______gap;
}
Contract Source Code
File 8 of 15: ERC20Detailed.sol
pragmasolidity ^0.5.0;import"@openzeppelin/upgrades/contracts/Initializable.sol";
import"./IERC20.sol";
/**
* @dev Optional functions from the ERC20 standard.
*/contractERC20DetailedisInitializable, IERC20{
stringprivate _name;
stringprivate _symbol;
uint8private _decimals;
/**
* @dev Sets the values for `name`, `symbol`, and `decimals`. All three of
* these values are immutable: they can only be set once during
* construction.
*/functioninitialize(stringmemory name, stringmemory symbol, uint8 decimals) publicinitializer{
_name = name;
_symbol = symbol;
_decimals = decimals;
}
/**
* @dev Returns the name of the token.
*/functionname() publicviewreturns (stringmemory) {
return _name;
}
/**
* @dev Returns the symbol of the token, usually a shorter version of the
* name.
*/functionsymbol() publicviewreturns (stringmemory) {
return _symbol;
}
/**
* @dev Returns the number of decimals used to get its user representation.
* For example, if `decimals` equals `2`, a balance of `505` tokens should
* be displayed to a user as `5,05` (`505 / 10 ** 2`).
*
* Tokens usually opt for a value of 18, imitating the relationship between
* Ether and Wei.
*
* 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}.
*/functiondecimals() publicviewreturns (uint8) {
return _decimals;
}
uint256[50] private ______gap;
}
Contract Source Code
File 9 of 15: IERC20.sol
pragmasolidity ^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}.
*/interfaceIERC20{
/**
* @dev Returns the amount of tokens in existence.
*/functiontotalSupply() externalviewreturns (uint256);
/**
* @dev Returns the amount of tokens owned by `account`.
*/functionbalanceOf(address account) externalviewreturns (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.
*/functiontransfer(address recipient, uint256 amount) externalreturns (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.
*/functionallowance(address owner, address spender) externalviewreturns (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.
*/functionapprove(address spender, uint256 amount) externalreturns (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.
*/functiontransferFrom(address sender, address recipient, uint256 amount) externalreturns (bool);
/**
* @dev Emitted when `value` tokens are moved from one account (`from`) to
* another (`to`).
*
* Note that `value` may be zero.
*/eventTransfer(addressindexedfrom, addressindexed 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.
*/eventApproval(addressindexed owner, addressindexed spender, uint256 value);
}
Contract Source Code
File 10 of 15: IERC20Detailed.sol
pragmasolidity 0.5.17;interfaceIERC20Detailed{
/**
* @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}.
*/functiondecimals() externalviewreturns (uint8);
}
Contract Source Code
File 11 of 15: IWhitelist.sol
pragmasolidity 0.5.17;/**
* Source: https://raw.githubusercontent.com/simple-restricted-token/reference-implementation/master/contracts/token/ERC1404/ERC1404.sol
* With ERC-20 APIs removed (will be implemented as a separate contract).
* And adding authorizeTransfer.
*/interfaceIWhitelist{
/**
* @notice Detects if a transfer will be reverted and if so returns an appropriate reference code
* @param from Sending address
* @param to Receiving address
* @param value Amount of tokens being transferred
* @return Code by which to reference message for rejection reasoning
* @dev Overwrite with your custom transfer restriction logic
*/functiondetectTransferRestriction(addressfrom,
address to,
uint value
) externalviewreturns (uint8);
/**
* @notice Returns a human-readable message for a given restriction code
* @param restrictionCode Identifier for looking up a message
* @return Text showing the restriction's reasoning
* @dev Overwrite with your custom message and restrictionCode handling
*/functionmessageForTransferRestriction(uint8 restrictionCode)
externalpurereturns (stringmemory);
/**
* @notice Called by the DAT contract before a transfer occurs.
* @dev This call will revert when the transfer is not authorized.
* This is a mutable call to allow additional data to be recorded,
* such as when the user aquired their tokens.
*/functionauthorizeTransfer(address _from,
address _to,
uint _value,
bool _isSell
) external;
functionwalletActivated(address _wallet
) externalreturns(bool);
}
Contract Source Code
File 12 of 15: Initializable.sol
pragmasolidity >=0.4.24 <0.7.0;/**
* @title Initializable
*
* @dev Helper contract to support initializer functions. To use it, replace
* the constructor with a function that has the `initializer` modifier.
* WARNING: Unlike constructors, initializer functions must be manually
* invoked. This applies both to deploying an Initializable contract, as well
* as extending an Initializable contract via inheritance.
* WARNING: When used with inheritance, manual care must be taken to not invoke
* a parent initializer twice, or ensure that all initializers are idempotent,
* because this is not dealt with automatically as with constructors.
*/contractInitializable{
/**
* @dev Indicates that the contract has been initialized.
*/boolprivate initialized;
/**
* @dev Indicates that the contract is in the process of being initialized.
*/boolprivate initializing;
/**
* @dev Modifier to use in the initializer function of a contract.
*/modifierinitializer() {
require(initializing || isConstructor() ||!initialized, "Contract instance has already been initialized");
bool isTopLevelCall =!initializing;
if (isTopLevelCall) {
initializing =true;
initialized =true;
}
_;
if (isTopLevelCall) {
initializing =false;
}
}
/// @dev Returns true if and only if the function is running in the constructorfunctionisConstructor() privateviewreturns (bool) {
// extcodesize checks the size of the code stored in an address, and// address returns the current address. Since the code is still not// deployed when running a constructor, any checks on its code size will// yield zero, making it an effective way to detect if a contract is// under construction or not.addressself=address(this);
uint256 cs;
assembly { cs :=extcodesize(self) }
return cs ==0;
}
// Reserved storage space to allow for layout changes in the future.uint256[50] private ______gap;
}
Contract Source Code
File 13 of 15: SafeERC20.sol
pragmasolidity ^0.5.0;import"./IERC20.sol";
import"../../math/SafeMath.sol";
import"../../utils/Address.sol";
/**
* @title SafeERC20
* @dev Wrappers around ERC20 operations that throw on failure (when the token
* contract returns false). Tokens that return no value (and instead revert or
* throw on failure) are also supported, non-reverting calls are assumed to be
* successful.
* To use this library you can add a `using SafeERC20 for ERC20;` statement to your contract,
* which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
*/librarySafeERC20{
usingSafeMathforuint256;
usingAddressforaddress;
functionsafeTransfer(IERC20 token, address to, uint256 value) internal{
callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
}
functionsafeTransferFrom(IERC20 token, addressfrom, address to, uint256 value) internal{
callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value));
}
functionsafeApprove(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-lengthrequire((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));
}
functionsafeIncreaseAllowance(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));
}
functionsafeDecreaseAllowance(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).
*/functioncallOptionalReturn(IERC20 token, bytesmemory 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-lengthrequire(address(token).isContract(), "SafeERC20: call to non-contract");
// solhint-disable-next-line avoid-low-level-calls
(bool success, bytesmemory 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-lengthrequire(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed");
}
}
}
Contract Source Code
File 14 of 15: SafeMath.sol
pragmasolidity ^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.
*/librarySafeMath{
/**
* @dev Returns the addition of two unsigned integers, reverting on
* overflow.
*
* Counterpart to Solidity's `+` operator.
*
* Requirements:
* - Addition cannot overflow.
*/functionadd(uint256 a, uint256 b) internalpurereturns (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.
*/functionsub(uint256 a, uint256 b) internalpurereturns (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._
*/functionsub(uint256 a, uint256 b, stringmemory errorMessage) internalpurereturns (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.
*/functionmul(uint256 a, uint256 b) internalpurereturns (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/522if (a ==0) {
return0;
}
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.
*/functiondiv(uint256 a, uint256 b) internalpurereturns (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._
*/functiondiv(uint256 a, uint256 b, stringmemory errorMessage) internalpurereturns (uint256) {
// Solidity only automatically asserts when dividing by 0require(b >0, errorMessage);
uint256 c = a / b;
// assert(a == b * c + a % b); // There is no case in which this doesn't holdreturn 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.
*/functionmod(uint256 a, uint256 b) internalpurereturns (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._
*/functionmod(uint256 a, uint256 b, stringmemory errorMessage) internalpurereturns (uint256) {
require(b !=0, errorMessage);
return a % b;
}
}
Contract Source Code
File 15 of 15: Sqrt.sol
pragmasolidity ^0.5.0;/**
* @title Calculates the square root of a given value.
* @dev Results may be off by 1.
*/librarySqrt{
/// @notice The max possible valueuintprivateconstant MAX_UINT =2**256-1;
// Source: https://github.com/ethereum/dapp-bin/pull/50functionsqrt(uint x) internalpurereturns (uint y) {
if (x ==0) {
return0;
} elseif (x <=3) {
return1;
} elseif (x == MAX_UINT) {
// Without this we fail on x + 1 belowreturn2**128-1;
}
uint z = (x +1) /2;
y = x;
while (z < y) {
y = z;
z = (x / z + z) /2;
}
}
}