ETH Price: $2,412.61 (+6.40%)

Transaction Decoder

Block:
6028971 at Jul-25-2018 06:36:05 PM +UTC
Transaction Fee:
0.000274692 ETH $0.66
Gas Used:
91,564 Gas / 3 Gwei

Emitted Events:

18 CentrallyIssuedToken.Transfer( from=0x6924a03BB710EaF199AB6AC9F2BB148215AE9B5D, to=[Sender] 0x26706e18494463d3e40a3dfed698ad63b255670f, value=90000000000 )
19 AirSwapExchange.Filled( makerAddress=0x6924a03BB710EaF199AB6AC9F2BB148215AE9B5D, makerAmount=90000000000, makerToken=CentrallyIssuedToken, takerAddress=[Sender] 0x26706e18494463d3e40a3dfed698ad63b255670f, takerAmount=360447787611673230, takerToken=0x00000000...000000000, expiration=1532544040, nonce=100524040338413715742182754126016130693051017968368957678998435482856006113240 )

Account State Difference:

  Address   Before After State Difference Code
0x26706E18...3b255670f
100.717350424324948931 Eth
Nonce: 443
100.356627944713275701 Eth
Nonce: 444
0.36072247961167323
0x41e55600...E20e94E45
(Spark Pool)
4,330.747002238659141733 Eth4,330.747276930659141733 Eth0.000274692
0x6924a03B...215AE9B5D 0.761637949171002787 Eth1.122085736782676017 Eth0.36044778761167323
0x8fd31210...880b467b7
(AirSwap: V1 DEX Swap)

Execution Trace

