pragma solidity 0.4.19;
/**
* @title ERC20Basic
* @dev Simpler version of ERC20 interface
* @dev see https://github.com/ethereum/EIPs/issues/179
*/
contract ERC20Basic {
function totalSupply() public view returns (uint256);
function balanceOf(address who) public view returns (uint256);
function transfer(address to, uint256 value) public returns (bool);
event Transfer(address indexed from, address indexed to, uint256 value);
}
/**
* @title ERC20 interface
* @dev see https://github.com/ethereum/EIPs/issues/20
*/
contract ERC20 is ERC20Basic {
function allowance(address owner, address spender) public view returns (uint256);
function transferFrom(address from, address to, uint256 value) public returns (bool);
function approve(address spender, uint256 value) public returns (bool);
event Approval(address indexed owner, address indexed spender, uint256 value);
}
/**
* @title SafeERC20
* @dev Wrappers around ERC20 operations that throw on failure.
* 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 {
function safeTransfer(ERC20Basic token, address to, uint256 value) internal {
assert(token.transfer(to, value));
}
function safeTransferFrom(ERC20 token, address from, address to, uint256 value) internal {
assert(token.transferFrom(from, to, value));
}
function safeApprove(ERC20 token, address spender, uint256 value) internal {
assert(token.approve(spender, value));
}
}
/**
* @title TokenTimelock
* @dev TokenTimelock is a token holder contract that will allow a
* beneficiary to extract the tokens after a given release time
*/
contract TokenTimelock {
using SafeERC20 for ERC20Basic;
// ERC20 basic token contract being held
ERC20Basic public token;
// beneficiary of tokens after they are released
address public beneficiary;
// timestamp when token release is enabled
uint256 public releaseTime;
function TokenTimelock(ERC20Basic _token, address _beneficiary, uint256 _releaseTime) public {
require(_releaseTime > now);
token = _token;
beneficiary = _beneficiary;
releaseTime = _releaseTime;
}
/**
* @notice Transfers tokens held by timelock to beneficiary.
*/
function release() public {
require(now >= releaseTime);
uint256 amount = token.balanceOf(this);
require(amount > 0);
token.safeTransfer(beneficiary, amount);
}
}
/**
* @title SafeMath
* @dev Math operations with safety checks that throw on error
*/
library SafeMath {
/**
* @dev Multiplies two numbers, throws on overflow.
*/
function mul(uint256 a, uint256 b) internal pure returns (uint256) {
if (a == 0) {
return 0;
}
uint256 c = a * b;
assert(c / a == b);
return c;
}
/**
* @dev Integer division of two numbers, truncating the quotient.
*/
function div(uint256 a, uint256 b) internal pure returns (uint256) {
// assert(b > 0); // Solidity automatically throws when dividing by 0
uint256 c = a / b;
// assert(a == b * c + a % b); // There is no case in which this doesn't hold
return c;
}
/**
* @dev Substracts two numbers, throws on overflow (i.e. if subtrahend is greater than minuend).
*/
function sub(uint256 a, uint256 b) internal pure returns (uint256) {
assert(b <= a);
return a - b;
}
/**
* @dev Adds two numbers, throws on overflow.
*/
function add(uint256 a, uint256 b) internal pure returns (uint256) {
uint256 c = a + b;
assert(c >= a);
return c;
}
}
/**
* @title Ownable
* @dev The Ownable contract has an owner address, and provides basic authorization control
* functions, this simplifies the implementation of "user permissions".
*/
contract Ownable {
address public owner;
event OwnershipTransferred(address indexed previousOwner, address indexed newOwner);
/**
* @dev The Ownable constructor sets the original `owner` of the contract to the sender
* account.
*/
function Ownable() public {
owner = msg.sender;
}
/**
* @dev Throws if called by any account other than the owner.
*/
modifier onlyOwner() {
require(msg.sender == owner);
_;
}
/**
* @dev Allows the current owner to transfer control of the contract to a newOwner.
* @param newOwner The address to transfer ownership to.
*/
function transferOwnership(address newOwner) public onlyOwner {
require(newOwner != address(0));
OwnershipTransferred(owner, newOwner);
owner = newOwner;
}
}
contract MarginlessToken is ERC20, Ownable {
using SafeMath for uint256;
string public constant name = "Marginless Token";
string public constant symbol = "MRS";
uint8 public constant decimals = 18;
mapping (address => uint256) private balances;
mapping (address => mapping (address => uint256)) internal allowed;
event Mint(address indexed to, uint256 amount);
event MintFinished();
bool public mintingFinished = false;
uint256 private totalSupply_;
modifier canTransfer() {
require(mintingFinished);
_;
}
/**
* @dev total number of tokens in existence
*/
function totalSupply() public view returns (uint256) {
return totalSupply_;
}
/**
* @dev transfer token for a specified address
* @param _to The address to transfer to.
* @param _value The amount to be transferred.
*/
function transfer(address _to, uint256 _value) public canTransfer returns (bool) {
require(_to != address(0));
require(_value <= balances[msg.sender]);
// SafeMath.sub will throw if there is not enough balance.
balances[msg.sender] = balances[msg.sender].sub(_value);
balances[_to] = balances[_to].add(_value);
Transfer(msg.sender, _to, _value);
return true;
}
/**
* @dev Gets the balance of the specified address.
* @param _owner The address to query the the balance of.
* @return An uint256 representing the amount owned by the passed address.
*/
function balanceOf(address _owner) public view returns (uint256 balance) {
return balances[_owner];
}
/**
* @dev Transfer tokens from one address to another
* @param _from address The address which you want to send tokens from
* @param _to address The address which you want to transfer to
* @param _value uint256 the amount of tokens to be transferred
*/
function transferFrom(address _from, address _to, uint256 _value) public canTransfer returns (bool) {
require(_to != address(0));
require(_value <= balances[_from]);
require(_value <= allowed[_from][msg.sender]);
balances[_from] = balances[_from].sub(_value);
balances[_to] = balances[_to].add(_value);
allowed[_from][msg.sender] = allowed[_from][msg.sender].sub(_value);
Transfer(_from, _to, _value);
return true;
}
/**
* @dev Approve the passed address to spend the specified amount of tokens on behalf of msg.sender.
*
* 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
* @param _spender The address which will spend the funds.
* @param _value The amount of tokens to be spent.
*/
function approve(address _spender, uint256 _value) public returns (bool) {
allowed[msg.sender][_spender] = _value;
Approval(msg.sender, _spender, _value);
return true;
}
/**
* @dev Function to check the amount of tokens that an owner allowed to a spender.
* @param _owner address The address which owns the funds.
* @param _spender address The address which will spend the funds.
* @return A uint256 specifying the amount of tokens still available for the spender.
*/
function allowance(address _owner, address _spender) public view returns (uint256) {
return allowed[_owner][_spender];
}
/**
* @dev Increase the amount of tokens that an owner allowed to a spender.
*
* approve should be called when allowed[_spender] == 0. To increment
* allowed value is better to use this function to avoid 2 calls (and wait until
* the first transaction is mined)
* From MonolithDAO Token.sol
* @param _spender The address which will spend the funds.
* @param _addedValue The amount of tokens to increase the allowance by.
*/
function increaseApproval(address _spender, uint _addedValue) public returns (bool) {
allowed[msg.sender][_spender] = allowed[msg.sender][_spender].add(_addedValue);
Approval(msg.sender, _spender, allowed[msg.sender][_spender]);
return true;
}
/**
* @dev Decrease the amount of tokens that an owner allowed to a spender.
*
* approve should be called when allowed[_spender] == 0. To decrement
* allowed value is better to use this function to avoid 2 calls (and wait until
* the first transaction is mined)
* From MonolithDAO Token.sol
* @param _spender The address which will spend the funds.
* @param _subtractedValue The amount of tokens to decrease the allowance by.
*/
function decreaseApproval(address _spender, uint _subtractedValue) public returns (bool) {
uint oldValue = allowed[msg.sender][_spender];
if (_subtractedValue > oldValue) {
allowed[msg.sender][_spender] = 0;
} else {
allowed[msg.sender][_spender] = oldValue.sub(_subtractedValue);
}
Approval(msg.sender, _spender, allowed[msg.sender][_spender]);
return true;
}
modifier canMint() {
require(!mintingFinished);
_;
}
/**
* @dev Function to mint tokens
* @param _to The address that will receive the minted tokens.
* @param _amount The amount of tokens to mint.
* @return A boolean that indicates if the operation was successful.
*/
function mint(address _to, uint256 _amount) public onlyOwner canMint returns (bool) {
totalSupply_ = totalSupply_.add(_amount);
balances[_to] = balances[_to].add(_amount);
Mint(_to, _amount);
Transfer(address(0), _to, _amount);
return true;
}
/**
* @dev Function to stop minting new tokens.
* @return True if the operation was successful.
*/
function finishMinting() public onlyOwner canMint returns (bool) {
mintingFinished = true;
MintFinished();
return true;
}
}
contract TokenDeskProxySupport {
function buyTokens(address sender_, address benefeciary_, uint256 tokenDeskBonus_) external payable;
}
contract TokenDeskProxyAware is TokenDeskProxySupport, Ownable {
address private tokenDeskProxy;
modifier onlyTokenDeskProxy() {
require(msg.sender == tokenDeskProxy);
_;
}
function buyTokens(address beneficiary) public payable {
internalBuyTokens(msg.sender, beneficiary, 0);
}
function buyTokens(address sender, address beneficiary, uint256 tokenDeskBonus) external payable onlyTokenDeskProxy {
internalBuyTokens(sender, beneficiary, tokenDeskBonus);
}
function setTokenDeskProxy(address tokenDeskProxy_) public onlyOwner {
require(tokenDeskProxy_ != address(0));
tokenDeskProxy = tokenDeskProxy_;
}
function internalBuyTokens(address sender, address beneficiary, uint256 tokenDeskBonus) internal;
}
/**
* The EscrowVault contract collects crowdsale ethers and allows to refund
* if softcap soft cap is not reached.
*/
contract EscrowVault is Ownable {
using SafeMath for uint256;
enum State { Active, Refunding, GoalReached, Closed }
mapping (address => uint256) public deposited;
address public beneficiary;
address public superOwner;
State public state;
event GoalReached();
event RefundsEnabled();
event Refunded(address indexed beneficiary, uint256 weiAmount);
event Withdrawal(uint256 weiAmount);
event Close();
function EscrowVault(address _superOwner, address _beneficiary) public {
require(_beneficiary != address(0));
require(_superOwner != address(0));
beneficiary = _beneficiary;
superOwner = _superOwner;
state = State.Active;
}
function deposit(address investor) onlyOwner public payable {
require(state == State.Active || state == State.GoalReached);
deposited[investor] = deposited[investor].add(msg.value);
}
function setGoalReached() onlyOwner public {
require (state == State.Active);
state = State.GoalReached;
GoalReached();
}
function withdraw(uint256 _amount) public {
require(msg.sender == superOwner);
require(state == State.GoalReached);
require (_amount <= this.balance && _amount > 0);
beneficiary.transfer(_amount);
Withdrawal(_amount);
}
function withdrawAll() onlyOwner public {
require(state == State.GoalReached);
uint256 balance = this.balance;
Withdrawal(balance);
beneficiary.transfer(balance);
}
function close() onlyOwner public {
require (state == State.GoalReached);
withdrawAll();
state = State.Closed;
Close();
}
function enableRefunds() onlyOwner public {
require(state == State.Active);
state = State.Refunding;
RefundsEnabled();
}
function refund(address investor) public {
require(state == State.Refunding);
uint256 depositedValue = deposited[investor];
deposited[investor] = 0;
investor.transfer(depositedValue);
Refunded(investor, depositedValue);
}
}
contract MarginlessCrowdsale is TokenDeskProxyAware {
using SafeMath for uint256;
// Wallet where all ether will be moved after escrow withdrawal. Can be even multisig wallet
address public constant WALLET = 0x5081D48973e3c00e30fa03556d9bF04A1b7AD162;
// Wallet for team tokens
address public constant TEAM_WALLET = 0x886dBF3DF6FAC78DFcb1cb89fff040FEAA5F7b2A;
// Wallet for Airdrop/referall/affiliate tokens
address public constant AIRDROP_WALLET = 0x71eAa00654Bc33fE41DA1499DEb618Dc1f4A5De9;
// Wallet for company tokens
address public constant COMPANY_WALLET = 0xC42476A4BA45841CA27a37fbD309EE8Aaf22c886;
// Wallet for jackpot tokens
address public constant JACKPOT_WALLET = 0x846198eC3Ff77F8CdDf7D0C5a1B46656367711db;
uint256 public constant TEAM_TOKENS_LOCK_PERIOD = 60 * 60 * 24 * 365; // 365 days
uint256 public constant COMPANY_TOKENS_LOCK_PERIOD = 60 * 60 * 24 * 180; // 180 days
uint256 public constant SOFT_CAP = 40000000e18; // 40 000 000
uint256 public constant ICO_TOKENS = 210000000e18; // 210 000 000
uint256 public constant START_TIME = 1523268000; // 2018/04/09 10:00 UTC +0
uint256 public constant RATE = 10000; // 0.0001 ETH
uint256 public constant LARGE_PURCHASE = 12500e18; // 12 500 tokens
uint256 public icoEndTime = 1527760800; // 2018/05/31 10:00 UTC +0
uint8 public constant ICO_TOKENS_PERCENT = 70;
uint8 public constant TEAM_TOKENS_PERCENT = 10;
uint8 public constant COMPANY_TOKENS_PERCENT = 10;
uint8 public constant AIRDROP_TOKENS_PERCENT = 5;
uint8 public constant JACKPOT_TOKENS_PERCENT = 5;
uint8 public constant LARGE_PURCHASE_BONUS = 5;
Stage[] internal stages;
struct Stage {
uint256 cap;
uint64 till;
uint8 bonus;
}
// The token being sold
MarginlessToken public token;
// amount of raised money in wei
uint256 public weiRaised;
// refund vault used to hold funds while crowdsale is running
EscrowVault public vault;
uint256 public currentStage = 0;
bool public isFinalized = false;
address private tokenMinter;
TokenTimelock public teamTimelock;
TokenTimelock public companyTimelock;
/**
* event for token purchase logging
* @param purchaser who paid for the tokens
* @param beneficiary who got the tokens
* @param value weis paid for purchase
* @param amount amount of tokens purchased
*/
event TokenPurchase(address indexed purchaser, address indexed beneficiary, uint256 value, uint256 amount);
event Finalized();
/**
* When there no tokens left to mint and token minter tries to manually mint tokens
* this event is raised to signal how many tokens we have to charge back to purchaser
*/
event ManualTokenMintRequiresRefund(address indexed purchaser, uint256 value);
function MarginlessCrowdsale(address _token) public {
stages.push(Stage({ till: 1523440800, bonus: 29, cap: 40000000e18 })); // 2018/04/11 10:00 UTC +0
stages.push(Stage({ till: 1523786400, bonus: 25, cap: 170000000e18 })); // 2018/04/15 10:00 UTC +0
stages.push(Stage({ till: 1525082400, bonus: 20, cap: 0 })); // 2018/04/30 10:00 UTC +0
stages.push(Stage({ till: 1526292000, bonus: 10, cap: 0 })); // 2018/05/14 10:00 UTC +0
stages.push(Stage({ till: 1527760800, bonus: 0, cap: 0 })); // 2018/05/31 10:00 UTC +0
stages.push(Stage({ till: ~uint64(0), bonus: 0, cap: 0 })); // unlimited
token = MarginlessToken(_token);
vault = new EscrowVault(msg.sender, WALLET); // Wallet where all ether will be stored during ICO
}
modifier onlyTokenMinterOrOwner() {
require(msg.sender == tokenMinter || msg.sender == owner);
_;
}
function internalBuyTokens(address sender, address beneficiary, uint256 tokenDeskBonus) internal {
require(beneficiary != address(0));
require(sender != address(0));
require(validPurchase());
uint256 weiAmount = msg.value;
uint256 nowTime = getNow();
// this loop moves stages and ensures correct stage according to date
while (currentStage < stages.length && stages[currentStage].till < nowTime) {
// move all unsold tokens to next stage
uint256 nextStage = currentStage.add(1);
stages[nextStage].cap = stages[nextStage].cap.add(stages[currentStage].cap);
stages[currentStage].cap = 0;
currentStage = nextStage;
}
// calculate token amount to be created
uint256 tokens = calculateTokens(weiAmount, tokenDeskBonus);
uint256 excess = appendContribution(beneficiary, tokens);
uint256 refund = (excess > 0 ? excess.mul(weiAmount).div(tokens) : 0);
weiAmount = weiAmount.sub(refund);
weiRaised = weiRaised.add(weiAmount);
if (refund > 0) { // hard cap reached, no more tokens to mint
sender.transfer(refund);
}
TokenPurchase(sender, beneficiary, weiAmount, tokens.sub(excess));
if (goalReached() && vault.state() == EscrowVault.State.Active) {
vault.setGoalReached();
}
vault.deposit.value(weiAmount)(sender);
}
function calculateTokens(uint256 _weiAmount, uint256 _tokenDeskBonus) internal view returns (uint256) {
uint256 tokens = _weiAmount.mul(RATE);
if (stages[currentStage].bonus > 0) {
uint256 stageBonus = tokens.mul(stages[currentStage].bonus).div(100);
tokens = tokens.add(stageBonus);
}
if (currentStage < 2) return tokens;
uint256 bonus = _tokenDeskBonus.add(tokens >= LARGE_PURCHASE ? LARGE_PURCHASE_BONUS : 0);
return tokens.add(tokens.mul(bonus).div(100));
}
function appendContribution(address _beneficiary, uint256 _tokens) internal returns (uint256) {
uint256 excess = _tokens;
uint256 tokensToMint = 0;
while (excess > 0 && currentStage < stages.length) {
Stage storage stage = stages[currentStage];
if (excess >= stage.cap) {
excess = excess.sub(stage.cap);
tokensToMint = tokensToMint.add(stage.cap);
stage.cap = 0;
currentStage = currentStage.add(1);
} else {
stage.cap = stage.cap.sub(excess);
tokensToMint = tokensToMint.add(excess);
excess = 0;
}
}
if (tokensToMint > 0) {
token.mint(_beneficiary, tokensToMint);
}
return excess;
}
// @return true if the transaction can buy tokens
function validPurchase() internal view returns (bool) {
bool withinPeriod = getNow() >= START_TIME && getNow() <= icoEndTime;
bool nonZeroPurchase = msg.value != 0;
bool canMint = token.totalSupply() < ICO_TOKENS;
bool validStage = (currentStage < stages.length);
return withinPeriod && nonZeroPurchase && canMint && validStage;
}
// if crowdsale is unsuccessful, investors can claim refunds here
function claimRefund() public {
require(isFinalized);
require(!goalReached());
vault.refund(msg.sender);
}
/**
* @dev Must be called after crowdsale ends, to do some extra finalization
* work. Calls the contract's finalization function.
*/
function finalize() public onlyOwner {
require(!isFinalized);
require(getNow() > icoEndTime || token.totalSupply() == ICO_TOKENS);
if (goalReached()) {
// Close escrowVault and transfer all collected ethers into WALLET address
if (vault.state() != EscrowVault.State.Closed) {
vault.close();
}
uint256 totalSupply = token.totalSupply();
teamTimelock = new TokenTimelock(token, TEAM_WALLET, getNow().add(TEAM_TOKENS_LOCK_PERIOD));
token.mint(teamTimelock, uint256(TEAM_TOKENS_PERCENT).mul(totalSupply).div(ICO_TOKENS_PERCENT));
companyTimelock = new TokenTimelock(token, COMPANY_WALLET, getNow().add(COMPANY_TOKENS_LOCK_PERIOD));
token.mint(companyTimelock, uint256(COMPANY_TOKENS_PERCENT).mul(totalSupply).div(ICO_TOKENS_PERCENT));
token.mint(AIRDROP_WALLET, uint256(AIRDROP_TOKENS_PERCENT).mul(totalSupply).div(ICO_TOKENS_PERCENT));
token.mint(JACKPOT_WALLET, uint256(JACKPOT_TOKENS_PERCENT).mul(totalSupply).div(ICO_TOKENS_PERCENT));
token.finishMinting();
token.transferOwnership(token);
} else {
vault.enableRefunds();
}
Finalized();
isFinalized = true;
}
function goalReached() public view returns (bool) {
return token.totalSupply() >= SOFT_CAP;
}
// fallback function can be used to buy tokens or claim refund
function () external payable {
if (!isFinalized) {
buyTokens(msg.sender);
} else {
claimRefund();
}
}
function mintTokens(address[] _receivers, uint256[] _amounts) external onlyTokenMinterOrOwner {
require(_receivers.length > 0 && _receivers.length <= 100);
require(_receivers.length == _amounts.length);
require(!isFinalized);
for (uint256 i = 0; i < _receivers.length; i++) {
address receiver = _receivers[i];
uint256 amount = _amounts[i];
require(receiver != address(0));
require(amount > 0);
uint256 excess = appendContribution(receiver, amount);
if (excess > 0) {
ManualTokenMintRequiresRefund(receiver, excess);
}
}
}
function setIcoEndTime(uint256 _endTime) public onlyOwner {
require(_endTime > START_TIME && _endTime > getNow());
icoEndTime = _endTime;
}
function setTokenMinter(address _tokenMinter) public onlyOwner {
require(_tokenMinter != address(0));
tokenMinter = _tokenMinter;
}
function getNow() internal view returns (uint256) {
return now;
}
}
{
"compilationTarget": {
"MarginlessCrowdsale.sol": "MarginlessCrowdsale"
},
"libraries": {},
"optimizer": {
"enabled": false,
"runs": 200
},
"remappings": []
}
[{"constant":true,"inputs":[],"name":"AIRDROP_WALLET","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"TEAM_WALLET","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"weiRaised","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[],"name":"finalize","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"AIRDROP_TOKENS_PERCENT","outputs":[{"name":"","type":"uint8"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"teamTimelock","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"COMPANY_TOKENS_LOCK_PERIOD","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"name":"tokenDeskProxy_","type":"address"}],"name":"setTokenDeskProxy","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"JACKPOT_TOKENS_PERCENT","outputs":[{"name":"","type":"uint8"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"currentStage","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"LARGE_PURCHASE","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"JACKPOT_WALLET","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"RATE","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"WALLET","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"name":"_tokenMinter","type":"address"}],"name":"setTokenMinter","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"goalReached","outputs":[{"name":"","type":"bool"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"icoEndTime","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"companyTimelock","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"isFinalized","outputs":[{"name":"","type":"bool"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"ICO_TOKENS_PERCENT","outputs":[{"name":"","type":"uint8"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"owner","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"LARGE_PURCHASE_BONUS","outputs":[{"name":"","type":"uint8"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"COMPANY_WALLET","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[],"name":"claimRefund","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"ICO_TOKENS","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"SOFT_CAP","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"name":"_receivers","type":"address[]"},{"name":"_amounts","type":"uint256[]"}],"name":"mintTokens","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"TEAM_TOKENS_PERCENT","outputs":[{"name":"","type":"uint8"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"COMPANY_TOKENS_PERCENT","outputs":[{"name":"","type":"uint8"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"name":"sender","type":"address"},{"name":"beneficiary","type":"address"},{"name":"tokenDeskBonus","type":"uint256"}],"name":"buyTokens","outputs":[],"payable":true,"stateMutability":"payable","type":"function"},{"constant":true,"inputs":[],"name":"START_TIME","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"TEAM_TOKENS_LOCK_PERIOD","outputs":[{"name":"","type":"uint256"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"name":"beneficiary","type":"address"}],"name":"buyTokens","outputs":[],"payable":true,"stateMutability":"payable","type":"function"},{"constant":false,"inputs":[{"name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"constant":true,"inputs":[],"name":"vault","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":true,"inputs":[],"name":"token","outputs":[{"name":"","type":"address"}],"payable":false,"stateMutability":"view","type":"function"},{"constant":false,"inputs":[{"name":"_endTime","type":"uint256"}],"name":"setIcoEndTime","outputs":[],"payable":false,"stateMutability":"nonpayable","type":"function"},{"inputs":[{"name":"_token","type":"address"}],"payable":false,"stateMutability":"nonpayable","type":"constructor"},{"payable":true,"stateMutability":"payable","type":"fallback"},{"anonymous":false,"inputs":[{"indexed":true,"name":"purchaser","type":"address"},{"indexed":true,"name":"beneficiary","type":"address"},{"indexed":false,"name":"value","type":"uint256"},{"indexed":false,"name":"amount","type":"uint256"}],"name":"TokenPurchase","type":"event"},{"anonymous":false,"inputs":[],"name":"Finalized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"name":"purchaser","type":"address"},{"indexed":false,"name":"value","type":"uint256"}],"name":"ManualTokenMintRequiresRefund","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"name":"previousOwner","type":"address"},{"indexed":true,"name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"}]