ETH Price: $2,049.38 (-1.33%)

Transaction Decoder

Block:
19657796 at Apr-15-2024 02:00:11 AM +UTC
Transaction Fee:
0.000483613611858965 ETH $0.99
Gas Used:
54,215 Gas / 8.920291651 Gwei

Emitted Events:

497 FantomToken.Transfer( _from=Forwarder, _to=[Receiver] WalletSimple, _value=200000000000000000000000 )

Account State Difference:

  Address   Before After State Difference Code
(Titan Builder)
14.419434240087080662 Eth14.419440474812080662 Eth0.000006234725
0x4E15361F...873717870
0xC08FB884...468c2952F
(Bullish: Deployer 1)
3.984071279727229982 Eth
Nonce: 80310
3.983587666115371017 Eth
Nonce: 80311
0.000483613611858965

Execution Trace

WalletSimple.flushForwarderTokens( forwarderAddress=0xf394287268A530968B8769c84f890a3CB9034790, tokenContractAddress=0x4E15361FD6b4BB609Fa63C81A2be19d873717870 )
  • 0xe8e847cf573fc8ed75621660a36affd18c543d7e.2da03409( )
    • Forwarder.flushTokens( tokenContractAddress=0x4E15361FD6b4BB609Fa63C81A2be19d873717870 )
      • Forwarder.flushTokens( tokenContractAddress=0x4E15361FD6b4BB609Fa63C81A2be19d873717870 )
        • FantomToken.balanceOf( _owner=0xf394287268A530968B8769c84f890a3CB9034790 ) => ( 200000000000000000000000 )
        • FantomToken.transfer( _to=0x367C42a6F261EC54FFBEcf5f41C226BE12A3dCA0, _amount=200000000000000000000000 ) => ( success=True )
          File 1 of 4: WalletSimple
          {"ERC20Interface.sol":{"content":"// SPDX-License-Identifier: UNLICENSED\npragma solidity 0.7.5;\n\n/**\n * Contract that exposes the needed erc20 token functions\n */\n\nabstract contract ERC20Interface {\n  // Send _value amount of tokens to address _to\n  function transfer(address _to, uint256 _value)\n    public\n    virtual\n    returns (bool success);\n\n  // Get the account balance of another account with address _owner\n  function balanceOf(address _owner)\n    public\n    virtual\n    view\n    returns (uint256 balance);\n}\n"},"Forwarder.sol":{"content":"// SPDX-License-Identifier: Apache-2.0\npragma solidity 0.7.5;\nimport \u0027./TransferHelper.sol\u0027;\nimport \u0027./ERC20Interface.sol\u0027;\n\n/**\n * Contract that will forward any incoming Ether to the creator of the contract\n *\n */\ncontract Forwarder {\n  // Address to which any funds sent to this contract will be forwarded\n  address public parentAddress;\n  event ForwarderDeposited(address from, uint256 value, bytes data);\n\n  /**\n   * Initialize the contract, and sets the destination address to that of the creator\n   */\n  function init(address _parentAddress) external onlyUninitialized {\n    parentAddress = _parentAddress;\n    uint256 value = address(this).balance;\n\n    if (value == 0) {\n      return;\n    }\n\n    (bool success, ) = parentAddress.call{ value: value }(\u0027\u0027);\n    require(success, \u0027Flush failed\u0027);\n    // NOTE: since we are forwarding on initialization,\n    // we don\u0027t have the context of the original sender.\n    // We still emit an event about the forwarding but set\n    // the sender to the forwarder itself\n    emit ForwarderDeposited(address(this), value, msg.data);\n  }\n\n  /**\n   * Modifier that will execute internal code block only if the sender is the parent address\n   */\n  modifier onlyParent {\n    require(msg.sender == parentAddress, \u0027Only Parent\u0027);\n    _;\n  }\n\n  /**\n   * Modifier that will execute internal code block only if the contract has not been initialized yet\n   */\n  modifier onlyUninitialized {\n    require(parentAddress == address(0x0), \u0027Already initialized\u0027);\n    _;\n  }\n\n  /**\n   * Default function; Gets called when data is sent but does not match any other function\n   */\n  fallback() external payable {\n    flush();\n  }\n\n  /**\n   * Default function; Gets called when Ether is deposited with no data, and forwards it to the parent address\n   */\n  receive() external payable {\n    flush();\n  }\n\n  /**\n   * Execute a token transfer of the full balance from the forwarder token to the parent address\n   * @param tokenContractAddress the address of the erc20 token contract\n   */\n  function flushTokens(address tokenContractAddress) external onlyParent {\n    ERC20Interface instance = ERC20Interface(tokenContractAddress);\n    address forwarderAddress = address(this);\n    uint256 forwarderBalance = instance.balanceOf(forwarderAddress);\n    if (forwarderBalance == 0) {\n      return;\n    }\n\n    TransferHelper.safeTransfer(\n      tokenContractAddress,\n      parentAddress,\n      forwarderBalance\n    );\n  }\n\n  /**\n   * Flush the entire balance of the contract to the parent address.\n   */\n  function flush() public {\n    uint256 value = address(this).balance;\n\n    if (value == 0) {\n      return;\n    }\n\n    (bool success, ) = parentAddress.call{ value: value }(\u0027\u0027);\n    require(success, \u0027Flush failed\u0027);\n    emit ForwarderDeposited(msg.sender, value, msg.data);\n  }\n}\n"},"TransferHelper.sol":{"content":"// SPDX-License-Identifier: Apache-2.0\n\npragma solidity \u003e=0.7.5;\n\n// helper methods for interacting with ERC20 tokens and sending ETH that do not consistently return true/false\nlibrary TransferHelper {\n    function safeApprove(\n        address token,\n        address to,\n        uint256 value\n    ) internal {\n        // bytes4(keccak256(bytes(\u0027approve(address,uint256)\u0027)));\n        (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0x095ea7b3, to, value));\n        require(\n            success \u0026\u0026 (data.length == 0 || abi.decode(data, (bool))),\n            \u0027TransferHelper::safeApprove: approve failed\u0027\n        );\n    }\n\n    function safeTransfer(\n        address token,\n        address to,\n        uint256 value\n    ) internal {\n        // bytes4(keccak256(bytes(\u0027transfer(address,uint256)\u0027)));\n        (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0xa9059cbb, to, value));\n        require(\n            success \u0026\u0026 (data.length == 0 || abi.decode(data, (bool))),\n            \u0027TransferHelper::safeTransfer: transfer failed\u0027\n        );\n    }\n\n    function safeTransferFrom(\n        address token,\n        address from,\n        address to,\n        uint256 value\n    ) internal {\n        // bytes4(keccak256(bytes(\u0027transferFrom(address,address,uint256)\u0027)));\n        (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0x23b872dd, from, to, value));\n        require(\n            success \u0026\u0026 (data.length == 0 || abi.decode(data, (bool))),\n            \u0027TransferHelper::transferFrom: transferFrom failed\u0027\n        );\n    }\n\n    function safeTransferETH(address to, uint256 value) internal {\n        (bool success, ) = to.call{value: value}(new bytes(0));\n        require(success, \u0027TransferHelper::safeTransferETH: ETH transfer failed\u0027);\n    }\n}\n"},"WalletSimple.sol":{"content":"// SPDX-License-Identifier: Apache-2.0\npragma solidity 0.7.5;\nimport \u0027./TransferHelper.sol\u0027;\nimport \u0027./Forwarder.sol\u0027;\nimport \u0027./ERC20Interface.sol\u0027;\n\n/**\n *\n * WalletSimple\n * ============\n *\n * Basic multi-signer wallet designed for use in a co-signing environment where 2 signatures are required to move funds.\n * Typically used in a 2-of-3 signing configuration. Uses ecrecover to allow for 2 signatures in a single transaction.\n *\n * The first signature is created on the operation hash (see Data Formats) and passed to sendMultiSig/sendMultiSigToken\n * The signer is determined by verifyMultiSig().\n *\n * The second signature is created by the submitter of the transaction and determined by msg.signer.\n *\n * Data Formats\n * ============\n *\n * The signature is created with ethereumjs-util.ecsign(operationHash).\n * Like the eth_sign RPC call, it packs the values as a 65-byte array of [r, s, v].\n * Unlike eth_sign, the message is not prefixed.\n *\n * The operationHash the result of keccak256(prefix, toAddress, value, data, expireTime).\n * For ether transactions, `prefix` is \"ETHER\".\n * For token transaction, `prefix` is \"ERC20\" and `data` is the tokenContractAddress.\n *\n *\n */\ncontract WalletSimple {\n  // Events\n  event Deposited(address from, uint256 value, bytes data);\n  event SafeModeActivated(address msgSender);\n  event Transacted(\n    address msgSender, // Address of the sender of the message initiating the transaction\n    address otherSigner, // Address of the signer (second signature) used to initiate the transaction\n    bytes32 operation, // Operation hash (see Data Formats)\n    address toAddress, // The address the transaction was sent to\n    uint256 value, // Amount of Wei sent to the address\n    bytes data // Data sent when invoking the transaction\n  );\n\n  event BatchTransfer(address sender, address recipient, uint256 value);\n  // this event shows the other signer and the operation hash that they signed\n  // specific batch transfer events are emitted in Batcher\n  event BatchTransacted(\n    address msgSender, // Address of the sender of the message initiating the transaction\n    address otherSigner, // Address of the signer (second signature) used to initiate the transaction\n    bytes32 operation // Operation hash (see Data Formats)\n  );\n\n  // Public fields\n  mapping(address =\u003e bool) public signers; // The addresses that can co-sign transactions on the wallet\n  bool public safeMode = false; // When active, wallet may only send to signer addresses\n  bool public initialized = false; // True if the contract has been initialized\n\n  // Internal fields\n  uint256 private constant MAX_SEQUENCE_ID_INCREASE = 10000;\n  uint256 constant SEQUENCE_ID_WINDOW_SIZE = 10;\n  uint256[SEQUENCE_ID_WINDOW_SIZE] recentSequenceIds;\n\n  /**\n   * Set up a simple multi-sig wallet by specifying the signers allowed to be used on this wallet.\n   * 2 signers will be required to send a transaction from this wallet.\n   * Note: The sender is NOT automatically added to the list of signers.\n   * Signers CANNOT be changed once they are set\n   *\n   * @param allowedSigners An array of signers on the wallet\n   */\n  function init(address[] calldata allowedSigners) external onlyUninitialized {\n    require(allowedSigners.length == 3, \u0027Invalid number of signers\u0027);\n\n    for (uint8 i = 0; i \u003c allowedSigners.length; i++) {\n      require(allowedSigners[i] != address(0), \u0027Invalid signer\u0027);\n      signers[allowedSigners[i]] = true;\n    }\n    initialized = true;\n  }\n\n  /**\n   * Get the network identifier that signers must sign over\n   * This provides protection signatures being replayed on other chains\n   * This must be a virtual function because chain-specific contracts will need\n   *    to override with their own network ids. It also can\u0027t be a field\n   *    to allow this contract to be used by proxy with delegatecall, which will\n   *    not pick up on state variables\n   */\n  function getNetworkId() internal virtual pure returns (string memory) {\n    return \u0027ETHER\u0027;\n  }\n\n  /**\n   * Get the network identifier that signers must sign over for token transfers\n   * This provides protection signatures being replayed on other chains\n   * This must be a virtual function because chain-specific contracts will need\n   *    to override with their own network ids. It also can\u0027t be a field\n   *    to allow this contract to be used by proxy with delegatecall, which will\n   *    not pick up on state variables\n   */\n  function getTokenNetworkId() internal virtual pure returns (string memory) {\n    return \u0027ERC20\u0027;\n  }\n\n  /**\n   * Get the network identifier that signers must sign over for batch transfers\n   * This provides protection signatures being replayed on other chains\n   * This must be a virtual function because chain-specific contracts will need\n   *    to override with their own network ids. It also can\u0027t be a field\n   *    to allow this contract to be used by proxy with delegatecall, which will\n   *    not pick up on state variables\n   */\n  function getBatchNetworkId() internal virtual pure returns (string memory) {\n    return \u0027ETHER-Batch\u0027;\n  }\n\n  /**\n   * Determine if an address is a signer on this wallet\n   * @param signer address to check\n   * returns boolean indicating whether address is signer or not\n   */\n  function isSigner(address signer) public view returns (bool) {\n    return signers[signer];\n  }\n\n  /**\n   * Modifier that will execute internal code block only if the sender is an authorized signer on this wallet\n   */\n  modifier onlySigner {\n    require(isSigner(msg.sender), \u0027Non-signer in onlySigner method\u0027);\n    _;\n  }\n\n  /**\n   * Modifier that will execute internal code block only if the contract has not been initialized yet\n   */\n  modifier onlyUninitialized {\n    require(!initialized, \u0027Contract already initialized\u0027);\n    _;\n  }\n\n  /**\n   * Gets called when a transaction is received with data that does not match any other method\n   */\n  fallback() external payable {\n    if (msg.value \u003e 0) {\n      // Fire deposited event if we are receiving funds\n      Deposited(msg.sender, msg.value, msg.data);\n    }\n  }\n\n  /**\n   * Gets called when a transaction is received with ether and no data\n   */\n  receive() external payable {\n    if (msg.value \u003e 0) {\n      // Fire deposited event if we are receiving funds\n      Deposited(msg.sender, msg.value, msg.data);\n    }\n  }\n\n  /**\n   * Execute a multi-signature transaction from this wallet using 2 signers: one from msg.sender and the other from ecrecover.\n   * Sequence IDs are numbers starting from 1. They are used to prevent replay attacks and may not be repeated.\n   *\n   * @param toAddress the destination address to send an outgoing transaction\n   * @param value the amount in Wei to be sent\n   * @param data the data to send to the toAddress when invoking the transaction\n   * @param expireTime the number of seconds since 1970 for which this transaction is valid\n   * @param sequenceId the unique sequence id obtainable from getNextSequenceId\n   * @param signature see Data Formats\n   */\n  function sendMultiSig(\n    address toAddress,\n    uint256 value,\n    bytes calldata data,\n    uint256 expireTime,\n    uint256 sequenceId,\n    bytes calldata signature\n  ) external onlySigner {\n    // Verify the other signer\n    bytes32 operationHash = keccak256(\n      abi.encodePacked(\n        getNetworkId(),\n        toAddress,\n        value,\n        data,\n        expireTime,\n        sequenceId\n      )\n    );\n\n    address otherSigner = verifyMultiSig(\n      toAddress,\n      operationHash,\n      signature,\n      expireTime,\n      sequenceId\n    );\n\n    // Success, send the transaction\n    (bool success, ) = toAddress.call{ value: value }(data);\n    require(success, \u0027Call execution failed\u0027);\n\n    emit Transacted(\n      msg.sender,\n      otherSigner,\n      operationHash,\n      toAddress,\n      value,\n      data\n    );\n  }\n\n  /**\n   * Execute a batched multi-signature transaction from this wallet using 2 signers: one from msg.sender and the other from ecrecover.\n   * Sequence IDs are numbers starting from 1. They are used to prevent replay attacks and may not be repeated.\n   * The recipients and values to send are encoded in two arrays, where for index i, recipients[i] will be sent values[i].\n   *\n   * @param recipients The list of recipients to send to\n   * @param values The list of values to send to\n   * @param expireTime the number of seconds since 1970 for which this transaction is valid\n   * @param sequenceId the unique sequence id obtainable from getNextSequenceId\n   * @param signature see Data Formats\n   */\n  function sendMultiSigBatch(\n    address[] calldata recipients,\n    uint256[] calldata values,\n    uint256 expireTime,\n    uint256 sequenceId,\n    bytes calldata signature\n  ) external onlySigner {\n    require(recipients.length != 0, \u0027Not enough recipients\u0027);\n    require(\n      recipients.length == values.length,\n      \u0027Unequal recipients and values\u0027\n    );\n    require(recipients.length \u003c 256, \u0027Too many recipients, max 255\u0027);\n\n    // Verify the other signer\n    bytes32 operationHash = keccak256(\n      abi.encodePacked(\n        getBatchNetworkId(),\n        recipients,\n        values,\n        expireTime,\n        sequenceId\n      )\n    );\n\n    // the first parameter (toAddress) is used to ensure transactions in safe mode only go to a signer\n    // if in safe mode, we should use normal sendMultiSig to recover, so this check will always fail if in safe mode\n    require(!safeMode, \u0027Batch in safe mode\u0027);\n    address otherSigner = verifyMultiSig(\n      address(0x0),\n      operationHash,\n      signature,\n      expireTime,\n      sequenceId\n    );\n\n    batchTransfer(recipients, values);\n    emit BatchTransacted(msg.sender, otherSigner, operationHash);\n  }\n\n  /**\n   * Transfer funds in a batch to each of recipients\n   * @param recipients The list of recipients to send to\n   * @param values The list of values to send to recipients.\n   *  The recipient with index i in recipients array will be sent values[i].\n   *  Thus, recipients and values must be the same length\n   */\n  function batchTransfer(\n    address[] calldata recipients,\n    uint256[] calldata values\n  ) internal {\n    for (uint256 i = 0; i \u003c recipients.length; i++) {\n      require(address(this).balance \u003e= values[i], \u0027Insufficient funds\u0027);\n\n      (bool success, ) = recipients[i].call{ value: values[i] }(\u0027\u0027);\n      require(success, \u0027Call failed\u0027);\n\n      emit BatchTransfer(msg.sender, recipients[i], values[i]);\n    }\n  }\n\n  /**\n   * Execute a multi-signature token transfer from this wallet using 2 signers: one from msg.sender and the other from ecrecover.\n   * Sequence IDs are numbers starting from 1. They are used to prevent replay attacks and may not be repeated.\n   *\n   * @param toAddress the destination address to send an outgoing transaction\n   * @param value the amount in tokens to be sent\n   * @param tokenContractAddress the address of the erc20 token contract\n   * @param expireTime the number of seconds since 1970 for which this transaction is valid\n   * @param sequenceId the unique sequence id obtainable from getNextSequenceId\n   * @param signature see Data Formats\n   */\n  function sendMultiSigToken(\n    address toAddress,\n    uint256 value,\n    address tokenContractAddress,\n    uint256 expireTime,\n    uint256 sequenceId,\n    bytes calldata signature\n  ) external onlySigner {\n    // Verify the other signer\n    bytes32 operationHash = keccak256(\n      abi.encodePacked(\n        getTokenNetworkId(),\n        toAddress,\n        value,\n        tokenContractAddress,\n        expireTime,\n        sequenceId\n      )\n    );\n\n    verifyMultiSig(toAddress, operationHash, signature, expireTime, sequenceId);\n\n    TransferHelper.safeTransfer(tokenContractAddress, toAddress, value);\n  }\n\n  /**\n   * Execute a token flush from one of the forwarder addresses. This transfer needs only a single signature and can be done by any signer\n   *\n   * @param forwarderAddress the address of the forwarder address to flush the tokens from\n   * @param tokenContractAddress the address of the erc20 token contract\n   */\n  function flushForwarderTokens(\n    address payable forwarderAddress,\n    address tokenContractAddress\n  ) external onlySigner {\n    Forwarder forwarder = Forwarder(forwarderAddress);\n    forwarder.flushTokens(tokenContractAddress);\n  }\n\n  /**\n   * Do common multisig verification for both eth sends and erc20token transfers\n   *\n   * @param toAddress the destination address to send an outgoing transaction\n   * @param operationHash see Data Formats\n   * @param signature see Data Formats\n   * @param expireTime the number of seconds since 1970 for which this transaction is valid\n   * @param sequenceId the unique sequence id obtainable from getNextSequenceId\n   * returns address that has created the signature\n   */\n  function verifyMultiSig(\n    address toAddress,\n    bytes32 operationHash,\n    bytes calldata signature,\n    uint256 expireTime,\n    uint256 sequenceId\n  ) private returns (address) {\n    address otherSigner = recoverAddressFromSignature(operationHash, signature);\n\n    // Verify if we are in safe mode. In safe mode, the wallet can only send to signers\n    require(!safeMode || isSigner(toAddress), \u0027External transfer in safe mode\u0027);\n\n    // Verify that the transaction has not expired\n    require(expireTime \u003e= block.timestamp, \u0027Transaction expired\u0027);\n\n    // Try to insert the sequence ID. Will revert if the sequence id was invalid\n    tryInsertSequenceId(sequenceId);\n\n    require(isSigner(otherSigner), \u0027Invalid signer\u0027);\n\n    require(otherSigner != msg.sender, \u0027Signers cannot be equal\u0027);\n\n    return otherSigner;\n  }\n\n  /**\n   * Irrevocably puts contract into safe mode. When in this mode, transactions may only be sent to signing addresses.\n   */\n  function activateSafeMode() external onlySigner {\n    safeMode = true;\n    SafeModeActivated(msg.sender);\n  }\n\n  /**\n   * Gets signer\u0027s address using ecrecover\n   * @param operationHash see Data Formats\n   * @param signature see Data Formats\n   * returns address recovered from the signature\n   */\n  function recoverAddressFromSignature(\n    bytes32 operationHash,\n    bytes memory signature\n  ) private pure returns (address) {\n    require(signature.length == 65, \u0027Invalid signature - wrong length\u0027);\n\n    // We need to unpack the signature, which is given as an array of 65 bytes (like eth.sign)\n    bytes32 r;\n    bytes32 s;\n    uint8 v;\n\n    // solhint-disable-next-line\n    assembly {\n      r := mload(add(signature, 32))\n      s := mload(add(signature, 64))\n      v := and(mload(add(signature, 65)), 255)\n    }\n    if (v \u003c 27) {\n      v += 27; // Ethereum versions are 27 or 28 as opposed to 0 or 1 which is submitted by some signing libs\n    }\n\n    // protect against signature malleability\n    // S value must be in the lower half orader\n    // reference: https://github.com/OpenZeppelin/openzeppelin-contracts/blob/051d340171a93a3d401aaaea46b4b62fa81e5d7c/contracts/cryptography/ECDSA.sol#L53\n    require(\n      uint256(s) \u003c=\n        0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF5D576E7357A4501DDFE92F46681B20A0,\n      \"ECDSA: invalid signature \u0027s\u0027 value\"\n    );\n\n    // note that this returns 0 if the signature is invalid\n    // Since 0x0 can never be a signer, when the recovered signer address\n    // is checked against our signer list, that 0x0 will cause an invalid signer failure\n    return ecrecover(operationHash, v, r, s);\n  }\n\n  /**\n   * Verify that the sequence id has not been used before and inserts it. Throws if the sequence ID was not accepted.\n   * We collect a window of up to 10 recent sequence ids, and allow any sequence id that is not in the window and\n   * greater than the minimum element in the window.\n   * @param sequenceId to insert into array of stored ids\n   */\n  function tryInsertSequenceId(uint256 sequenceId) private onlySigner {\n    // Keep a pointer to the lowest value element in the window\n    uint256 lowestValueIndex = 0;\n    // fetch recentSequenceIds into memory for function context to avoid unnecessary sloads\n    uint256[SEQUENCE_ID_WINDOW_SIZE] memory _recentSequenceIds = recentSequenceIds;\n    for (uint256 i = 0; i \u003c SEQUENCE_ID_WINDOW_SIZE; i++) {\n      require(_recentSequenceIds[i] != sequenceId, \u0027Sequence ID already used\u0027);\n\n      if (_recentSequenceIds[i] \u003c _recentSequenceIds[lowestValueIndex]) {\n        lowestValueIndex = i;\n      }\n    }\n\n    // The sequence ID being used is lower than the lowest value in the window\n    // so we cannot accept it as it may have been used before\n    require(\n      sequenceId \u003e _recentSequenceIds[lowestValueIndex],\n      \u0027Sequence ID below window\u0027\n    );\n\n    // Block sequence IDs which are much higher than the lowest value\n    // This prevents people blocking the contract by using very large sequence IDs quickly\n    require(\n      sequenceId \u003c=\n        (_recentSequenceIds[lowestValueIndex] + MAX_SEQUENCE_ID_INCREASE),\n      \u0027Sequence ID above maximum\u0027\n    );\n\n    recentSequenceIds[lowestValueIndex] = sequenceId;\n  }\n\n  /**\n   * Gets the next available sequence ID for signing when using executeAndConfirm\n   * returns the sequenceId one higher than the highest currently stored\n   */\n  function getNextSequenceId() public view returns (uint256) {\n    uint256 highestSequenceId = 0;\n    for (uint256 i = 0; i \u003c SEQUENCE_ID_WINDOW_SIZE; i++) {\n      if (recentSequenceIds[i] \u003e highestSequenceId) {\n        highestSequenceId = recentSequenceIds[i];\n      }\n    }\n    return highestSequenceId + 1;\n  }\n}\n"}}

          File 2 of 4: Forwarder
          pragma solidity 0.7.5;
          
          /*
              The MIT License (MIT)
              Copyright (c) 2018 Murray Software, LLC.
              Permission is hereby granted, free of charge, to any person obtaining
              a copy of this software and associated documentation files (the
              "Software"), to deal in the Software without restriction, including
              without limitation the rights to use, copy, modify, merge, publish,
              distribute, sublicense, and/or sell copies of the Software, and to
              permit persons to whom the Software is furnished to do so, subject to
              the following conditions:
              The above copyright notice and this permission notice shall be included
              in all copies or substantial portions of the Software.
              THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
              OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
              MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
              IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY
              CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,
              TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
              SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
          */
          //solhint-disable max-line-length
          //solhint-disable no-inline-assembly
          
          contract CloneFactory {
            function createClone(address target, bytes32 salt)
              internal
              returns (address payable result)
            {
              bytes20 targetBytes = bytes20(target);
              assembly {
                // load the next free memory slot as a place to store the clone contract data
                let clone := mload(0x40)
          
                // The bytecode block below is responsible for contract initialization
                // during deployment, it is worth noting the proxied contract constructor will not be called during
                // the cloning procedure and that is why an initialization function needs to be called after the
                // clone is created
                mstore(
                  clone,
                  0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000000000000000000000
                )
          
                // This stores the address location of the implementation contract
                // so that the proxy knows where to delegate call logic to
                mstore(add(clone, 0x14), targetBytes)
          
                // The bytecode block is the actual code that is deployed for each clone created.
                // It forwards all calls to the already deployed implementation via a delegatecall
                mstore(
                  add(clone, 0x28),
                  0x5af43d82803e903d91602b57fd5bf30000000000000000000000000000000000
                )
          
                // deploy the contract using the CREATE2 opcode
                // this deploys the minimal proxy defined above, which will proxy all
                // calls to use the logic defined in the implementation contract `target`
                result := create2(0, clone, 0x37, salt)
              }
            }
          
            function isClone(address target, address query)
              internal
              view
              returns (bool result)
            {
              bytes20 targetBytes = bytes20(target);
              assembly {
                // load the next free memory slot as a place to store the comparison clone
                let clone := mload(0x40)
          
                // The next three lines store the expected bytecode for a miniml proxy
                // that targets `target` as its implementation contract
                mstore(
                  clone,
                  0x363d3d373d3d3d363d7300000000000000000000000000000000000000000000
                )
                mstore(add(clone, 0xa), targetBytes)
                mstore(
                  add(clone, 0x1e),
                  0x5af43d82803e903d91602b57fd5bf30000000000000000000000000000000000
                )
          
                // the next two lines store the bytecode of the contract that we are checking in memory
                let other := add(clone, 0x40)
                extcodecopy(query, other, 0, 0x2d)
          
                // Check if the expected bytecode equals the actual bytecode and return the result
                result := and(
                  eq(mload(clone), mload(other)),
                  eq(mload(add(clone, 0xd)), mload(add(other, 0xd)))
                )
              }
            }
          }
          
          
          /**
           * Contract that exposes the needed erc20 token functions
           */
          
          abstract contract ERC20Interface {
            // Send _value amount of tokens to address _to
            function transfer(address _to, uint256 _value)
              public
              virtual
              returns (bool success);
          
            // Get the account balance of another account with address _owner
            function balanceOf(address _owner)
              public
              virtual
              view
              returns (uint256 balance);
          }
          
          // helper methods for interacting with ERC20 tokens and sending ETH that do not consistently return true/false
          library TransferHelper {
              function safeApprove(
                  address token,
                  address to,
                  uint256 value
              ) internal {
                  // bytes4(keccak256(bytes('approve(address,uint256)')));
                  (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0x095ea7b3, to, value));
                  require(
                      success && (data.length == 0 || abi.decode(data, (bool))),
                      'TransferHelper::safeApprove: approve failed'
                  );
              }
          
              function safeTransfer(
                  address token,
                  address to,
                  uint256 value
              ) internal {
                  // bytes4(keccak256(bytes('transfer(address,uint256)')));
                  (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0xa9059cbb, to, value));
                  require(
                      success && (data.length == 0 || abi.decode(data, (bool))),
                      'TransferHelper::safeTransfer: transfer failed'
                  );
              }
          
              function safeTransferFrom(
                  address token,
                  address from,
                  address to,
                  uint256 value
              ) internal {
                  // bytes4(keccak256(bytes('transferFrom(address,address,uint256)')));
                  (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0x23b872dd, from, to, value));
                  require(
                      success && (data.length == 0 || abi.decode(data, (bool))),
                      'TransferHelper::transferFrom: transferFrom failed'
                  );
              }
          
              function safeTransferETH(address to, uint256 value) internal {
                  (bool success, ) = to.call{value: value}(new bytes(0));
                  require(success, 'TransferHelper::safeTransferETH: ETH transfer failed');
              }
          }
          
          
          /**
           * Contract that will forward any incoming Ether to the creator of the contract
           *
           */
          contract Forwarder {
            // Address to which any funds sent to this contract will be forwarded
            address public parentAddress;
            event ForwarderDeposited(address from, uint256 value, bytes data);
          
            /**
             * Initialize the contract, and sets the destination address to that of the creator
             */
            function init(address _parentAddress) external onlyUninitialized {
              parentAddress = _parentAddress;
              uint256 value = address(this).balance;
          
              if (value == 0) {
                return;
              }
          
              (bool success, ) = parentAddress.call{ value: value }('');
              require(success, 'Flush failed');
              // NOTE: since we are forwarding on initialization,
              // we don't have the context of the original sender.
              // We still emit an event about the forwarding but set
              // the sender to the forwarder itself
              emit ForwarderDeposited(address(this), value, msg.data);
            }
          
            /**
             * Modifier that will execute internal code block only if the sender is the parent address
             */
            modifier onlyParent {
              require(msg.sender == parentAddress, 'Only Parent');
              _;
            }
          
            /**
             * Modifier that will execute internal code block only if the contract has not been initialized yet
             */
            modifier onlyUninitialized {
              require(parentAddress == address(0x0), 'Already initialized');
              _;
            }
          
            /**
             * Default function; Gets called when data is sent but does not match any other function
             */
            fallback() external payable {
              flush();
            }
          
            /**
             * Default function; Gets called when Ether is deposited with no data, and forwards it to the parent address
             */
            receive() external payable {
              flush();
            }
          
            /**
             * Execute a token transfer of the full balance from the forwarder token to the parent address
             * @param tokenContractAddress the address of the erc20 token contract
             */
            function flushTokens(address tokenContractAddress) external onlyParent {
              ERC20Interface instance = ERC20Interface(tokenContractAddress);
              address forwarderAddress = address(this);
              uint256 forwarderBalance = instance.balanceOf(forwarderAddress);
              if (forwarderBalance == 0) {
                return;
              }
          
              TransferHelper.safeTransfer(
                tokenContractAddress,
                parentAddress,
                forwarderBalance
              );
            }
          
            /**
             * Flush the entire balance of the contract to the parent address.
             */
            function flush() public {
              uint256 value = address(this).balance;
          
              if (value == 0) {
                return;
              }
          
              (bool success, ) = parentAddress.call{ value: value }('');
              require(success, 'Flush failed');
              emit ForwarderDeposited(msg.sender, value, msg.data);
            }
          }
          
          contract ForwarderFactory is CloneFactory {
            address public implementationAddress;
          
            event ForwarderCreated(address newForwarderAddress, address parentAddress);
          
            constructor(address _implementationAddress) {
              implementationAddress = _implementationAddress;
            }
          
            function createForwarder(address parent, bytes32 salt) external {
              // include the signers in the salt so any contract deployed to a given address must have the same signers
              bytes32 finalSalt = keccak256(abi.encodePacked(parent, salt));
          
              address payable clone = createClone(implementationAddress, finalSalt);
              Forwarder(clone).init(parent);
              emit ForwarderCreated(clone, parent);
            }
          }

          File 3 of 4: FantomToken
          pragma solidity ^0.4.23;
          
          // ----------------------------------------------------------------------------
          //
          // Fantom Foundation FTM token public sale contract
          //
          // For details, please visit: http://fantom.foundation
          //
          //
          // written by Alex Kampa - ak@sikoba.com
          //
          // ----------------------------------------------------------------------------
          
          
          // ----------------------------------------------------------------------------
          //
          // SafeMath
          //
          // ----------------------------------------------------------------------------
          
          library SafeMath {
          
              function add(uint a, uint b) internal pure returns (uint c) {
                  c = a + b;
                  require(c >= a);
              }
          
              function sub(uint a, uint b) internal pure returns (uint c) {
                  require(b <= a);
                  c = a - b;
              }
          
              function mul(uint a, uint b) internal pure returns (uint c) {
                  c = a * b;
                  require(a == 0 || c / a == b);
              }
          
          }
          
          // ----------------------------------------------------------------------------
          //
          // Owned
          //
          // ----------------------------------------------------------------------------
          
          contract Owned {
          
              address public owner;
              address public newOwner;
          
              mapping(address => bool) public isAdmin;
          
              event OwnershipTransferProposed(address indexed _from, address indexed _to);
              event OwnershipTransferred(address indexed _from, address indexed _to);
              event AdminChange(address indexed _admin, bool _status);
          
              modifier onlyOwner {require(msg.sender == owner); _;}
              modifier onlyAdmin {require(isAdmin[msg.sender]); _;}
          
              constructor() public {
                  owner = msg.sender;
                  isAdmin[owner] = true;
              }
          
              function transferOwnership(address _newOwner) public onlyOwner {
                  require(_newOwner != address(0x0));
                  emit OwnershipTransferProposed(owner, _newOwner);
                  newOwner = _newOwner;
              }
          
              function acceptOwnership() public {
                  require(msg.sender == newOwner);
                  emit OwnershipTransferred(owner, newOwner);
                  owner = newOwner;
              }
          
              function addAdmin(address _a) public onlyOwner {
                  require(isAdmin[_a] == false);
                  isAdmin[_a] = true;
                  emit AdminChange(_a, true);
              }
          
              function removeAdmin(address _a) public onlyOwner {
                  require(isAdmin[_a] == true);
                  isAdmin[_a] = false;
                  emit AdminChange(_a, false);
              }
          
          }
          
          
          // ----------------------------------------------------------------------------
          //
          // Wallet
          //
          // ----------------------------------------------------------------------------
          
          contract Wallet is Owned {
          
              address public wallet;
          
              event WalletUpdated(address newWallet);
          
              constructor() public {
                  wallet = owner;
              }
          
              function setWallet(address _wallet) public onlyOwner {
                  require(_wallet != address(0x0));
                  wallet = _wallet;
                  emit WalletUpdated(_wallet);
              }
          
          }
          
          
          // ----------------------------------------------------------------------------
          //
          // ERC20Interface
          //
          // ----------------------------------------------------------------------------
          
          contract ERC20Interface {
          
              event Transfer(address indexed _from, address indexed _to, uint _value);
              event Approval(address indexed _owner, address indexed _spender, uint _value);
          
              function totalSupply() public view returns (uint);
              function balanceOf(address _owner) public view returns (uint balance);
              function transfer(address _to, uint _value) public returns (bool success);
              function transferFrom(address _from, address _to, uint _value) public returns (bool success);
              function approve(address _spender, uint _value) public returns (bool success);
              function allowance(address _owner, address _spender) public view returns (uint remaining);
          
          }
          
          
          // ----------------------------------------------------------------------------
          //
          // ERC Token Standard #20
          //
          // ----------------------------------------------------------------------------
          
          contract ERC20Token is ERC20Interface, Owned {
          
              using SafeMath for uint;
          
              uint public tokensIssuedTotal;
              mapping(address => uint) balances;
              mapping(address => mapping (address => uint)) allowed;
          
              function totalSupply() public view returns (uint) {
                  return tokensIssuedTotal;
              }
              // Includes BOTH locked AND unlocked tokens
          
              function balanceOf(address _owner) public view returns (uint) {
                  return balances[_owner];
              }
          
              function transfer(address _to, uint _amount) public returns (bool) {
                  require(_to != 0x0);
                  balances[msg.sender] = balances[msg.sender].sub(_amount);
                  balances[_to] = balances[_to].add(_amount);
                  emit Transfer(msg.sender, _to, _amount);
                  return true;
              }
          
              function approve(address _spender, uint _amount) public returns (bool) {
                  allowed[msg.sender][_spender] = _amount;
                  emit Approval(msg.sender, _spender, _amount);
                  return true;
              }
          
              function transferFrom(address _from, address _to, uint _amount) public returns (bool) {
                  require(_to != 0x0);
                  balances[_from] = balances[_from].sub(_amount);
                  allowed[_from][msg.sender] = allowed[_from][msg.sender].sub(_amount);
                  balances[_to] = balances[_to].add(_amount);
                  emit Transfer(_from, _to, _amount);
                  return true;
              }
          
              function allowance(address _owner, address _spender) public view returns (uint) {
                  return allowed[_owner][_spender];
              }
          
          }
          
          
          // ----------------------------------------------------------------------------
          //
          // LockSlots
          //
          // ----------------------------------------------------------------------------
          
          contract LockSlots is ERC20Token {
          
              using SafeMath for uint;
          
              uint public constant LOCK_SLOTS = 5;
              mapping(address => uint[LOCK_SLOTS]) public lockTerm;
              mapping(address => uint[LOCK_SLOTS]) public lockAmnt;
              mapping(address => bool) public mayHaveLockedTokens;
          
              event RegisteredLockedTokens(address indexed account, uint indexed idx, uint tokens, uint term);
          
              function registerLockedTokens(address _account, uint _tokens, uint _term) internal returns (uint idx) {
                  require(_term > now, "lock term must be in the future");
          
                  // find a slot (clean up while doing this)
                  // use either the existing slot with the exact same term,
                  // of which there can be at most one, or the first empty slot
                  idx = 9999;
                  uint[LOCK_SLOTS] storage term = lockTerm[_account];
                  uint[LOCK_SLOTS] storage amnt = lockAmnt[_account];
                  for (uint i; i < LOCK_SLOTS; i++) {
                      if (term[i] < now) {
                          term[i] = 0;
                          amnt[i] = 0;
                          if (idx == 9999) idx = i;
                      }
                      if (term[i] == _term) idx = i;
                  }
          
                  // fail if no slot was found
                  require(idx != 9999, "registerLockedTokens: no available slot found");
          
                  // register locked tokens
                  if (term[idx] == 0) term[idx] = _term;
                  amnt[idx] = amnt[idx].add(_tokens);
                  mayHaveLockedTokens[_account] = true;
                  emit RegisteredLockedTokens(_account, idx, _tokens, _term);
              }
          
              // public view functions
          
              function lockedTokens(address _account) public view returns (uint) {
                  if (!mayHaveLockedTokens[_account]) return 0;
                  return pNumberOfLockedTokens(_account);
              }
          
              function unlockedTokens(address _account) public view returns (uint) {
                  return balances[_account].sub(lockedTokens(_account));
              }
          
              function isAvailableLockSlot(address _account, uint _term) public view returns (bool) {
                  if (!mayHaveLockedTokens[_account]) return true;
                  if (_term < now) return true;
                  uint[LOCK_SLOTS] storage term = lockTerm[_account];
                  for (uint i; i < LOCK_SLOTS; i++) {
                      if (term[i] < now || term[i] == _term) return true;
                  }
                  return false;
              }
          
              // internal and private functions
          
              function unlockedTokensInternal(address _account) internal returns (uint) {
                  // updates mayHaveLockedTokens if necessary
                  if (!mayHaveLockedTokens[_account]) return balances[_account];
                  uint locked = pNumberOfLockedTokens(_account);
                  if (locked == 0) mayHaveLockedTokens[_account] = false;
                  return balances[_account].sub(locked);
              }
          
              function pNumberOfLockedTokens(address _account) private view returns (uint locked) {
                  uint[LOCK_SLOTS] storage term = lockTerm[_account];
                  uint[LOCK_SLOTS] storage amnt = lockAmnt[_account];
                  for (uint i; i < LOCK_SLOTS; i++) {
                      if (term[i] >= now) locked = locked.add(amnt[i]);
                  }
              }
          
          }
          
          
          // ----------------------------------------------------------------------------
          //
          // FantomIcoDates
          //
          // ----------------------------------------------------------------------------
          
          contract FantomIcoDates is Owned {
          
              uint public dateMainStart = 1529053200; // 15-JUN-2018 09:00 GMT + 0
              uint public dateMainEnd   = 1529658000; // 22-JUN-2018 09:00 GMT + 0
          
              uint public constant DATE_LIMIT = 1529658000 + 180 days;
          
              event IcoDateUpdated(uint id, uint unixts);
          
              // check dates
          
              modifier checkDateOrder {
                _ ;
                require ( dateMainStart < dateMainEnd ) ;
                require ( dateMainEnd < DATE_LIMIT ) ;
              }
          
              constructor() public checkDateOrder() {
                  require(now < dateMainStart);
              }
          
              // set ico dates
          
              function setDateMainStart(uint _unixts) public onlyOwner checkDateOrder {
                  require(now < _unixts && now < dateMainStart);
                  dateMainStart = _unixts;
                  emit IcoDateUpdated(1, _unixts);
              }
          
              function setDateMainEnd(uint _unixts) public onlyOwner checkDateOrder {
                  require(now < _unixts && now < dateMainEnd);
                  dateMainEnd = _unixts;
                  emit IcoDateUpdated(2, _unixts);
              }
          
              // where are we? Passed first day or not?
          
              function isMainFirstDay() public view returns (bool) {
                  if (now > dateMainStart && now <= dateMainStart + 1 days) return true;
                  return false;
              }
          
              function isMain() public view returns (bool) {
                  if (now > dateMainStart && now < dateMainEnd) return true;
                  return false;
              }
          
          }
          
          // ----------------------------------------------------------------------------
          //
          // Fantom public token sale
          //
          // ----------------------------------------------------------------------------
          
          contract FantomToken is ERC20Token, Wallet, LockSlots, FantomIcoDates {
          
              // Utility variable
          
              uint constant E18 = 10**18;
          
              // Basic token data
          
              string public constant name = "Fantom Token";
              string public constant symbol = "FTM";
              uint8 public constant decimals = 18;
          
              // Token number of possible tokens in existance
          
              uint public constant MAX_TOTAL_TOKEN_SUPPLY = 3175000000 * E18;
          
          
              // crowdsale parameters
              // Opening ETH Rate: USD$463.28
              // Therefore, 1 ETH = 11582 FTM
          
          
              uint public tokensPerEth = 11582;
          
              // USD$2,000,000/463.28 = 4317.043668 ether
              // 4317.043668 ether/2551 addresses = 1.692294656 ether per address for the first 24 hours
          
              uint public constant MINIMUM_CONTRIBUTION = 0.2 ether;
              uint public constant MAXIMUM_FIRST_DAY_CONTRIBUTION = 1.692294656 ether;
          
              uint public constant TOKEN_MAIN_CAP = 50000000 * E18;
          
              bool public tokensTradeable;
          
              // whitelisting
          
              mapping(address => bool) public whitelist;
              uint public numberWhitelisted;
          
              // track main sale
          
              uint public tokensMain;
              mapping(address => uint) public balancesMain;
          
              uint public totalEthContributed;
              mapping(address => uint) public ethContributed;
          
              // tracking tokens minted
          
              uint public tokensMinted;
              mapping(address => uint) public balancesMinted;
              mapping(address => mapping(uint => uint)) public balancesMintedByType;
          
              // migration variable
          
              bool public isMigrationPhaseOpen;
          
              // Events ---------------------------------------------
          
              event UpdatedTokensPerEth(uint tokensPerEth);
              event Whitelisted(address indexed account, uint countWhitelisted);
              event TokensMinted(uint indexed mintType, address indexed account, uint tokens, uint term);
              event RegisterContribution(address indexed account, uint tokensIssued, uint ethContributed, uint ethReturned);
              event TokenExchangeRequested(address indexed account, uint tokens);
          
              // Basic Functions ------------------------------------
          
              constructor() public {}
          
              function () public payable {
                  buyTokens();
              }
          
              // Information functions
          
          
              function availableToMint() public view returns (uint) {
                  return MAX_TOTAL_TOKEN_SUPPLY.sub(TOKEN_MAIN_CAP).sub(tokensMinted);
              }
          
              function firstDayTokenLimit() public view returns (uint) {
                  return ethToTokens(MAXIMUM_FIRST_DAY_CONTRIBUTION);
              }
          
              function ethToTokens(uint _eth) public view returns (uint tokens) {
                  tokens = _eth.mul(tokensPerEth);
              }
          
              function tokensToEth(uint _tokens) public view returns (uint eth) {
                  eth = _tokens / tokensPerEth;
              }
          
              // Admin functions
          
              function addToWhitelist(address _account) public onlyAdmin {
                  pWhitelist(_account);
              }
          
              function addToWhitelistMultiple(address[] _addresses) public onlyAdmin {
                  for (uint i; i < _addresses.length; i++) {
                      pWhitelist(_addresses[i]);
                  }
              }
          
              function pWhitelist(address _account) internal {
                  if (whitelist[_account]) return;
                  whitelist[_account] = true;
                  numberWhitelisted = numberWhitelisted.add(1);
                  emit Whitelisted(_account, numberWhitelisted);
              }
          
              // Owner functions ------------------------------------
          
              function updateTokensPerEth(uint _tokens_per_eth) public onlyOwner {
                  require(now < dateMainStart);
                  tokensPerEth = _tokens_per_eth;
                  emit UpdatedTokensPerEth(tokensPerEth);
              }
          
              // Only owner can make tokens tradable at any time, or if the date is
              // greater than the end of the mainsale date plus 20 weeks, allow
              // any caller to make tokensTradeable.
          
              function makeTradeable() public {
                  require(msg.sender == owner || now > dateMainEnd + 20 weeks);
                  tokensTradeable = true;
              }
          
              function openMigrationPhase() public onlyOwner {
                  require(now > dateMainEnd);
                  isMigrationPhaseOpen = true;
              }
          
              // Token minting --------------------------------------
          
              function mintTokens(uint _mint_type, address _account, uint _tokens) public onlyOwner {
                  pMintTokens(_mint_type, _account, _tokens, 0);
              }
          
              function mintTokensMultiple(uint _mint_type, address[] _accounts, uint[] _tokens) public onlyOwner {
                  require(_accounts.length == _tokens.length);
                  for (uint i; i < _accounts.length; i++) {
                      pMintTokens(_mint_type, _accounts[i], _tokens[i], 0);
                  }
              }
          
              function mintTokensLocked(uint _mint_type, address _account, uint _tokens, uint _term) public onlyOwner {
                  pMintTokens(_mint_type, _account, _tokens, _term);
              }
          
              function mintTokensLockedMultiple(uint _mint_type, address[] _accounts, uint[] _tokens, uint[] _terms) public onlyOwner {
                  require(_accounts.length == _tokens.length);
                  require(_accounts.length == _terms.length);
                  for (uint i; i < _accounts.length; i++) {
                      pMintTokens(_mint_type, _accounts[i], _tokens[i], _terms[i]);
                  }
              }
          
              function pMintTokens(uint _mint_type, address _account, uint _tokens, uint _term) private {
                  require(whitelist[_account]);
                  require(_account != 0x0);
                  require(_tokens > 0);
                  require(_tokens <= availableToMint(), "not enough tokens available to mint");
                  require(_term == 0 || _term > now, "either without lock term, or lock term must be in the future");
          
                  // register locked tokens (will throw if no slot is found)
                  if (_term > 0) registerLockedTokens(_account, _tokens, _term);
          
                  // update
                  balances[_account] = balances[_account].add(_tokens);
                  balancesMinted[_account] = balancesMinted[_account].add(_tokens);
                  balancesMintedByType[_account][_mint_type] = balancesMintedByType[_account][_mint_type].add(_tokens);
                  tokensMinted = tokensMinted.add(_tokens);
                  tokensIssuedTotal = tokensIssuedTotal.add(_tokens);
          
                  // log event
                  emit Transfer(0x0, _account, _tokens);
                  emit TokensMinted(_mint_type, _account, _tokens, _term);
              }
          
              // Main sale ------------------------------------------
          
              function buyTokens() private {
          
                  require(isMain());
                  require(msg.value >= MINIMUM_CONTRIBUTION);
                  require(whitelist[msg.sender]);
          
                  uint tokens_available = TOKEN_MAIN_CAP.sub(tokensMain);
          
                  // adjust tokens_available on first day, if necessary
                  if (isMainFirstDay()) {
                      uint tokens_available_first_day = firstDayTokenLimit().sub(balancesMain[msg.sender]);
                      if (tokens_available_first_day < tokens_available) {
                          tokens_available = tokens_available_first_day;
                      }
                  }
          
                  require (tokens_available > 0);
          
                  uint tokens_requested = ethToTokens(msg.value);
                  uint tokens_issued = tokens_requested;
          
                  uint eth_contributed = msg.value;
                  uint eth_returned;
          
                  if (tokens_requested > tokens_available) {
                      tokens_issued = tokens_available;
                      eth_returned = tokensToEth(tokens_requested.sub(tokens_available));
                      eth_contributed = msg.value.sub(eth_returned);
                  }
          
                  balances[msg.sender] = balances[msg.sender].add(tokens_issued);
                  balancesMain[msg.sender] = balancesMain[msg.sender].add(tokens_issued);
                  tokensMain = tokensMain.add(tokens_issued);
                  tokensIssuedTotal = tokensIssuedTotal.add(tokens_issued);
          
                  ethContributed[msg.sender] = ethContributed[msg.sender].add(eth_contributed);
                  totalEthContributed = totalEthContributed.add(eth_contributed);
          
                  // ether transfers
                  if (eth_returned > 0) msg.sender.transfer(eth_returned);
                  wallet.transfer(eth_contributed);
          
                  // log
                  emit Transfer(0x0, msg.sender, tokens_issued);
                  emit RegisterContribution(msg.sender, tokens_issued, eth_contributed, eth_returned);
              }
          
              // Token exchange / migration to new platform ---------
          
              function requestTokenExchangeMax() public {
                  requestTokenExchange(unlockedTokensInternal(msg.sender));
              }
          
              function requestTokenExchange(uint _tokens) public {
                  require(isMigrationPhaseOpen);
                  require(_tokens > 0 && _tokens <= unlockedTokensInternal(msg.sender));
                  balances[msg.sender] = balances[msg.sender].sub(_tokens);
                  tokensIssuedTotal = tokensIssuedTotal.sub(_tokens);
                  emit Transfer(msg.sender, 0x0, _tokens);
                  emit TokenExchangeRequested(msg.sender, _tokens);
              }
          
              // ERC20 functions -------------------
          
              /* Transfer out any accidentally sent ERC20 tokens */
          
              function transferAnyERC20Token(address _token_address, uint _amount) public onlyOwner returns (bool success) {
                  return ERC20Interface(_token_address).transfer(owner, _amount);
              }
          
              /* Override "transfer" */
          
              function transfer(address _to, uint _amount) public returns (bool success) {
                  require(tokensTradeable);
                  require(_amount <= unlockedTokensInternal(msg.sender));
                  return super.transfer(_to, _amount);
              }
          
              /* Override "transferFrom" */
          
              function transferFrom(address _from, address _to, uint _amount) public returns (bool success) {
                  require(tokensTradeable);
                  require(_amount <= unlockedTokensInternal(_from));
                  return super.transferFrom(_from, _to, _amount);
              }
          
              /* Multiple token transfers from one address to save gas */
          
              function transferMultiple(address[] _addresses, uint[] _amounts) external {
                  require(_addresses.length <= 100);
                  require(_addresses.length == _amounts.length);
          
                  // do the transfers
                  for (uint j; j < _addresses.length; j++) {
                      transfer(_addresses[j], _amounts[j]);
                  }
          
              }
          
          }

          File 4 of 4: Forwarder
          pragma solidity 0.7.5;
          
          /*
              The MIT License (MIT)
              Copyright (c) 2018 Murray Software, LLC.
              Permission is hereby granted, free of charge, to any person obtaining
              a copy of this software and associated documentation files (the
              "Software"), to deal in the Software without restriction, including
              without limitation the rights to use, copy, modify, merge, publish,
              distribute, sublicense, and/or sell copies of the Software, and to
              permit persons to whom the Software is furnished to do so, subject to
              the following conditions:
              The above copyright notice and this permission notice shall be included
              in all copies or substantial portions of the Software.
              THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
              OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
              MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
              IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY
              CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,
              TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
              SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
          */
          //solhint-disable max-line-length
          //solhint-disable no-inline-assembly
          
          contract CloneFactory {
            function createClone(address target, bytes32 salt)
              internal
              returns (address payable result)
            {
              bytes20 targetBytes = bytes20(target);
              assembly {
                // load the next free memory slot as a place to store the clone contract data
                let clone := mload(0x40)
          
                // The bytecode block below is responsible for contract initialization
                // during deployment, it is worth noting the proxied contract constructor will not be called during
                // the cloning procedure and that is why an initialization function needs to be called after the
                // clone is created
                mstore(
                  clone,
                  0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000000000000000000000
                )
          
                // This stores the address location of the implementation contract
                // so that the proxy knows where to delegate call logic to
                mstore(add(clone, 0x14), targetBytes)
          
                // The bytecode block is the actual code that is deployed for each clone created.
                // It forwards all calls to the already deployed implementation via a delegatecall
                mstore(
                  add(clone, 0x28),
                  0x5af43d82803e903d91602b57fd5bf30000000000000000000000000000000000
                )
          
                // deploy the contract using the CREATE2 opcode
                // this deploys the minimal proxy defined above, which will proxy all
                // calls to use the logic defined in the implementation contract `target`
                result := create2(0, clone, 0x37, salt)
              }
            }
          
            function isClone(address target, address query)
              internal
              view
              returns (bool result)
            {
              bytes20 targetBytes = bytes20(target);
              assembly {
                // load the next free memory slot as a place to store the comparison clone
                let clone := mload(0x40)
          
                // The next three lines store the expected bytecode for a miniml proxy
                // that targets `target` as its implementation contract
                mstore(
                  clone,
                  0x363d3d373d3d3d363d7300000000000000000000000000000000000000000000
                )
                mstore(add(clone, 0xa), targetBytes)
                mstore(
                  add(clone, 0x1e),
                  0x5af43d82803e903d91602b57fd5bf30000000000000000000000000000000000
                )
          
                // the next two lines store the bytecode of the contract that we are checking in memory
                let other := add(clone, 0x40)
                extcodecopy(query, other, 0, 0x2d)
          
                // Check if the expected bytecode equals the actual bytecode and return the result
                result := and(
                  eq(mload(clone), mload(other)),
                  eq(mload(add(clone, 0xd)), mload(add(other, 0xd)))
                )
              }
            }
          }
          
          
          /**
           * Contract that exposes the needed erc20 token functions
           */
          
          abstract contract ERC20Interface {
            // Send _value amount of tokens to address _to
            function transfer(address _to, uint256 _value)
              public
              virtual
              returns (bool success);
          
            // Get the account balance of another account with address _owner
            function balanceOf(address _owner)
              public
              virtual
              view
              returns (uint256 balance);
          }
          
          // helper methods for interacting with ERC20 tokens and sending ETH that do not consistently return true/false
          library TransferHelper {
              function safeApprove(
                  address token,
                  address to,
                  uint256 value
              ) internal {
                  // bytes4(keccak256(bytes('approve(address,uint256)')));
                  (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0x095ea7b3, to, value));
                  require(
                      success && (data.length == 0 || abi.decode(data, (bool))),
                      'TransferHelper::safeApprove: approve failed'
                  );
              }
          
              function safeTransfer(
                  address token,
                  address to,
                  uint256 value
              ) internal {
                  // bytes4(keccak256(bytes('transfer(address,uint256)')));
                  (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0xa9059cbb, to, value));
                  require(
                      success && (data.length == 0 || abi.decode(data, (bool))),
                      'TransferHelper::safeTransfer: transfer failed'
                  );
              }
          
              function safeTransferFrom(
                  address token,
                  address from,
                  address to,
                  uint256 value
              ) internal {
                  // bytes4(keccak256(bytes('transferFrom(address,address,uint256)')));
                  (bool success, bytes memory data) = token.call(abi.encodeWithSelector(0x23b872dd, from, to, value));
                  require(
                      success && (data.length == 0 || abi.decode(data, (bool))),
                      'TransferHelper::transferFrom: transferFrom failed'
                  );
              }
          
              function safeTransferETH(address to, uint256 value) internal {
                  (bool success, ) = to.call{value: value}(new bytes(0));
                  require(success, 'TransferHelper::safeTransferETH: ETH transfer failed');
              }
          }
          
          
          /**
           * Contract that will forward any incoming Ether to the creator of the contract
           *
           */
          contract Forwarder {
            // Address to which any funds sent to this contract will be forwarded
            address public parentAddress;
            event ForwarderDeposited(address from, uint256 value, bytes data);
          
            /**
             * Initialize the contract, and sets the destination address to that of the creator
             */
            function init(address _parentAddress) external onlyUninitialized {
              parentAddress = _parentAddress;
              uint256 value = address(this).balance;
          
              if (value == 0) {
                return;
              }
          
              (bool success, ) = parentAddress.call{ value: value }('');
              require(success, 'Flush failed');
              // NOTE: since we are forwarding on initialization,
              // we don't have the context of the original sender.
              // We still emit an event about the forwarding but set
              // the sender to the forwarder itself
              emit ForwarderDeposited(address(this), value, msg.data);
            }
          
            /**
             * Modifier that will execute internal code block only if the sender is the parent address
             */
            modifier onlyParent {
              require(msg.sender == parentAddress, 'Only Parent');
              _;
            }
          
            /**
             * Modifier that will execute internal code block only if the contract has not been initialized yet
             */
            modifier onlyUninitialized {
              require(parentAddress == address(0x0), 'Already initialized');
              _;
            }
          
            /**
             * Default function; Gets called when data is sent but does not match any other function
             */
            fallback() external payable {
              flush();
            }
          
            /**
             * Default function; Gets called when Ether is deposited with no data, and forwards it to the parent address
             */
            receive() external payable {
              flush();
            }
          
            /**
             * Execute a token transfer of the full balance from the forwarder token to the parent address
             * @param tokenContractAddress the address of the erc20 token contract
             */
            function flushTokens(address tokenContractAddress) external onlyParent {
              ERC20Interface instance = ERC20Interface(tokenContractAddress);
              address forwarderAddress = address(this);
              uint256 forwarderBalance = instance.balanceOf(forwarderAddress);
              if (forwarderBalance == 0) {
                return;
              }
          
              TransferHelper.safeTransfer(
                tokenContractAddress,
                parentAddress,
                forwarderBalance
              );
            }
          
            /**
             * Flush the entire balance of the contract to the parent address.
             */
            function flush() public {
              uint256 value = address(this).balance;
          
              if (value == 0) {
                return;
              }
          
              (bool success, ) = parentAddress.call{ value: value }('');
              require(success, 'Flush failed');
              emit ForwarderDeposited(msg.sender, value, msg.data);
            }
          }
          
          contract ForwarderFactory is CloneFactory {
            address public implementationAddress;
          
            event ForwarderCreated(address newForwarderAddress, address parentAddress);
          
            constructor(address _implementationAddress) {
              implementationAddress = _implementationAddress;
            }
          
            function createForwarder(address parent, bytes32 salt) external {
              // include the signers in the salt so any contract deployed to a given address must have the same signers
              bytes32 finalSalt = keccak256(abi.encodePacked(parent, salt));
          
              address payable clone = createClone(implementationAddress, finalSalt);
              Forwarder(clone).init(parent);
              emit ForwarderCreated(clone, parent);
            }
          }