ETH 0.36044778761167323 AirSwapExchange.fill( makerAddress=0x6924a03BB710EaF199AB6AC9F2BB148215AE9B5D, makerAmount=90000000000, makerToken=0x41e5560054824eA6B0732E656E3Ad64E20e94E45, takerAddress=0x26706E18494463d3e40A3dFeD698AD63b255670f, takerAmount=360447787611673230, takerToken=0x0000000000000000000000000000000000000000, expiration=1532544040, nonce=100524040338413715742182754126016130693051017968368957678998435482856006113240, v=27, r=4E3FFB5460826451F969D5665DB5BD6E6CFF8B5D0D4677728A986E34F71E33FF, s=44A3EBCD5115B36FF869C3C23B1FE2C20056829C30EEBA3A4072C9CA809AABD8 )
  • Null: 0x000...001.df322151( )
  • CentrallyIssuedToken.transferFrom( _from=0x6924a03BB710EaF199AB6AC9F2BB148215AE9B5D, _to=0x26706E18494463d3e40A3dFeD698AD63b255670f, _value=90000000000 ) => ( success=True )
  • ETH 0.36044778761167323 0x6924a03bb710eaf199ab6ac9f2bb148215ae9b5d.CALL( )
    File 1 of 2: AirSwapExchange
    pragma solidity ^0.4.11;
    
    // See the Github at https://github.com/airswap/contracts
    
    // Abstract contract for the full ERC 20 Token standard
    // https://github.com/ethereum/EIPs/issues/20
    
    contract Token {
        /* This is a slight change to the ERC20 base standard.
        function totalSupply() constant returns (uint256 supply);
        is replaced with:
        uint256 public totalSupply;
        This automatically creates a getter function for the totalSupply.
        This is moved to the base contract since public getter functions are not
        currently recognised as an implementation of the matching abstract
        function by the compiler.
        */
        /// total amount of tokens
        uint256 public totalSupply;
    
        /// @param _owner The address from which the balance will be retrieved
        /// @return The balance
        function balanceOf(address _owner) constant returns (uint256 balance);
    
        /// @notice send `_value` token to `_to` from `msg.sender`
        /// @param _to The address of the recipient
        /// @param _value The amount of token to be transferred
        /// @return Whether the transfer was successful or not
        function transfer(address _to, uint256 _value) returns (bool success);
    
        /// @notice send `_value` token to `_to` from `_from` on the condition it is approved by `_from`
        /// @param _from The address of the sender
        /// @param _to The address of the recipient
        /// @param _value The amount of token to be transferred
        /// @return Whether the transfer was successful or not
        function transferFrom(address _from, address _to, uint256 _value) returns (bool success);
    
        /// @notice `msg.sender` approves `_spender` to spend `_value` tokens
        /// @param _spender The address of the account able to transfer the tokens
        /// @param _value The amount of tokens to be approved for transfer
        /// @return Whether the approval was successful or not
        function approve(address _spender, uint256 _value) returns (bool success);
    
        /// @param _owner The address of the account owning tokens
        /// @param _spender The address of the account able to transfer the tokens
        /// @return Amount of remaining tokens allowed to spent
        function allowance(address _owner, address _spender) constant returns (uint256 remaining);
    
        event Transfer(address indexed _from, address indexed _to, uint256 _value);
        event Approval(address indexed _owner, address indexed _spender, uint256 _value);
    }
    
    
    /* Implements ERC 20 Token standard: https://github.com/ethereum/EIPs/issues/20 */
    
    contract ERC20 is Token {
    
        function transfer(address _to, uint256 _value) returns (bool success) {
            require(balances[msg.sender] >= _value && balances[_to] + _value > balances[_to]);
            balances[msg.sender] -= _value;
            balances[_to] += _value;
            Transfer(msg.sender, _to, _value);
            return true;
        }
    
        function transferFrom(address _from, address _to, uint256 _value) returns (bool success) {
            require(balances[_from] >= _value && allowed[_from][msg.sender] >= _value && balances[_to] + _value > balances[_to]);
            balances[_to] += _value;
            balances[_from] -= _value;
            allowed[_from][msg.sender] -= _value;
            Transfer(_from, _to, _value);
            return true;
        }
    
        function balanceOf(address _owner) constant returns (uint256 balance) {
            return balances[_owner];
        }
    
        function approve(address _spender, uint256 _value) returns (bool success) {
            allowed[msg.sender][_spender] = _value;
            Approval(msg.sender, _spender, _value);
            return true;
        }
    
        function allowance(address _owner, address _spender) constant returns (uint256 remaining) {
          return allowed[_owner][_spender];
        }
    
        mapping (address => uint256) public balances; // *added public
        mapping (address => mapping (address => uint256)) public allowed; // *added public
    }
    
    /** @title AirSwap exchange contract.
      * Assumes makers and takers have approved this contract to access their balances.
      */
    contract AirSwapExchange {
    
        // Mapping of order hash to bool (true = already filled).
        mapping (bytes32 => bool) public fills;
    
        // Events that are emitted in different scenarios.
        event Filled(address indexed makerAddress, uint makerAmount, address indexed makerToken, address takerAddress, uint takerAmount, address indexed takerToken, uint256 expiration, uint256 nonce);
        event Canceled(address indexed makerAddress, uint makerAmount, address indexed makerToken, address takerAddress, uint takerAmount, address indexed takerToken, uint256 expiration, uint256 nonce);
    
        /** Event thrown when a trade fails
          * Error codes:
          * 1 -> 'The makeAddress and takerAddress must be different',
          * 2 -> 'The order has expired',
          * 3 -> 'This order has already been filled',
          * 4 -> 'The ether sent with this transaction does not match takerAmount',
          * 5 -> 'No ether is required for a trade between tokens',
          * 6 -> 'The sender of this transaction must match the takerAddress',
          * 7 -> 'Order has already been cancelled or filled'
          */
        event Failed(uint code, address indexed makerAddress, uint makerAmount, address indexed makerToken, address takerAddress, uint takerAmount, address indexed takerToken, uint256 expiration, uint256 nonce);
    
        /** Fills an order by transferring tokens between (maker or escrow) and taker.
          * maker is given tokenA to taker,
          */
        function fill(address makerAddress, uint makerAmount, address makerToken,
                      address takerAddress, uint takerAmount, address takerToken,
                      uint256 expiration, uint256 nonce, uint8 v, bytes32 r, bytes32 s) payable {
    
            if (makerAddress == takerAddress) {
                msg.sender.transfer(msg.value);
                Failed(1,
                makerAddress, makerAmount, makerToken,
                takerAddress, takerAmount, takerToken,
                expiration, nonce);
                return;
            }
    
            // Check if this order has expired
            if (expiration < now) {
                msg.sender.transfer(msg.value);
                Failed(2,
                    makerAddress, makerAmount, makerToken,
                    takerAddress, takerAmount, takerToken,
                    expiration, nonce);
                return;
            }
    
            // Validate the message by signature.
            bytes32 hash = validate(makerAddress, makerAmount, makerToken,
                takerAddress, takerAmount, takerToken,
                expiration, nonce, v, r, s);
    
            // Check if this order has already been filled
            if (fills[hash]) {
                msg.sender.transfer(msg.value);
                Failed(3,
                    makerAddress, makerAmount, makerToken,
                    takerAddress, takerAmount, takerToken,
                    expiration, nonce);
                return;
            }
    
            // Check to see if this an order for ether.
            if (takerToken == address(0x0)) {
    
                // Check to make sure the message value is the order amount.
                if (msg.value == takerAmount) {
    
                    // Mark order as filled to prevent reentrancy.
                    fills[hash] = true;
    
                    // Perform the trade between makerAddress and takerAddress.
                    // The transfer will throw if there's a problem.
                    assert(transfer(makerAddress, takerAddress, makerAmount, makerToken));
    
                    // Transfer the ether received from sender to makerAddress.
                    makerAddress.transfer(msg.value);
    
                    // Log an event to indicate completion.
                    Filled(makerAddress, makerAmount, makerToken,
                        takerAddress, takerAmount, takerToken,
                        expiration, nonce);
    
                } else {
                    msg.sender.transfer(msg.value);
                    Failed(4,
                        makerAddress, makerAmount, makerToken,
                        takerAddress, takerAmount, takerToken,
                        expiration, nonce);
                }
    
            } else {
                // This is an order trading two tokens
                // Check that no ether has been sent accidentally
                if (msg.value != 0) {
                    msg.sender.transfer(msg.value);
                    Failed(5,
                        makerAddress, makerAmount, makerToken,
                        takerAddress, takerAmount, takerToken,
                        expiration, nonce);
                    return;
                }
    
                if (takerAddress == msg.sender) {
    
                    // Mark order as filled to prevent reentrancy.
                    fills[hash] = true;
    
                    // Perform the trade between makerAddress and takerAddress.
                    // The transfer will throw if there's a problem.
                    // Assert should never fail
                    assert(trade(makerAddress, makerAmount, makerToken,
                        takerAddress, takerAmount, takerToken));
    
                    // Log an event to indicate completion.
                    Filled(
                        makerAddress, makerAmount, makerToken,
                        takerAddress, takerAmount, takerToken,
                        expiration, nonce);
    
                } else {
                    Failed(6,
                        makerAddress, makerAmount, makerToken,
                        takerAddress, takerAmount, takerToken,
                        expiration, nonce);
                }
            }
        }
    
        /** Cancels an order by refunding escrow and adding it to the fills mapping.
          * Will log an event if
          * - order has been cancelled or
          * - order has already been filled
          * and will do nothing if the maker of the order in question is not the
          * msg.sender
          */
        function cancel(address makerAddress, uint makerAmount, address makerToken,
                        address takerAddress, uint takerAmount, address takerToken,
                        uint256 expiration, uint256 nonce, uint8 v, bytes32 r, bytes32 s) {
    
            // Validate the message by signature.
            bytes32 hash = validate(makerAddress, makerAmount, makerToken,
                takerAddress, takerAmount, takerToken,
                expiration, nonce, v, r, s);
    
            // Only the maker can cancel an order
            if (msg.sender == makerAddress) {
    
                // Check that order has not already been filled/cancelled
                if (fills[hash] == false) {
    
                    // Cancel the order by considering it filled.
                    fills[hash] = true;
    
                    // Broadcast an event to the blockchain.
                    Canceled(makerAddress, makerAmount, makerToken,
                        takerAddress, takerAmount, takerToken,
                        expiration, nonce);
    
                } else {
                    Failed(7,
                        makerAddress, makerAmount, makerToken,
                        takerAddress, takerAmount, takerToken,
                        expiration, nonce);
                }
            }
        }
    
        /** Atomic trade of tokens between first party and second party.
          * Throws if one of the trades does not go through.
          */
        function trade(address makerAddress, uint makerAmount, address makerToken,
                       address takerAddress, uint takerAmount, address takerToken) private returns (bool) {
            return (transfer(makerAddress, takerAddress, makerAmount, makerToken) &&
            transfer(takerAddress, makerAddress, takerAmount, takerToken));
        }
    
        /** Transfers tokens from first party to second party.
          * Prior to a transfer being done by the contract, ensure that
          * tokenVal.approve(this, amount, {from : address}) has been called
          * throws if the transferFrom of the token returns false
          * returns true if, the transfer went through
          */
        function transfer(address from, address to, uint amount, address token) private returns (bool) {
            require(ERC20(token).transferFrom(from, to, amount));
            return true;
        }
    
        /** Validates order arguments for fill() and cancel() functions. */
        function validate(address makerAddress, uint makerAmount, address makerToken,
                          address takerAddress, uint takerAmount, address takerToken,
                          uint256 expiration, uint256 nonce, uint8 v, bytes32 r, bytes32 s) private returns (bytes32) {
    
            // Hash arguments to identify the order.
            bytes32 hashV = keccak256(makerAddress, makerAmount, makerToken,
                takerAddress, takerAmount, takerToken,
                expiration, nonce);
    
            bytes memory prefix = "\x19Ethereum Signed Message:\n32";
            bytes32 prefixedHash = sha3(prefix, hashV);
    
            require(ecrecover(prefixedHash, v, r, s) == makerAddress);
    
            return hashV;
        }
    }

    File 2 of 2: CentrallyIssuedToken
    /*
     * ERC20 interface
     * see https://github.com/ethereum/EIPs/issues/20
     */
    contract ERC20 {
      uint public totalSupply;
      function balanceOf(address who) constant returns (uint);
      function allowance(address owner, address spender) constant returns (uint);
    
      function transfer(address to, uint value) returns (bool ok);
      function transferFrom(address from, address to, uint value) returns (bool ok);
      function approve(address spender, uint value) returns (bool ok);
      event Transfer(address indexed from, address indexed to, uint value);
      event Approval(address indexed owner, address indexed spender, uint value);
    }
    
    
    
    
    
    
    /**
     * Math operations with safety checks
     */
    contract SafeMath {
      function safeMul(uint a, uint b) internal returns (uint) {
        uint c = a * b;
        assert(a == 0 || c / a == b);
        return c;
      }
    
      function safeDiv(uint a, uint b) internal returns (uint) {
        assert(b > 0);
        uint c = a / b;
        assert(a == b * c + a % b);
        return c;
      }
    
      function safeSub(uint a, uint b) internal returns (uint) {
        assert(b <= a);
        return a - b;
      }
    
      function safeAdd(uint a, uint b) internal returns (uint) {
        uint c = a + b;
        assert(c>=a && c>=b);
        return c;
      }
    
      function max64(uint64 a, uint64 b) internal constant returns (uint64) {
        return a >= b ? a : b;
      }
    
      function min64(uint64 a, uint64 b) internal constant returns (uint64) {
        return a < b ? a : b;
      }
    
      function max256(uint256 a, uint256 b) internal constant returns (uint256) {
        return a >= b ? a : b;
      }
    
      function min256(uint256 a, uint256 b) internal constant returns (uint256) {
        return a < b ? a : b;
      }
    
      function assert(bool assertion) internal {
        if (!assertion) {
          throw;
        }
      }
    }
    
    
    
    /**
     * Standard ERC20 token with Short Hand Attack and approve() race condition mitigation.
     *
     * Based on code by FirstBlood:
     * https://github.com/Firstbloodio/token/blob/master/smart_contract/FirstBloodToken.sol
     */
    contract StandardToken is ERC20, SafeMath {
    
      /* Actual balances of token holders */
      mapping(address => uint) balances;
    
      /* approve() allowances */
      mapping (address => mapping (address => uint)) allowed;
    
      /* Interface declaration */
      function isToken() public constant returns (bool weAre) {
        return true;
      }
    
      function transfer(address _to, uint _value) returns (bool success) {
        balances[msg.sender] = safeSub(balances[msg.sender], _value);
        balances[_to] = safeAdd(balances[_to], _value);
        Transfer(msg.sender, _to, _value);
        return true;
      }
    
      function transferFrom(address _from, address _to, uint _value) returns (bool success) {
        uint _allowance = allowed[_from][msg.sender];
    
        balances[_to] = safeAdd(balances[_to], _value);
        balances[_from] = safeSub(balances[_from], _value);
        allowed[_from][msg.sender] = safeSub(_allowance, _value);
        Transfer(_from, _to, _value);
        return true;
      }
    
      function balanceOf(address _owner) constant returns (uint balance) {
        return balances[_owner];
      }
    
      function approve(address _spender, uint _value) returns (bool success) {
    
        // To change the approve amount you first have to reduce the addresses`
        //  allowance to zero by calling `approve(_spender, 0)` if it is not
        //  already 0 to mitigate the race condition described here:
        //  https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
        if ((_value != 0) && (allowed[msg.sender][_spender] != 0)) throw;
    
        allowed[msg.sender][_spender] = _value;
        Approval(msg.sender, _spender, _value);
        return true;
      }
    
      function allowance(address _owner, address _spender) constant returns (uint remaining) {
        return allowed[_owner][_spender];
      }
    
    }
    
    
    /**
     * Upgrade agent interface inspired by Lunyr.
     *
     * Upgrade agent transfers tokens to a new version of a token contract.
     * Upgrade agent can be set on a token by the upgrade master.
     *
     * Steps are
     * - Upgradeabletoken.upgradeMaster calls UpgradeableToken.setUpgradeAgent()
     * - Individual token holders can now call UpgradeableToken.upgrade()
     *   -> This results to call UpgradeAgent.upgradeFrom() that issues new tokens
     *   -> UpgradeableToken.upgrade() reduces the original total supply based on amount of upgraded tokens
     *
     * Upgrade agent itself can be the token contract, or just a middle man contract doing the heavy lifting.
     */
    contract UpgradeAgent {
    
      uint public originalSupply;
    
      /** Interface marker */
      function isUpgradeAgent() public constant returns (bool) {
        return true;
      }
    
      /**
       * Upgrade amount of tokens to a new version.
       *
       * Only callable by UpgradeableToken.
       *
       * @param _tokenHolder Address that wants to upgrade its tokens
       * @param _amount Number of tokens to upgrade. The address may consider to hold back some amount of tokens in the old version.
       */
      function upgradeFrom(address _tokenHolder, uint256 _amount) external;
    }
    
    
    /**
     * A token upgrade mechanism where users can opt-in amount of tokens to the next smart contract revision.
     *
     * First envisioned by Golem and Lunyr projects.
     */
    contract UpgradeableToken is StandardToken {
    
      /** Contract / person who can set the upgrade path. This can be the same as team multisig wallet, as what it is with its default value. */
      address public upgradeMaster;
    
      /** The next contract where the tokens will be migrated. */
      UpgradeAgent public upgradeAgent;
    
      /** How many tokens we have upgraded by now. */
      uint256 public totalUpgraded;
    
      /**
       * Upgrade states.
       *
       * - NotAllowed: The child contract has not reached a condition where the upgrade can bgun
       * - WaitingForAgent: Token allows upgrade, but we don't have a new agent yet
       * - ReadyToUpgrade: The agent is set, but not a single token has been upgraded yet
       * - Upgrading: Upgrade agent is set and the balance holders can upgrade their tokens
       *
       */
      enum UpgradeState {Unknown, NotAllowed, WaitingForAgent, ReadyToUpgrade, Upgrading}
    
      /**
       * Somebody has upgraded some of his tokens.
       */
      event Upgrade(address indexed _from, address indexed _to, uint256 _value);
    
      /**
       * New upgrade agent available.
       */
      event UpgradeAgentSet(address agent);
    
      /**
       * Upgrade master updated.
       */
      event NewUpgradeMaster(address upgradeMaster);
    
      /**
       * Do not allow construction without upgrade master set.
       */
      function UpgradeableToken(address _upgradeMaster) {
        upgradeMaster = _upgradeMaster;
        NewUpgradeMaster(upgradeMaster);
      }
    
      /**
       * Allow the token holder to upgrade some of their tokens to a new contract.
       */
      function upgrade(uint256 value) public {
    
          UpgradeState state = getUpgradeState();
          if(!(state == UpgradeState.ReadyToUpgrade || state == UpgradeState.Upgrading)) {
            // Called in a bad state
            throw;
          }
    
          // Validate input value.
          if (value == 0) throw;
    
          balances[msg.sender] = safeSub(balances[msg.sender], value);
    
          // Take tokens out from circulation
          totalSupply = safeSub(totalSupply, value);
          totalUpgraded = safeAdd(totalUpgraded, value);
    
          // Upgrade agent reissues the tokens
          upgradeAgent.upgradeFrom(msg.sender, value);
          Upgrade(msg.sender, upgradeAgent, value);
      }
    
      /**
       * Set an upgrade agent that handles
       */
      function setUpgradeAgent(address agent) external {
    
          if(!canUpgrade()) {
            // The token is not yet in a state that we could think upgrading
            throw;
          }
    
          if (agent == 0x0) throw;
          // Only a master can designate the next agent
          if (msg.sender != upgradeMaster) throw;
          // Upgrade has already begun for an agent
          if (getUpgradeState() == UpgradeState.Upgrading) throw;
    
          upgradeAgent = UpgradeAgent(agent);
    
          // Bad interface
          if(!upgradeAgent.isUpgradeAgent()) throw;
          // Make sure that token supplies match in source and target
          if (upgradeAgent.originalSupply() != totalSupply) throw;
    
          UpgradeAgentSet(upgradeAgent);
      }
    
      /**
       * Get the state of the token upgrade.
       */
      function getUpgradeState() public constant returns(UpgradeState) {
        if(!canUpgrade()) return UpgradeState.NotAllowed;
        else if(address(upgradeAgent) == 0x00) return UpgradeState.WaitingForAgent;
        else if(totalUpgraded == 0) return UpgradeState.ReadyToUpgrade;
        else return UpgradeState.Upgrading;
      }
    
      /**
       * Change the upgrade master.
       *
       * This allows us to set a new owner for the upgrade mechanism.
       */
      function setUpgradeMaster(address master) public {
          if (master == 0x0) throw;
          if (msg.sender != upgradeMaster) throw;
          upgradeMaster = master;
          NewUpgradeMaster(upgradeMaster);
      }
    
      /**
       * Child contract can enable to provide the condition when the upgrade can begun.
       */
      function canUpgrade() public constant returns(bool) {
         return true;
      }
    
    }
    
    
    
    /**
     * Centrally issued Ethereum token.
     *
     * We mix in burnable and upgradeable traits.
     *
     * Token supply is created in the token contract creation and allocated to owner.
     * The owner can then transfer from its supply to crowdsale participants.
     * The owner, or anybody, can burn any excessive tokens they are holding.
     *
     */
    contract CentrallyIssuedToken is UpgradeableToken {
    
      string public name;
      string public symbol;
      uint public decimals;
    
      /** Name and symbol were updated. */
      event UpdatedTokenInformation(string newName, string newSymbol);
    
      function CentrallyIssuedToken(address _owner, string _name, string _symbol, uint _totalSupply, uint _decimals)  UpgradeableToken(_owner) {
        name = _name;
        symbol = _symbol;
        totalSupply = _totalSupply;
        decimals = _decimals;
    
        // Allocate initial balance to the owner
        balances[_owner] = _totalSupply;
      }
    
      /**
       * Owner can update token information here.
       *
       * It is often useful to conceal the actual token association, until
       * the token operations, like central issuance or reissuance have been completed.
       * In this case the initial token can be supplied with empty name and symbol information.
       *
       * This function allows the token owner to rename the token after the operations
       * have been completed and then point the audience to use the token contract.
       */
      function setTokenInformation(string _name, string _symbol) {
    
        if(msg.sender != upgradeMaster) {
          throw;
        }
    
        if(bytes(name).length > 0 || bytes(symbol).length > 0) {
          // Information already set
          // Allow owner to set this information only once
          throw;
        }
    
        name = _name;
        symbol = _symbol;
        UpdatedTokenInformation(name, symbol);
      }
    
    }