ETH Price: $1,909.06 (-0.12%)

Transaction Decoder

Block:
12248034 at Apr-16-2021 12:51:24 AM +UTC
Transaction Fee:
0.015439120281570951 ETH $29.47
Gas Used:
192,989 Gas / 80.000001459 Gwei

Emitted Events:

28 ProofOfHumanity.AddSubmission( _submissionID=[Sender] 0x3e7d51d84318a975e1978c02d9fcf0ef10f38438, _requestID=0 )
29 ProofOfHumanity.Evidence( _arbitrator=KlerosLiquid, _evidenceGroupID=356752150626232433806762936673672933775668118584, _party=[Sender] 0x3e7d51d84318a975e1978c02d9fcf0ef10f38438, _evidence=/ipfs/QmRHmJ9HGwYNGu6i3B7p6MuTAFdF5Dg5Qoxp3FnocihQ4M/registration.json )

Account State Difference:

  Address   Before After State Difference Code
0x3e7D51D8...F10f38438
0.065983133431329232 Eth
Nonce: 198
0.040544013149758281 Eth
Nonce: 199
0.025439120281570951
(BeePool)
1,501.789616485068184085 Eth1,501.805055605349755036 Eth0.015439120281570951
0xC5E9dDeb...Daf7c9BDb
(Proof of Humanity)
204.061523 Eth204.071523 Eth0.01

Execution Trace

ETH 0.01 ProofOfHumanity.addSubmission( _evidence=/ipfs/QmRHmJ9HGwYNGu6i3B7p6MuTAFdF5Dg5Qoxp3FnocihQ4M/registration.json, _name=Francisco )
  • KlerosLiquid.arbitrationCost( _extraData=0x00000000000000000000000000000000000000000000000000000000000000170000000000000000000000000000000000000000000000000000000000000003 ) => ( cost=57000000000000000 )
    File 1 of 2: ProofOfHumanity
    // File: https://github.com/kleros/ethereum-libraries/blob/39b54dec298117f9753d1a7dd2f08d596d26acdb/contracts/CappedMath.sol
    
    /**
     *  @authors: [@mtsalenc]
     *  @reviewers: [@clesaege]
     *  @auditors: []
     *  @bounties: []
     *  @deployments: []
     */
    
    pragma solidity ^0.5;
    
    
    /**
     * @title CappedMath
     * @dev Math operations with caps for under and overflow.
     */
    library CappedMath {
        uint constant private UINT_MAX = 2**256 - 1;
        uint64 constant private UINT64_MAX = 2**64 - 1;
    
        /**
         * @dev Adds two unsigned integers, returns 2^256 - 1 on overflow.
         */
        function addCap(uint _a, uint _b) internal pure returns (uint) {
            uint c = _a + _b;
            return c >= _a ? c : UINT_MAX;
        }
    
        /**
         * @dev Subtracts two integers, returns 0 on underflow.
         */
        function subCap(uint _a, uint _b) internal pure returns (uint) {
            if (_b > _a)
                return 0;
            else
                return _a - _b;
        }
    
        /**
         * @dev Multiplies two unsigned integers, returns 2^256 - 1 on overflow.
         */
        function mulCap(uint _a, uint _b) internal pure returns (uint) {
            // Gas optimization: this is cheaper than requiring '_a' not being zero, but the
            // benefit is lost if '_b' is also tested.
            // See: https://github.com/OpenZeppelin/openzeppelin-solidity/pull/522
            if (_a == 0)
                return 0;
    
            uint c = _a * _b;
            return c / _a == _b ? c : UINT_MAX;
        }
    
        function addCap64(uint64 _a, uint64 _b) internal pure returns (uint64) {
            uint64 c = _a + _b;
            return c >= _a ? c : UINT64_MAX;
        }
    
    
        function subCap64(uint64 _a, uint64 _b) internal pure returns (uint64) {
            if (_b > _a)
                return 0;
            else
                return _a - _b;
        }
    
        function mulCap64(uint64 _a, uint64 _b) internal pure returns (uint64) {
            if (_a == 0)
                return 0;
    
            uint64 c = _a * _b;
            return c / _a == _b ? c : UINT64_MAX;
        }
    }
    
    // File: https://github.com/kleros/erc-792/blob/c00f37dacdbf296e038bbaec9ad86c6a2f4b48d1/contracts/erc-1497/IEvidence.sol
    
    pragma solidity ^0.5;
    
    
    /** @title IEvidence
     *  ERC-1497: Evidence Standard
     */
    interface IEvidence {
    
        /** @dev To be emitted when meta-evidence is submitted.
         *  @param _metaEvidenceID Unique identifier of meta-evidence.
         *  @param _evidence A link to the meta-evidence JSON.
         */
        event MetaEvidence(uint indexed _metaEvidenceID, string _evidence);
    
        /** @dev To be raised when evidence is submitted. Should point to the resource (evidences are not to be stored on chain due to gas considerations).
         *  @param _arbitrator The arbitrator of the contract.
         *  @param _evidenceGroupID Unique identifier of the evidence group the evidence belongs to.
         *  @param _party The address of the party submiting the evidence. Note that 0x0 refers to evidence not submitted by any party.
         *  @param _evidence A URI to the evidence JSON file whose name should be its keccak256 hash followed by .json.
         */
        event Evidence(IArbitrator indexed _arbitrator, uint indexed _evidenceGroupID, address indexed _party, string _evidence);
    
        /** @dev To be emitted when a dispute is created to link the correct meta-evidence to the disputeID.
         *  @param _arbitrator The arbitrator of the contract.
         *  @param _disputeID ID of the dispute in the Arbitrator contract.
         *  @param _metaEvidenceID Unique identifier of meta-evidence.
         *  @param _evidenceGroupID Unique identifier of the evidence group that is linked to this dispute.
         */
        event Dispute(IArbitrator indexed _arbitrator, uint indexed _disputeID, uint _metaEvidenceID, uint _evidenceGroupID);
    
    }
    
    // File: https://github.com/kleros/erc-792/blob/c00f37dacdbf296e038bbaec9ad86c6a2f4b48d1/contracts/IArbitrator.sol
    
    /**
     *  @title Arbitrator
     *  @author Clément Lesaege - <[email protected]>
     */
    
    pragma solidity ^0.5;
    
    
    /** @title Arbitrator
     *  Arbitrator abstract contract.
     *  When developing arbitrator contracts we need to:
     *  -Define the functions for dispute creation (createDispute) and appeal (appeal). Don't forget to store the arbitrated contract and the disputeID (which should be unique, may nbDisputes).
     *  -Define the functions for cost display (arbitrationCost and appealCost).
     *  -Allow giving rulings. For this a function must call arbitrable.rule(disputeID, ruling).
     */
    interface IArbitrator {
    
        enum DisputeStatus {Waiting, Appealable, Solved}
    
    
        /** @dev To be emitted when a dispute is created.
         *  @param _disputeID ID of the dispute.
         *  @param _arbitrable The contract which created the dispute.
         */
        event DisputeCreation(uint indexed _disputeID, IArbitrable indexed _arbitrable);
    
        /** @dev To be emitted when a dispute can be appealed.
         *  @param _disputeID ID of the dispute.
         */
        event AppealPossible(uint indexed _disputeID, IArbitrable indexed _arbitrable);
    
        /** @dev To be emitted when the current ruling is appealed.
         *  @param _disputeID ID of the dispute.
         *  @param _arbitrable The contract which created the dispute.
         */
        event AppealDecision(uint indexed _disputeID, IArbitrable indexed _arbitrable);
    
        /** @dev Create a dispute. Must be called by the arbitrable contract.
         *  Must be paid at least arbitrationCost(_extraData).
         *  @param _choices Amount of choices the arbitrator can make in this dispute.
         *  @param _extraData Can be used to give additional info on the dispute to be created.
         *  @return disputeID ID of the dispute created.
         */
        function createDispute(uint _choices, bytes calldata _extraData) external payable returns(uint disputeID);
    
        /** @dev Compute the cost of arbitration. It is recommended not to increase it often, as it can be highly time and gas consuming for the arbitrated contracts to cope with fee augmentation.
         *  @param _extraData Can be used to give additional info on the dispute to be created.
         *  @return cost Amount to be paid.
         */
        function arbitrationCost(bytes calldata _extraData) external view returns(uint cost);
    
        /** @dev Appeal a ruling. Note that it has to be called before the arbitrator contract calls rule.
         *  @param _disputeID ID of the dispute to be appealed.
         *  @param _extraData Can be used to give extra info on the appeal.
         */
        function appeal(uint _disputeID, bytes calldata _extraData) external payable;
    
        /** @dev Compute the cost of appeal. It is recommended not to increase it often, as it can be higly time and gas consuming for the arbitrated contracts to cope with fee augmentation.
         *  @param _disputeID ID of the dispute to be appealed.
         *  @param _extraData Can be used to give additional info on the dispute to be created.
         *  @return cost Amount to be paid.
         */
        function appealCost(uint _disputeID, bytes calldata _extraData) external view returns(uint cost);
    
        /** @dev Compute the start and end of the dispute's current or next appeal period, if possible. If not known or appeal is impossible: should return (0, 0).
         *  @param _disputeID ID of the dispute.
         *  @return The start and end of the period.
         */
        function appealPeriod(uint _disputeID) external view returns(uint start, uint end);
    
        /** @dev Return the status of a dispute.
         *  @param _disputeID ID of the dispute to rule.
         *  @return status The status of the dispute.
         */
        function disputeStatus(uint _disputeID) external view returns(DisputeStatus status);
    
        /** @dev Return the current ruling of a dispute. This is useful for parties to know if they should appeal.
         *  @param _disputeID ID of the dispute.
         *  @return ruling The ruling which has been given or the one which will be given if there is no appeal.
         */
        function currentRuling(uint _disputeID) external view returns(uint ruling);
    
    }
    
    // File: https://github.com/kleros/erc-792/blob/c00f37dacdbf296e038bbaec9ad86c6a2f4b48d1/contracts/IArbitrable.sol
    
    /**
     *  @title IArbitrable
     *  @author Enrique Piqueras - <[email protected]>
     */
    
    pragma solidity ^0.5;
    
    
    /** @title IArbitrable
     *  Arbitrable interface.
     *  When developing arbitrable contracts, we need to:
     *  -Define the action taken when a ruling is received by the contract.
     *  -Allow dispute creation. For this a function must call arbitrator.createDispute.value(_fee)(_choices,_extraData);
     */
    interface IArbitrable {
    
        /** @dev To be raised when a ruling is given.
         *  @param _arbitrator The arbitrator giving the ruling.
         *  @param _disputeID ID of the dispute in the Arbitrator contract.
         *  @param _ruling The ruling which was given.
         */
        event Ruling(IArbitrator indexed _arbitrator, uint indexed _disputeID, uint _ruling);
    
        /** @dev Give a ruling for a dispute. Must be called by the arbitrator.
         *  The purpose of this function is to ensure that the address calling it has the right to rule on the contract.
         *  @param _disputeID ID of the dispute in the Arbitrator contract.
         *  @param _ruling Ruling given by the arbitrator. Note that 0 is reserved for "Not able/wanting to make a decision".
         */
        function rule(uint _disputeID, uint _ruling) external;
    }
    
    // File: browser/github/Proof-Of-Humanity/Proof-Of-Humanity/contracts/ProofOfHumanity.sol
    
    /**
     *  @authors: [@unknownunknown1, @nix1g]
     *  @reviewers: [@fnanni-0*, @mtsalenc*, @nix1g*, @clesaege*, @hbarcelos*, @ferittuncer]
     *  @auditors: []
     *  @bounties: []
     *  @deployments: []
     *  @tools: [MythX*]
     */
    
    pragma solidity ^0.5.13;
    pragma experimental ABIEncoderV2;
    
    /**
     *  @title ProofOfHumanity
     *  This contract is a curated registry for people. The users are identified by their address and can be added or removed through the request-challenge protocol.
     *  In order to challenge a registration request the challenger must provide one of the four reasons.
     *  New registration requests firstly should gain sufficient amount of vouches from other registered users and only after that they can be accepted or challenged.
     *  The users who vouched for submission that lost the challenge with the reason Duplicate or DoesNotExist would be penalized with optional fine or ban period.
     *  NOTE: This contract trusts that the Arbitrator is honest and will not reenter or modify its costs during a call.
     *  The arbitrator must support appeal period.
     */
    contract ProofOfHumanity is IArbitrable, IEvidence {
        using CappedMath for uint;
        using CappedMath for uint64;
    
        /* Constants and immutable */
    
        uint private constant RULING_OPTIONS = 2; // The amount of non 0 choices the arbitrator can give.
        uint private constant AUTO_PROCESSED_VOUCH = 10; // The number of vouches that will be automatically processed when executing a request.
        uint private constant FULL_REASONS_SET = 15; // Indicates that reasons' bitmap is full. 0b1111.
        uint private constant MULTIPLIER_DIVISOR = 10000; // Divisor parameter for multipliers.
    
        bytes32 private DOMAIN_SEPARATOR; // The EIP-712 domainSeparator specific to this deployed instance. It is used to verify the IsHumanVoucher's signature.
        bytes32 private constant IS_HUMAN_VOUCHER_TYPEHASH = 0xa9e3fa1df5c3dbef1e9cfb610fa780355a0b5e0acb0fa8249777ec973ca789dc; // The EIP-712 typeHash of IsHumanVoucher. keccak256("IsHumanVoucher(address vouchedSubmission,uint256 voucherExpirationTimestamp)").
    
        /* Enums */
    
        enum Status {
            None, // The submission doesn't have a pending status.
            Vouching, // The submission is in the state where it can be vouched for and crowdfunded.
            PendingRegistration, // The submission is in the state where it can be challenged. Or accepted to the list, if there are no challenges within the time limit.
            PendingRemoval // The submission is in the state where it can be challenged. Or removed from the list, if there are no challenges within the time limit.
        }
    
        enum Party {
            None, // Party per default when there is no challenger or requester. Also used for unconclusive ruling.
            Requester, // Party that made the request to change a status.
            Challenger // Party that challenged the request to change a status.
        }
    
        enum Reason {
            None, // No reason specified. This option should be used to challenge removal requests.
            IncorrectSubmission, // The submission does not comply with the submission rules.
            Deceased, // The submitter has existed but does not exist anymore.
            Duplicate, // The submitter is already registered. The challenger has to point to the identity already registered or to a duplicate submission.
            DoesNotExist // The submitter is not real. For example, this can be used for videos showing computer generated persons.
        }
    
        /* Structs */
    
        struct Submission {
            Status status; // The current status of the submission.
            bool registered; // Whether the submission is in the registry or not. Note that a registered submission won't have privileges (e.g. vouching) if its duration expired.
            bool hasVouched; // True if this submission used its vouch for another submission. This is set back to false once the vouch is processed.
            uint64 submissionTime; // The time when the submission was accepted to the list.
            uint64 index; // Index of a submission.
            Request[] requests; // List of status change requests made for the submission.
        }
    
        struct Request {
            bool disputed; // True if a dispute was raised. Note that the request can enter disputed state multiple times, once per reason.
            bool resolved; // True if the request is executed and/or all raised disputes are resolved.
            bool requesterLost; // True if the requester has already had a dispute that wasn't ruled in his favor.
            Reason currentReason; // Current reason a registration request was challenged with. Is left empty for removal requests.
            uint8 usedReasons; // Bitmap of the reasons used by challengers of this request.
            uint16 nbParallelDisputes; // Tracks the number of simultaneously raised disputes. Parallel disputes are only allowed for reason Duplicate.
            uint16 arbitratorDataID; // The index of the relevant arbitratorData struct. All the arbitrator info is stored in a separate struct to reduce gas cost.
            uint16 lastChallengeID; // The ID of the last challenge, which is equal to the total number of challenges for the request.
            uint32 lastProcessedVouch; // Stores the index of the last processed vouch in the array of vouches. It is used for partial processing of the vouches in resolved submissions.
            uint64 currentDuplicateIndex; // Stores the index of the duplicate submission provided by the challenger who is currently winning.
            uint64 challengePeriodStart; // Time when the submission can be challenged.
            address payable requester; // Address that made a request. It is left empty for the registration requests since it matches submissionID in that case.
            address payable ultimateChallenger; // Address of the challenger who won a dispute and who users that vouched for the request must pay the fines to.
            address[] vouches; // Stores the addresses of submissions that vouched for this request and whose vouches were used in this request.
            mapping(uint => Challenge) challenges; // Stores all the challenges of this request. challengeID -> Challenge.
            mapping(address => bool) challengeDuplicates; // Indicates whether a certain duplicate address has been used in a challenge or not.
        }
    
        // Some arrays below have 3 elements to map with the Party enums for better readability:
        // - 0: is unused, matches `Party.None`.
        // - 1: for `Party.Requester`.
        // - 2: for `Party.Challenger`.
        struct Round {
            uint[3] paidFees; // Tracks the fees paid by each side in this round.
            Party sideFunded; // Stores the side that successfully paid the appeal fees in the latest round. Note that if both sides have paid a new round is created.
            uint feeRewards; // Sum of reimbursable fees and stake rewards available to the parties that made contributions to the side that ultimately wins a dispute.
            mapping(address => uint[3]) contributions; // Maps contributors to their contributions for each side.
        }
    
        struct Challenge {
            uint disputeID; // The ID of the dispute related to the challenge.
            Party ruling; // Ruling given by the arbitrator of the dispute.
            uint16 lastRoundID; // The ID of the last round.
            uint64 duplicateSubmissionIndex; // Index of a submission, which is a supposed duplicate of a challenged submission. It is only used for reason Duplicate.
            address payable challenger; // Address that challenged the request.
            mapping(uint => Round) rounds; // Tracks the info of each funding round of the challenge.
        }
    
        // The data tied to the arbitrator that will be needed to recover the submission info for arbitrator's call.
        struct DisputeData {
            uint96 challengeID; // The ID of the challenge of the request.
            address submissionID; // The submission, which ongoing request was challenged.
        }
    
        struct ArbitratorData {
            IArbitrator arbitrator; // Address of the trusted arbitrator to solve disputes.
            uint96 metaEvidenceUpdates; // The meta evidence to be used in disputes.
            bytes arbitratorExtraData; // Extra data for the arbitrator.
        }
    
        /* Storage */
    
        address public governor; // The address that can make governance changes to the parameters of the contract.
    
        uint public submissionBaseDeposit; // The base deposit to make a new request for a submission.
    
        // Note that to ensure correct contract behaviour the sum of challengePeriodDuration and renewalPeriodDuration should be less than submissionDuration.
        uint64 public submissionDuration; // Time after which the registered submission will no longer be considered registered. The submitter has to reapply to the list to refresh it.
        uint64 public renewalPeriodDuration; //  The duration of the period when the registered submission can reapply.
        uint64 public challengePeriodDuration; // The time after which a request becomes executable if not challenged. Note that this value should be less than the time spent on potential dispute's resolution, to avoid complications of parallel dispute handling.
    
        uint64 public requiredNumberOfVouches; // The number of registered users that have to vouch for a new registration request in order for it to enter PendingRegistration state.
    
        uint public sharedStakeMultiplier; // Multiplier for calculating the fee stake that must be paid in the case where arbitrator refused to arbitrate.
        uint public winnerStakeMultiplier; // Multiplier for calculating the fee stake paid by the party that won the previous round.
        uint public loserStakeMultiplier; // Multiplier for calculating the fee stake paid by the party that lost the previous round.
    
        uint public submissionCounter; // The total count of all submissions that made a registration request at some point. Includes manually added submissions as well.
    
        ArbitratorData[] public arbitratorDataList; // Stores the arbitrator data of the contract. Updated each time the data is changed.
    
        mapping(address => Submission) private submissions; // Maps the submission ID to its data. submissions[submissionID]. It is private because of getSubmissionInfo().
        mapping(address => mapping(address => bool)) public vouches; // Indicates whether or not the voucher has vouched for a certain submission. vouches[voucherID][submissionID].
        mapping(address => mapping(uint => DisputeData)) public arbitratorDisputeIDToDisputeData; // Maps a dispute ID with its data. arbitratorDisputeIDToDisputeData[arbitrator][disputeID].
    
        /* Modifiers */
    
        modifier onlyGovernor {require(msg.sender == governor, "The caller must be the governor"); _;}
    
        /* Events */
    
        /**
         *  @dev Emitted when a vouch is added.
         *  @param _submissionID The submission that receives the vouch.
         *  @param _voucher The address that vouched.
         */
        event VouchAdded(address indexed _submissionID, address indexed _voucher);
    
        /**
         *  @dev Emitted when a vouch is removed.
         *  @param _submissionID The submission which vouch is removed.
         *  @param _voucher The address that removes its vouch.
         */
        event VouchRemoved(address indexed _submissionID, address indexed _voucher);
    
        /** @dev Emitted when the request to add a submission to the registry is made.
         *  @param _submissionID The ID of the submission.
         *  @param _requestID The ID of the newly created request.
         */
        event AddSubmission(address indexed _submissionID, uint _requestID);
    
        /** @dev Emitted when the reapplication request is made.
         *  @param _submissionID The ID of the submission.
         *  @param _requestID The ID of the newly created request.
         */
        event ReapplySubmission(address indexed _submissionID, uint _requestID);
    
        /** @dev Emitted when the removal request is made.
         *  @param _requester The address that made the request.
         *  @param _submissionID The ID of the submission.
         *  @param _requestID The ID of the newly created request.
         */
        event RemoveSubmission(address indexed _requester, address indexed _submissionID, uint _requestID);
    
        /** @dev Emitted when the submission is challenged.
         *  @param _submissionID The ID of the submission.
         *  @param _requestID The ID of the latest request.
         *  @param _challengeID The ID of the challenge.
         */
        event SubmissionChallenged(address indexed _submissionID, uint indexed _requestID, uint _challengeID);
    
        /** @dev To be emitted when someone contributes to the appeal process.
         *  @param _submissionID The ID of the submission.
         *  @param _challengeID The index of the challenge.
         *  @param _party The party which received the contribution.
         *  @param _contributor The address of the contributor.
         *  @param _amount The amount contributed.
         */
        event AppealContribution(address indexed _submissionID, uint indexed _challengeID, Party _party, address indexed _contributor, uint _amount);
    
        /** @dev Emitted when one of the parties successfully paid its appeal fees.
         *  @param _submissionID The ID of the submission.
         *  @param _challengeID The index of the challenge which appeal was funded.
         *  @param _side The side that is fully funded.
         */
        event HasPaidAppealFee(address indexed _submissionID, uint indexed _challengeID, Party _side);
    
        /** @dev Emitted when the challenge is resolved.
         *  @param _submissionID The ID of the submission.
         *  @param _requestID The ID of the latest request.
         *  @param _challengeID The ID of the challenge that was resolved.
         */
        event ChallengeResolved(address indexed _submissionID, uint indexed _requestID, uint _challengeID);
    
        /** @dev Emitted in the constructor using most of its parameters.
         *  This event is needed for Subgraph. ArbitratorExtraData and renewalPeriodDuration are not needed for this event.
         */
        event ArbitratorComplete(
            IArbitrator _arbitrator,
            address indexed _governor,
            uint _submissionBaseDeposit,
            uint _submissionDuration,
            uint _challengePeriodDuration,
            uint _requiredNumberOfVouches,
            uint _sharedStakeMultiplier,
            uint _winnerStakeMultiplier,
            uint _loserStakeMultiplier
        );
    
        /** @dev Constructor.
         *  @param _arbitrator The trusted arbitrator to resolve potential disputes.
         *  @param _arbitratorExtraData Extra data for the trusted arbitrator contract.
         *  @param _registrationMetaEvidence The URI of the meta evidence object for registration requests.
         *  @param _clearingMetaEvidence The URI of the meta evidence object for clearing requests.
         *  @param _submissionBaseDeposit The base deposit to make a request for a submission.
         *  @param _submissionDuration Time in seconds during which the registered submission won't automatically lose its status.
         *  @param _renewalPeriodDuration Value that defines the duration of submission's renewal period.
         *  @param _challengePeriodDuration The time in seconds during which the request can be challenged.
         *  @param _multipliers The array that contains fee stake multipliers to avoid 'stack too deep' error.
         *  @param _requiredNumberOfVouches The number of vouches the submission has to have to pass from Vouching to PendingRegistration state.
         */
        constructor(
            IArbitrator _arbitrator,
            bytes memory _arbitratorExtraData,
            string memory _registrationMetaEvidence,
            string memory _clearingMetaEvidence,
            uint _submissionBaseDeposit,
            uint64 _submissionDuration,
            uint64 _renewalPeriodDuration,
            uint64 _challengePeriodDuration,
            uint[3] memory _multipliers,
            uint64 _requiredNumberOfVouches
        ) public {
            emit MetaEvidence(0, _registrationMetaEvidence);
            emit MetaEvidence(1, _clearingMetaEvidence);
    
            governor = msg.sender;
            submissionBaseDeposit = _submissionBaseDeposit;
            submissionDuration = _submissionDuration;
            renewalPeriodDuration = _renewalPeriodDuration;
            challengePeriodDuration = _challengePeriodDuration;
            sharedStakeMultiplier = _multipliers[0];
            winnerStakeMultiplier = _multipliers[1];
            loserStakeMultiplier = _multipliers[2];
            requiredNumberOfVouches = _requiredNumberOfVouches;
    
            ArbitratorData storage arbitratorData = arbitratorDataList[arbitratorDataList.length++];
            arbitratorData.arbitrator = _arbitrator;
            arbitratorData.arbitratorExtraData = _arbitratorExtraData;
            emit ArbitratorComplete(_arbitrator, msg.sender, _submissionBaseDeposit, _submissionDuration, _challengePeriodDuration, _requiredNumberOfVouches, _multipliers[0], _multipliers[1], _multipliers[2]);
    
            // EIP-712.
            bytes32 DOMAIN_TYPEHASH = 0x8cad95687ba82c2ce50e74f7b754645e5117c3a5bec8151c0726d5857980a866; // keccak256("EIP712Domain(string name,uint256 chainId,address verifyingContract)").
            uint256 chainId;
            assembly { chainId := chainid } // block.chainid got introduced in Solidity v0.8.0.
            DOMAIN_SEPARATOR = keccak256(abi.encode(DOMAIN_TYPEHASH, keccak256("Proof of Humanity"), chainId, address(this)));
        }
    
        /* External and Public */
    
        // ************************ //
        // *      Governance      * //
        // ************************ //
    
        /** @dev Allows the governor to directly add new submissions to the list as a part of the seeding event.
         *  @param _submissionIDs The addresses of newly added submissions.
         *  @param _evidence The array of evidence links for each submission.
         *  @param _names The array of names of the submitters. This parameter is for Subgraph only and it won't be used in this function.
         */
        function addSubmissionManually(address[] calldata _submissionIDs, string[] calldata _evidence, string[] calldata _names) external onlyGovernor {
            uint counter = submissionCounter;
            uint arbitratorDataID = arbitratorDataList.length - 1;
            for (uint i = 0; i < _submissionIDs.length; i++) {
                Submission storage submission = submissions[_submissionIDs[i]];
                require(submission.requests.length == 0, "Submission already been created");
                submission.index = uint64(counter);
                counter++;
    
                Request storage request = submission.requests[submission.requests.length++];
                submission.registered = true;
    
                submission.submissionTime = uint64(now);
                request.arbitratorDataID = uint16(arbitratorDataID);
                request.resolved = true;
    
                if (bytes(_evidence[i]).length > 0)
                    emit Evidence(arbitratorDataList[arbitratorDataID].arbitrator, uint(_submissionIDs[i]), msg.sender, _evidence[i]);
            }
            submissionCounter = counter;
        }
    
        /** @dev Allows the governor to directly remove a registered entry from the list as a part of the seeding event.
         *  @param _submissionID The address of a submission to remove.
         */
        function removeSubmissionManually(address _submissionID) external onlyGovernor {
            Submission storage submission = submissions[_submissionID];
            require(submission.registered && submission.status == Status.None, "Wrong status");
            submission.registered = false;
        }
    
        /** @dev Change the base amount required as a deposit to make a request for a submission.
         *  @param _submissionBaseDeposit The new base amount of wei required to make a new request.
         */
        function changeSubmissionBaseDeposit(uint _submissionBaseDeposit) external onlyGovernor {
            submissionBaseDeposit = _submissionBaseDeposit;
        }
    
        /** @dev Change the duration of the submission, renewal and challenge periods.
         *  @param _submissionDuration The new duration of the time the submission is considered registered.
         *  @param _renewalPeriodDuration The new value that defines the duration of submission's renewal period.
         *  @param _challengePeriodDuration The new duration of the challenge period. It should be lower than the time for a dispute.
         */
        function changeDurations(uint64 _submissionDuration, uint64 _renewalPeriodDuration, uint64 _challengePeriodDuration) external onlyGovernor {
            require(_challengePeriodDuration.addCap64(_renewalPeriodDuration) < _submissionDuration, "Incorrect inputs");
            submissionDuration = _submissionDuration;
            renewalPeriodDuration = _renewalPeriodDuration;
            challengePeriodDuration = _challengePeriodDuration;
        }
    
        /** @dev Change the number of vouches required for the request to pass to the pending state.
         *  @param _requiredNumberOfVouches The new required number of vouches.
         */
        function changeRequiredNumberOfVouches(uint64 _requiredNumberOfVouches) external onlyGovernor {
            requiredNumberOfVouches = _requiredNumberOfVouches;
        }
    
        /** @dev Change the proportion of arbitration fees that must be paid as fee stake by parties when there is no winner or loser (e.g. when the arbitrator refused to rule).
         *  @param _sharedStakeMultiplier Multiplier of arbitration fees that must be paid as fee stake. In basis points.
         */
        function changeSharedStakeMultiplier(uint _sharedStakeMultiplier) external onlyGovernor {
            sharedStakeMultiplier = _sharedStakeMultiplier;
        }
    
        /** @dev Change the proportion of arbitration fees that must be paid as fee stake by the winner of the previous round.
         *  @param _winnerStakeMultiplier Multiplier of arbitration fees that must be paid as fee stake. In basis points.
         */
        function changeWinnerStakeMultiplier(uint _winnerStakeMultiplier) external onlyGovernor {
            winnerStakeMultiplier = _winnerStakeMultiplier;
        }
    
        /** @dev Change the proportion of arbitration fees that must be paid as fee stake by the party that lost the previous round.
         *  @param _loserStakeMultiplier Multiplier of arbitration fees that must be paid as fee stake. In basis points.
         */
        function changeLoserStakeMultiplier(uint _loserStakeMultiplier) external onlyGovernor {
            loserStakeMultiplier = _loserStakeMultiplier;
        }
    
        /** @dev Change the governor of the contract.
         *  @param _governor The address of the new governor.
         */
        function changeGovernor(address _governor) external onlyGovernor {
            governor = _governor;
        }
    
        /** @dev Update the meta evidence used for disputes.
         *  @param _registrationMetaEvidence The meta evidence to be used for future registration request disputes.
         *  @param _clearingMetaEvidence The meta evidence to be used for future clearing request disputes.
         */
        function changeMetaEvidence(string calldata _registrationMetaEvidence, string calldata _clearingMetaEvidence) external onlyGovernor {
            ArbitratorData storage arbitratorData = arbitratorDataList[arbitratorDataList.length - 1];
            uint96 newMetaEvidenceUpdates = arbitratorData.metaEvidenceUpdates + 1;
            arbitratorDataList.push(ArbitratorData({
                arbitrator: arbitratorData.arbitrator,
                metaEvidenceUpdates: newMetaEvidenceUpdates,
                arbitratorExtraData: arbitratorData.arbitratorExtraData
            }));
            emit MetaEvidence(2 * newMetaEvidenceUpdates, _registrationMetaEvidence);
            emit MetaEvidence(2 * newMetaEvidenceUpdates + 1, _clearingMetaEvidence);
        }
    
        /** @dev Change the arbitrator to be used for disputes that may be raised in the next requests. The arbitrator is trusted to support appeal period and not reenter.
         *  @param _arbitrator The new trusted arbitrator to be used in the next requests.
         *  @param _arbitratorExtraData The extra data used by the new arbitrator.
         */
        function changeArbitrator(IArbitrator _arbitrator, bytes calldata _arbitratorExtraData) external onlyGovernor {
            ArbitratorData storage arbitratorData = arbitratorDataList[arbitratorDataList.length - 1];
            arbitratorDataList.push(ArbitratorData({
                arbitrator: _arbitrator,
                metaEvidenceUpdates: arbitratorData.metaEvidenceUpdates,
                arbitratorExtraData: _arbitratorExtraData
            }));
        }
    
        // ************************ //
        // *       Requests       * //
        // ************************ //
    
        /** @dev Make a request to add a new entry to the list. Paying the full deposit right away is not required as it can be crowdfunded later.
         *  @param _evidence A link to evidence using its URI.
         *  @param _name The name of the submitter. This parameter is for Subgraph only and it won't be used in this function.
         */
        function addSubmission(string calldata _evidence, string calldata _name) external payable {
            Submission storage submission = submissions[msg.sender];
            require(!submission.registered && submission.status == Status.None, "Wrong status");
            if (submission.requests.length == 0) {
                submission.index = uint64(submissionCounter);
                submissionCounter++;
            }
            submission.status = Status.Vouching;
            emit AddSubmission(msg.sender, submission.requests.length);
            requestRegistration(msg.sender, _evidence);
        }
    
        /** @dev Make a request to refresh a submissionDuration. Paying the full deposit right away is not required as it can be crowdfunded later.
         *  Note that the user can reapply even when current submissionDuration has not expired, but only after the start of renewal period.
         *  @param _evidence A link to evidence using its URI.
         *  @param _name The name of the submitter. This parameter is for Subgraph only and it won't be used in this function.
         */
        function reapplySubmission(string calldata _evidence, string calldata _name) external payable {
            Submission storage submission = submissions[msg.sender];
            require(submission.registered && submission.status == Status.None, "Wrong status");
            uint renewalAvailableAt = submission.submissionTime.addCap64(submissionDuration.subCap64(renewalPeriodDuration));
            require(now >= renewalAvailableAt, "Can't reapply yet");
            submission.status = Status.Vouching;
            emit ReapplySubmission(msg.sender, submission.requests.length);
            requestRegistration(msg.sender, _evidence);
        }
    
        /** @dev Make a request to remove a submission from the list. Requires full deposit. Accepts enough ETH to cover the deposit, reimburses the rest.
         *  Note that this request can't be made during the renewal period to avoid spam leading to submission's expiration.
         *  @param _submissionID The address of the submission to remove.
         *  @param _evidence A link to evidence using its URI.
         */
        function removeSubmission(address _submissionID, string calldata _evidence) external payable {
            Submission storage submission = submissions[_submissionID];
            require(submission.registered && submission.status == Status.None, "Wrong status");
            uint renewalAvailableAt = submission.submissionTime.addCap64(submissionDuration.subCap64(renewalPeriodDuration));
            require(now < renewalAvailableAt, "Can't remove after renewal");
            submission.status = Status.PendingRemoval;
    
            Request storage request = submission.requests[submission.requests.length++];
            request.requester = msg.sender;
            request.challengePeriodStart = uint64(now);
    
            uint arbitratorDataID = arbitratorDataList.length - 1;
            request.arbitratorDataID = uint16(arbitratorDataID);
    
            Round storage round = request.challenges[0].rounds[0];
    
            IArbitrator requestArbitrator = arbitratorDataList[arbitratorDataID].arbitrator;
            uint arbitrationCost = requestArbitrator.arbitrationCost(arbitratorDataList[arbitratorDataID].arbitratorExtraData);
            uint totalCost = arbitrationCost.addCap(submissionBaseDeposit);
            contribute(round, Party.Requester, msg.sender, msg.value, totalCost);
    
            require(round.paidFees[uint(Party.Requester)] >= totalCost, "You must fully fund your side");
            round.sideFunded = Party.Requester;
    
            emit RemoveSubmission(msg.sender, _submissionID, submission.requests.length - 1);
    
            if (bytes(_evidence).length > 0)
                emit Evidence(requestArbitrator, submission.requests.length - 1 + uint(_submissionID), msg.sender, _evidence);
        }
    
        /** @dev Fund the requester's deposit. Accepts enough ETH to cover the deposit, reimburses the rest.
         *  @param _submissionID The address of the submission which ongoing request to fund.
         */
        function fundSubmission(address _submissionID) external payable {
            Submission storage submission = submissions[_submissionID];
            require(submission.status == Status.Vouching, "Wrong status");
            Request storage request = submission.requests[submission.requests.length - 1];
            Challenge storage challenge = request.challenges[0];
            Round storage round = challenge.rounds[0];
    
            ArbitratorData storage arbitratorData = arbitratorDataList[request.arbitratorDataID];
            uint arbitrationCost = arbitratorData.arbitrator.arbitrationCost(arbitratorData.arbitratorExtraData);
            uint totalCost = arbitrationCost.addCap(submissionBaseDeposit);
            contribute(round, Party.Requester, msg.sender, msg.value, totalCost);
    
            if (round.paidFees[uint(Party.Requester)] >= totalCost)
                round.sideFunded = Party.Requester;
        }
    
        /** @dev Vouch for the submission. Note that the event spam is not an issue as it will be handled by the UI.
         *  @param _submissionID The address of the submission to vouch for.
         */
        function addVouch(address _submissionID) external {
            vouches[msg.sender][_submissionID] = true;
            emit VouchAdded(_submissionID, msg.sender);
        }
    
        /** @dev Remove the submission's vouch that has been added earlier. Note that the event spam is not an issue as it will be handled by the UI.
         *  @param _submissionID The address of the submission to remove vouch from.
         */
        function removeVouch(address _submissionID) external {
            vouches[msg.sender][_submissionID] = false;
            emit VouchRemoved(_submissionID, msg.sender);
        }
    
        /** @dev Allows to withdraw a mistakenly added submission while it's still in a vouching state.
         */
        function withdrawSubmission() external {
            Submission storage submission = submissions[msg.sender];
            require(submission.status == Status.Vouching, "Wrong status");
            Request storage request = submission.requests[submission.requests.length - 1];
    
            submission.status = Status.None;
            request.resolved = true;
    
            withdrawFeesAndRewards(msg.sender, msg.sender, submission.requests.length - 1, 0, 0); // Automatically withdraw for the requester.
        }
    
        /** @dev Change submission's state from Vouching to PendingRegistration if all conditions are met.
         *  @param _submissionID The address of the submission which status to change.
         *  @param _vouches Array of users whose vouches to count.
         *  @param _signatures Array of EIP-712 signatures of struct IsHumanVoucher (optional).
         *  @param _expirationTimestamps Array of expiration timestamps for each signature (optional).
         *  struct IsHumanVoucher {
         *      address vouchedSubmission;
         *      uint256 voucherExpirationTimestamp;
         *  }
         */
        function changeStateToPending(address _submissionID, address[] calldata _vouches, bytes[] calldata _signatures, uint[] calldata _expirationTimestamps) external {
            Submission storage submission = submissions[_submissionID];
            require(submission.status == Status.Vouching, "Wrong status");
            Request storage request = submission.requests[submission.requests.length - 1];
            /* solium-disable indentation */
            {
                Challenge storage challenge = request.challenges[0];
                Round storage round = challenge.rounds[0];
                require(round.sideFunded == Party.Requester, "Requester is not funded");
            }
            /* solium-enable indentation */
            uint timeOffset = now - submissionDuration; // Precompute the offset before the loop for efficiency and then compare it with the submission time to check the expiration.
    
            bytes2 PREFIX = "\x19\x01";
            for (uint i = 0; i < _signatures.length && request.vouches.length < requiredNumberOfVouches; i++) {
                address voucherAddress;
                /* solium-disable indentation */
                {
                    // Get typed structure hash.
                    bytes32 messageHash = keccak256(abi.encode(IS_HUMAN_VOUCHER_TYPEHASH, _submissionID, _expirationTimestamps[i]));
                    bytes32 hash = keccak256(abi.encodePacked(PREFIX, DOMAIN_SEPARATOR, messageHash));
    
                    // Decode the signature.
                    bytes memory signature = _signatures[i];
                    bytes32 r;
                    bytes32 s;
                    uint8 v;
                    assembly {
                        r := mload(add(signature, 0x20))
                        s := mload(add(signature, 0x40))
                        v := byte(0, mload(add(signature, 0x60)))
                    }
                    if (v < 27) v += 27;
                    require(v == 27 || v == 28, "Invalid signature");
    
                    // Recover the signer's address.
                    voucherAddress = ecrecover(hash, v, r, s);
                }
                /* solium-enable indentation */
    
                Submission storage voucher = submissions[voucherAddress];
                if (!voucher.hasVouched && voucher.registered && timeOffset <= voucher.submissionTime &&
                now < _expirationTimestamps[i] && _submissionID != voucherAddress) {
                    request.vouches.push(voucherAddress);
                    voucher.hasVouched = true;
                    emit VouchAdded(_submissionID, voucherAddress);
                }
            }
    
            for (uint i = 0; i<_vouches.length && request.vouches.length<requiredNumberOfVouches; i++) {
                // Check that the vouch isn't currently used by another submission and the voucher has a right to vouch.
                Submission storage voucher = submissions[_vouches[i]];
                if (!voucher.hasVouched && voucher.registered && timeOffset <= voucher.submissionTime &&
                vouches[_vouches[i]][_submissionID] && _submissionID != _vouches[i]) {
                    request.vouches.push(_vouches[i]);
                    voucher.hasVouched = true;
                }
            }
            require(request.vouches.length >= requiredNumberOfVouches, "Not enough valid vouches");
            submission.status = Status.PendingRegistration;
            request.challengePeriodStart = uint64(now);
        }
    
        /** @dev Challenge the submission's request. Accepts enough ETH to cover the deposit, reimburses the rest.
         *  @param _submissionID The address of the submission which request to challenge.
         *  @param _reason The reason to challenge the request. Left empty for removal requests.
         *  @param _duplicateID The address of a supposed duplicate submission. Ignored if the reason is not Duplicate.
         *  @param _evidence A link to evidence using its URI. Ignored if not provided.
         */
        function challengeRequest(address _submissionID, Reason _reason, address _duplicateID, string calldata _evidence) external payable {
            Submission storage submission = submissions[_submissionID];
            if (submission.status == Status.PendingRegistration)
                require(_reason != Reason.None, "Reason must be specified");
            else if (submission.status == Status.PendingRemoval)
                require(_reason == Reason.None, "Reason must be left empty");
            else
                revert("Wrong status");
    
            Request storage request = submission.requests[submission.requests.length - 1];
            require(now - request.challengePeriodStart <= challengePeriodDuration, "Time to challenge has passed");
    
            Challenge storage challenge = request.challenges[request.lastChallengeID];
            /* solium-disable indentation */
            {
                Reason currentReason = request.currentReason;
                if (_reason == Reason.Duplicate) {
                    require(submissions[_duplicateID].status > Status.None || submissions[_duplicateID].registered, "Wrong duplicate status");
                    require(_submissionID != _duplicateID, "Can't be a duplicate of itself");
                    require(currentReason == Reason.Duplicate || currentReason == Reason.None, "Another reason is active");
                    require(!request.challengeDuplicates[_duplicateID], "Duplicate address already used");
                    request.challengeDuplicates[_duplicateID] = true;
                    challenge.duplicateSubmissionIndex = submissions[_duplicateID].index;
                } else
                    require(!request.disputed, "The request is disputed");
    
                if (currentReason != _reason) {
                    uint8 reasonBit = 1 << (uint8(_reason) - 1); // Get the bit that corresponds with reason's index.
                    require((reasonBit & ~request.usedReasons) == reasonBit, "The reason has already been used");
    
                    request.usedReasons ^= reasonBit; // Mark the bit corresponding with reason's index as 'true', to indicate that the reason was used.
                    request.currentReason = _reason;
                }
            }
            /* solium-enable indentation */
    
            Round storage round = challenge.rounds[0];
            ArbitratorData storage arbitratorData = arbitratorDataList[request.arbitratorDataID];
    
            uint arbitrationCost = arbitratorData.arbitrator.arbitrationCost(arbitratorData.arbitratorExtraData);
            contribute(round, Party.Challenger, msg.sender, msg.value, arbitrationCost);
            require(round.paidFees[uint(Party.Challenger)] >= arbitrationCost, "You must fully fund your side");
            round.feeRewards = round.feeRewards.subCap(arbitrationCost);
            round.sideFunded = Party.None; // Set this back to 0, since it's no longer relevant as the new round is created.
    
            challenge.disputeID = arbitratorData.arbitrator.createDispute.value(arbitrationCost)(RULING_OPTIONS, arbitratorData.arbitratorExtraData);
            challenge.challenger = msg.sender;
    
            DisputeData storage disputeData = arbitratorDisputeIDToDisputeData[address(arbitratorData.arbitrator)][challenge.disputeID];
            disputeData.challengeID = uint96(request.lastChallengeID);
            disputeData.submissionID = _submissionID;
    
            request.disputed = true;
            request.nbParallelDisputes++;
    
            challenge.lastRoundID++;
            emit SubmissionChallenged(_submissionID, submission.requests.length - 1, disputeData.challengeID);
    
            request.lastChallengeID++;
    
            emit Dispute(
                arbitratorData.arbitrator,
                challenge.disputeID,
                submission.status == Status.PendingRegistration ? 2 * arbitratorData.metaEvidenceUpdates : 2 * arbitratorData.metaEvidenceUpdates + 1,
                submission.requests.length - 1 + uint(_submissionID)
            );
    
            if (bytes(_evidence).length > 0)
                emit Evidence(arbitratorData.arbitrator, submission.requests.length - 1 + uint(_submissionID), msg.sender, _evidence);
        }
    
        /** @dev Takes up to the total amount required to fund a side of an appeal. Reimburses the rest. Creates an appeal if both sides are fully funded.
         *  @param _submissionID The address of the submission which request to fund.
         *  @param _challengeID The index of a dispute, created for the request.
         *  @param _side The recipient of the contribution.
         */
        function fundAppeal(address _submissionID, uint _challengeID, Party _side) external payable {
            require(_side != Party.None); // You can only fund either requester or challenger.
            Submission storage submission = submissions[_submissionID];
            require(submission.status == Status.PendingRegistration || submission.status == Status.PendingRemoval, "Wrong status");
            Request storage request = submission.requests[submission.requests.length - 1];
            require(request.disputed, "No dispute to appeal");
            require(_challengeID < request.lastChallengeID, "Challenge out of bounds");
    
            Challenge storage challenge = request.challenges[_challengeID];
            ArbitratorData storage arbitratorData = arbitratorDataList[request.arbitratorDataID];
    
            (uint appealPeriodStart, uint appealPeriodEnd) = arbitratorData.arbitrator.appealPeriod(challenge.disputeID);
            require(now >= appealPeriodStart && now < appealPeriodEnd, "Appeal period is over");
    
            uint multiplier;
            /* solium-disable indentation */
            {
                Party winner = Party(arbitratorData.arbitrator.currentRuling(challenge.disputeID));
                if (winner == _side){
                    multiplier = winnerStakeMultiplier;
                } else if (winner == Party.None){
                    multiplier = sharedStakeMultiplier;
                } else {
                    multiplier = loserStakeMultiplier;
                    require(now-appealPeriodStart < (appealPeriodEnd-appealPeriodStart)/2, "Appeal period is over for loser");
                }
            }
            /* solium-enable indentation */
    
            Round storage round = challenge.rounds[challenge.lastRoundID];
            require(_side != round.sideFunded, "Side is already funded");
    
            uint appealCost = arbitratorData.arbitrator.appealCost(challenge.disputeID, arbitratorData.arbitratorExtraData);
            uint totalCost = appealCost.addCap((appealCost.mulCap(multiplier)) / MULTIPLIER_DIVISOR);
            uint contribution = contribute(round, _side, msg.sender, msg.value, totalCost);
            emit AppealContribution(_submissionID, _challengeID, _side, msg.sender, contribution);
    
            if (round.paidFees[uint(_side)] >= totalCost) {
                if (round.sideFunded == Party.None) {
                    round.sideFunded = _side;
                } else {
                    // Both sides are fully funded. Create an appeal.
                    arbitratorData.arbitrator.appeal.value(appealCost)(challenge.disputeID, arbitratorData.arbitratorExtraData);
                    challenge.lastRoundID++;
                    round.feeRewards = round.feeRewards.subCap(appealCost);
                    round.sideFunded = Party.None; // Set this back to default in the past round as it's no longer relevant.
                }
                emit HasPaidAppealFee(_submissionID, _challengeID, _side);
            }
        }
    
        /** @dev Execute a request if the challenge period passed and no one challenged the request.
         *  @param _submissionID The address of the submission with the request to execute.
         */
        function executeRequest(address _submissionID) external {
            Submission storage submission = submissions[_submissionID];
            uint requestID = submission.requests.length - 1;
            Request storage request = submission.requests[requestID];
            require(now - request.challengePeriodStart > challengePeriodDuration, "Can't execute yet");
            require(!request.disputed, "The request is disputed");
            address payable requester;
            if (submission.status == Status.PendingRegistration) {
                // It is possible for the requester to lose without a dispute if he was penalized for bad vouching while reapplying.
                if (!request.requesterLost) {
                    submission.registered = true;
                    submission.submissionTime = uint64(now);
                }
                requester = address(uint160(_submissionID));
            } else if (submission.status == Status.PendingRemoval) {
                submission.registered = false;
                requester = request.requester;
            } else
                revert("Incorrect status.");
    
            submission.status = Status.None;
            request.resolved = true;
    
            if (request.vouches.length != 0)
                processVouches(_submissionID, requestID, AUTO_PROCESSED_VOUCH);
    
            withdrawFeesAndRewards(requester, _submissionID, requestID, 0, 0); // Automatically withdraw for the requester.
        }
    
        /** @dev Processes vouches of the resolved request, so vouchings of users who vouched for it can be used in other submissions.
         *  Penalizes users who vouched for bad submissions.
         *  @param _submissionID The address of the submission which vouches to iterate.
         *  @param _requestID The ID of the request which vouches to iterate.
         *  @param _iterations The number of iterations to go through.
         */
        function processVouches(address _submissionID, uint _requestID, uint _iterations) public {
            Submission storage submission = submissions[_submissionID];
            Request storage request = submission.requests[_requestID];
            require(request.resolved, "Submission must be resolved");
    
            uint lastProcessedVouch = request.lastProcessedVouch;
            uint endIndex = _iterations.addCap(lastProcessedVouch);
            uint vouchCount = request.vouches.length;
    
            if (endIndex > vouchCount)
                endIndex = vouchCount;
    
            Reason currentReason = request.currentReason;
            // If the ultimate challenger is defined that means that the request was ruled in favor of the challenger.
            bool applyPenalty = request.ultimateChallenger != address(0x0) && (currentReason == Reason.Duplicate || currentReason == Reason.DoesNotExist);
            for (uint i = lastProcessedVouch; i < endIndex; i++) {
                Submission storage voucher = submissions[request.vouches[i]];
                voucher.hasVouched = false;
                if (applyPenalty) {
                    // Check the situation when vouching address is in the middle of reapplication process.
                    if (voucher.status == Status.Vouching || voucher.status == Status.PendingRegistration)
                        voucher.requests[voucher.requests.length - 1].requesterLost = true;
    
                    voucher.registered = false;
                }
            }
            request.lastProcessedVouch = uint32(endIndex);
        }
    
        /** @dev Reimburses contributions if no disputes were raised. If a dispute was raised, sends the fee stake rewards and reimbursements proportionally to the contributions made to the winner of a dispute.
         *  @param _beneficiary The address that made contributions to a request.
         *  @param _submissionID The address of the submission with the request from which to withdraw.
         *  @param _requestID The request from which to withdraw.
         *  @param _challengeID The ID of the challenge from which to withdraw.
         *  @param _round The round from which to withdraw.
         */
        function withdrawFeesAndRewards(address payable _beneficiary, address _submissionID, uint _requestID, uint _challengeID, uint _round) public {
            Submission storage submission = submissions[_submissionID];
            Request storage request = submission.requests[_requestID];
            Challenge storage challenge = request.challenges[_challengeID];
            Round storage round = challenge.rounds[_round];
            require(request.resolved, "Submission must be resolved");
            require(_beneficiary != address(0x0), "Beneficiary must not be empty");
    
            Party ruling = challenge.ruling;
            uint reward;
            // Reimburse the payment if the last round wasn't fully funded.
            // Note that the 0 round is always considered funded if there is a challenge. If there was no challenge the requester will be reimbursed with the subsequent condition, since the ruling will be Party.None.
            if (_round != 0 && _round == challenge.lastRoundID) {
                reward = round.contributions[_beneficiary][uint(Party.Requester)] + round.contributions[_beneficiary][uint(Party.Challenger)];
            } else if (ruling == Party.None) {
                uint totalFeesInRound = round.paidFees[uint(Party.Challenger)] + round.paidFees[uint(Party.Requester)];
                uint claimableFees = round.contributions[_beneficiary][uint(Party.Challenger)] + round.contributions[_beneficiary][uint(Party.Requester)];
                reward = totalFeesInRound > 0 ? claimableFees * round.feeRewards / totalFeesInRound : 0;
            } else {
                // Challenger, who ultimately wins, will be able to get the deposit of the requester, even if he didn't participate in the initial dispute.
                if (_round == 0 && _beneficiary == request.ultimateChallenger && _challengeID == 0) {
                    reward = round.feeRewards;
                    round.feeRewards = 0;
                // This condition will prevent claiming a reward, intended for the ultimate challenger.
                } else if (request.ultimateChallenger==address(0x0) || _challengeID!=0 || _round!=0) {
                    uint paidFees = round.paidFees[uint(ruling)];
                    reward = paidFees > 0
                        ? (round.contributions[_beneficiary][uint(ruling)] * round.feeRewards) / paidFees
                        : 0;
                }
            }
            round.contributions[_beneficiary][uint(Party.Requester)] = 0;
            round.contributions[_beneficiary][uint(Party.Challenger)] = 0;
            _beneficiary.send(reward);
        }
    
        /** @dev Give a ruling for a dispute. Can only be called by the arbitrator. TRUSTED.
         *  Accounts for the situation where the winner loses a case due to paying less appeal fees than expected.
         *  @param _disputeID ID of the dispute in the arbitrator contract.
         *  @param _ruling Ruling given by the arbitrator. Note that 0 is reserved for "Refused to arbitrate".
         */
        function rule(uint _disputeID, uint _ruling) public {
            Party resultRuling = Party(_ruling);
            DisputeData storage disputeData = arbitratorDisputeIDToDisputeData[msg.sender][_disputeID];
            address submissionID = disputeData.submissionID;
            uint challengeID = disputeData.challengeID;
            Submission storage submission = submissions[submissionID];
    
            Request storage request = submission.requests[submission.requests.length - 1];
            Challenge storage challenge = request.challenges[challengeID];
            Round storage round = challenge.rounds[challenge.lastRoundID];
            ArbitratorData storage arbitratorData = arbitratorDataList[request.arbitratorDataID];
    
            require(address(arbitratorData.arbitrator) == msg.sender);
            require(!request.resolved);
    
            // The ruling is inverted if the loser paid its fees.
            if (round.sideFunded == Party.Requester) // If one side paid its fees, the ruling is in its favor. Note that if the other side had also paid, an appeal would have been created.
                resultRuling = Party.Requester;
            else if (round.sideFunded == Party.Challenger)
                resultRuling = Party.Challenger;
    
            emit Ruling(IArbitrator(msg.sender), _disputeID, uint(resultRuling));
            executeRuling(submissionID, challengeID, resultRuling);
        }
    
        /** @dev Submit a reference to evidence. EVENT.
         *  @param _submissionID The address of the submission which the evidence is related to.
         *  @param _evidence A link to an evidence using its URI.
         */
        function submitEvidence(address _submissionID, string calldata _evidence) external {
            Submission storage submission = submissions[_submissionID];
            Request storage request = submission.requests[submission.requests.length - 1];
            ArbitratorData storage arbitratorData = arbitratorDataList[request.arbitratorDataID];
    
            emit Evidence(arbitratorData.arbitrator, submission.requests.length - 1 + uint(_submissionID), msg.sender, _evidence);
        }
    
        /* Internal */
    
        /** @dev Make a request to register/reapply the submission. Paying the full deposit right away is not required as it can be crowdfunded later.
         *  @param _submissionID The address of the submission.
         *  @param _evidence A link to evidence using its URI.
         */
        function requestRegistration(address _submissionID, string memory _evidence) internal {
            Submission storage submission = submissions[_submissionID];
            Request storage request = submission.requests[submission.requests.length++];
    
            uint arbitratorDataID = arbitratorDataList.length - 1;
            request.arbitratorDataID = uint16(arbitratorDataID);
    
            Round storage round = request.challenges[0].rounds[0];
    
            IArbitrator requestArbitrator = arbitratorDataList[arbitratorDataID].arbitrator;
            uint arbitrationCost = requestArbitrator.arbitrationCost(arbitratorDataList[arbitratorDataID].arbitratorExtraData);
            uint totalCost = arbitrationCost.addCap(submissionBaseDeposit);
            contribute(round, Party.Requester, msg.sender, msg.value, totalCost);
    
            if (round.paidFees[uint(Party.Requester)] >= totalCost)
                round.sideFunded = Party.Requester;
    
            if (bytes(_evidence).length > 0)
                emit Evidence(requestArbitrator, submission.requests.length - 1 + uint(_submissionID), msg.sender, _evidence);
        }
    
        /** @dev Returns the contribution value and remainder from available ETH and required amount.
         *  @param _available The amount of ETH available for the contribution.
         *  @param _requiredAmount The amount of ETH required for the contribution.
         *  @return taken The amount of ETH taken.
         *  @return remainder The amount of ETH left from the contribution.
         */
        function calculateContribution(uint _available, uint _requiredAmount)
            internal
            pure
            returns(uint taken, uint remainder)
        {
            if (_requiredAmount > _available)
                return (_available, 0);
    
            remainder = _available - _requiredAmount;
            return (_requiredAmount, remainder);
        }
    
        /** @dev Make a fee contribution.
         *  @param _round The round to contribute to.
         *  @param _side The side to contribute to.
         *  @param _contributor The contributor.
         *  @param _amount The amount contributed.
         *  @param _totalRequired The total amount required for this side.
         *  @return The amount of fees contributed.
         */
        function contribute(Round storage _round, Party _side, address payable _contributor, uint _amount, uint _totalRequired) internal returns (uint) {
            uint contribution;
            uint remainingETH;
            (contribution, remainingETH) = calculateContribution(_amount, _totalRequired.subCap(_round.paidFees[uint(_side)]));
            _round.contributions[_contributor][uint(_side)] += contribution;
            _round.paidFees[uint(_side)] += contribution;
            _round.feeRewards += contribution;
    
            if (remainingETH != 0)
                _contributor.send(remainingETH);
    
            return contribution;
        }
    
        /** @dev Execute the ruling of a dispute.
         *  @param _submissionID ID of the submission.
         *  @param _challengeID ID of the challenge, related to the dispute.
         *  @param _winner Ruling given by the arbitrator. Note that 0 is reserved for "Refused to arbitrate".
         */
        function executeRuling(address _submissionID, uint _challengeID, Party _winner) internal {
            Submission storage submission = submissions[_submissionID];
            uint requestID = submission.requests.length - 1;
            Status status = submission.status;
    
            Request storage request = submission.requests[requestID];
            uint nbParallelDisputes = request.nbParallelDisputes;
    
            Challenge storage challenge = request.challenges[_challengeID];
    
            if (status == Status.PendingRemoval) {
                if (_winner == Party.Requester)
                    submission.registered = false;
    
                submission.status = Status.None;
                request.resolved = true;
            } else if (status == Status.PendingRegistration) {
                // For a registration request there can be more than one dispute.
                if (_winner == Party.Requester) {
                    if (nbParallelDisputes == 1) {
                        // Check whether or not the requester won all of his previous disputes for current reason.
                        if (!request.requesterLost) {
                            if (request.usedReasons == FULL_REASONS_SET) {
                                // All reasons being used means the request can't be challenged again, so we can update its status.
                                submission.status = Status.None;
                                submission.registered = true;
                                submission.submissionTime = uint64(now);
                                request.resolved = true;
                            } else {
                                // Refresh the state of the request so it can be challenged again.
                                request.disputed = false;
                                request.challengePeriodStart = uint64(now);
                                request.currentReason = Reason.None;
                            }
                        } else {
                            submission.status = Status.None;
                            request.resolved = true;
                        }
                    }
                // Challenger won or it’s a tie.
                } else {
                    request.requesterLost = true;
                    // Update the status of the submission if there is no more disputes left.
                    if (nbParallelDisputes == 1) {
                        submission.status = Status.None;
                        request.resolved = true;
                    }
                    // Store the challenger that made the requester lose. Update the challenger if there is a duplicate with lower submission time, which is indicated by submission's index.
                    if (_winner==Party.Challenger && (request.ultimateChallenger==address(0x0) || challenge.duplicateSubmissionIndex<request.currentDuplicateIndex)) {
                        request.ultimateChallenger = challenge.challenger;
                        request.currentDuplicateIndex = challenge.duplicateSubmissionIndex;
                    }
                }
            }
            // Decrease the number of parallel disputes each time the dispute is resolved. Store the rulings of each dispute for correct distribution of rewards.
            request.nbParallelDisputes--;
            challenge.ruling = _winner;
            emit ChallengeResolved(_submissionID, requestID, _challengeID);
        }
    
        // ************************ //
        // *       Getters        * //
        // ************************ //
    
        /** @dev Returns true if the submission is registered and not expired.
         *  @param _submissionID The address of the submission.
         *  @return Whether the submission is registered or not.
         */
        function isRegistered(address _submissionID) external view returns (bool) {
            Submission storage submission = submissions[_submissionID];
            return submission.registered && now - submission.submissionTime <= submissionDuration;
        }
    
        /** @dev Gets the number of times the arbitrator data was updated.
         *  @return The number of arbitrator data updates.
         */
        function getArbitratorDataListCount() external view returns (uint) {
            return arbitratorDataList.length;
        }
    
        /** @dev Checks whether the duplicate address has been used in challenging the request or not.
         *  @param _submissionID The address of the submission to check.
         *  @param _requestID The request to check.
         *  @param _duplicateID The duplicate to check.
         *  @return Whether the duplicate has been used.
         */
        function checkRequestDuplicates(address _submissionID, uint _requestID, address _duplicateID) external view returns (bool) {
            Request storage request = submissions[_submissionID].requests[_requestID];
            return request.challengeDuplicates[_duplicateID];
        }
    
        /** @dev Gets the contributions made by a party for a given round of a given challenge of a request.
         *  @param _submissionID The address of the submission.
         *  @param _requestID The request to query.
         *  @param _challengeID the challenge to query.
         *  @param _round The round to query.
         *  @param _contributor The address of the contributor.
         *  @return The contributions.
         */
        function getContributions(
            address _submissionID,
            uint _requestID,
            uint _challengeID,
            uint _round,
            address _contributor
        ) external view returns(uint[3] memory contributions) {
            Request storage request = submissions[_submissionID].requests[_requestID];
            Challenge storage challenge = request.challenges[_challengeID];
            Round storage round = challenge.rounds[_round];
            contributions = round.contributions[_contributor];
        }
    
        /** @dev Returns the information of the submission. Includes length of requests array.
         *  @param _submissionID The address of the queried submission.
         *  @return The information of the submission.
         */
        function getSubmissionInfo(address _submissionID)
            external
            view
            returns (
                Status status,
                uint64 submissionTime,
                uint64 index,
                bool registered,
                bool hasVouched,
                uint numberOfRequests
            )
        {
            Submission storage submission = submissions[_submissionID];
            return (
                submission.status,
                submission.submissionTime,
                submission.index,
                submission.registered,
                submission.hasVouched,
                submission.requests.length
            );
        }
    
        /** @dev Gets the information of a particular challenge of the request.
         *  @param _submissionID The address of the queried submission.
         *  @param _requestID The request to query.
         *  @param _challengeID The challenge to query.
         *  @return The information of the challenge.
         */
        function getChallengeInfo(address _submissionID, uint _requestID, uint _challengeID)
            external
            view
            returns (
                uint16 lastRoundID,
                address challenger,
                uint disputeID,
                Party ruling,
                uint64 duplicateSubmissionIndex
            )
        {
            Request storage request = submissions[_submissionID].requests[_requestID];
            Challenge storage challenge = request.challenges[_challengeID];
            return (
                challenge.lastRoundID,
                challenge.challenger,
                challenge.disputeID,
                challenge.ruling,
                challenge.duplicateSubmissionIndex
            );
        }
    
        /** @dev Gets information of a request of a submission.
         *  @param _submissionID The address of the queried submission.
         *  @param _requestID The request to be queried.
         *  @return The request information.
         */
        function getRequestInfo(address _submissionID, uint _requestID)
            external
            view
            returns (
                bool disputed,
                bool resolved,
                bool requesterLost,
                Reason currentReason,
                uint16 nbParallelDisputes,
                uint16 lastChallengeID,
                uint16 arbitratorDataID,
                address payable requester,
                address payable ultimateChallenger,
                uint8 usedReasons
            )
        {
            Request storage request = submissions[_submissionID].requests[_requestID];
            return (
                request.disputed,
                request.resolved,
                request.requesterLost,
                request.currentReason,
                request.nbParallelDisputes,
                request.lastChallengeID,
                request.arbitratorDataID,
                request.requester,
                request.ultimateChallenger,
                request.usedReasons
            );
        }
    
        /** @dev Gets the number of vouches of a particular request.
         *  @param _submissionID The address of the queried submission.
         *  @param _requestID The request to query.
         *  @return The current number of vouches.
         */
        function getNumberOfVouches(address _submissionID, uint _requestID) external view returns (uint) {
            Request storage request = submissions[_submissionID].requests[_requestID];
            return request.vouches.length;
        }
    
        /** @dev Gets the information of a round of a request.
         *  @param _submissionID The address of the queried submission.
         *  @param _requestID The request to query.
         *  @param _challengeID The challenge to query.
         *  @param _round The round to query.
         *  @return The round information.
         */
        function getRoundInfo(address _submissionID, uint _requestID, uint _challengeID, uint _round)
            external
            view
            returns (
                bool appealed,
                uint[3] memory paidFees,
                Party sideFunded,
                uint feeRewards
            )
        {
            Request storage request = submissions[_submissionID].requests[_requestID];
            Challenge storage challenge = request.challenges[_challengeID];
            Round storage round = challenge.rounds[_round];
            appealed = _round < (challenge.lastRoundID);
            return (
                appealed,
                round.paidFees,
                round.sideFunded,
                round.feeRewards
            );
        }
    }

    File 2 of 2: KlerosLiquid
    /**
     *  Kleros Liquid
     *  https://contributing.kleros.io/smart-contract-workflow
     *  @reviewers: [@clesaege]
     *  @auditors: []
     *  @bounties: [{duration: 14days, link: https://github.com/kleros/kleros/issues/117, max_payout: 50ETH}]
     *  @deployments: []
     */
    /* solium-disable error-reason */
    /* solium-disable security/no-block-members */
    pragma solidity ^0.4.25;
    
    
    
    /**
     *  @title SortitionSumTreeFactory
     *  @author Enrique Piqueras - <[email protected]>
     *  @dev A factory of trees that keep track of staked values for sortition.
     */
    library SortitionSumTreeFactory {
        /* Structs */
    
        struct SortitionSumTree {
            uint K; // The maximum number of childs per node.
            // We use this to keep track of vacant positions in the tree after removing a leaf. This is for keeping the tree as balanced as possible without spending gas on moving nodes around.
            uint[] stack;
            uint[] nodes;
            // Two-way mapping of IDs to node indexes. Note that node index 0 is reserved for the root node, and means the ID does not have a node.
            mapping(bytes32 => uint) IDsToNodeIndexes;
            mapping(uint => bytes32) nodeIndexesToIDs;
        }
    
        /* Storage */
    
        struct SortitionSumTrees {
            mapping(bytes32 => SortitionSumTree) sortitionSumTrees;
        }
    
        /* Public */
    
        /**
         *  @dev Create a sortition sum tree at the specified key.
         *  @param _key The key of the new tree.
         *  @param _K The number of children each node in the tree should have.
         */
        function createTree(SortitionSumTrees storage self, bytes32 _key, uint _K) public {
            SortitionSumTree storage tree = self.sortitionSumTrees[_key];
            require(tree.K == 0, "Tree already exists.");
            require(_K > 1, "K must be greater than one.");
            tree.K = _K;
            tree.stack.length = 0;
            tree.nodes.length = 0;
            tree.nodes.push(0);
        }
    
        /**
         *  @dev Set a value of a tree.
         *  @param _key The key of the tree.
         *  @param _value The new value.
         *  @param _ID The ID of the value.
         *  `O(log_k(n))` where
         *  `k` is the maximum number of childs per node in the tree,
         *   and `n` is the maximum number of nodes ever appended.
         */
        function set(SortitionSumTrees storage self, bytes32 _key, uint _value, bytes32 _ID) public {
            SortitionSumTree storage tree = self.sortitionSumTrees[_key];
            uint treeIndex = tree.IDsToNodeIndexes[_ID];
    
            if (treeIndex == 0) { // No existing node.
                if (_value != 0) { // Non zero value.
                    // Append.
                    // Add node.
                    if (tree.stack.length == 0) { // No vacant spots.
                        // Get the index and append the value.
                        treeIndex = tree.nodes.length;
                        tree.nodes.push(_value);
    
                        // Potentially append a new node and make the parent a sum node.
                        if (treeIndex != 1 && (treeIndex - 1) % tree.K == 0) { // Is first child.
                            uint parentIndex = treeIndex / tree.K;
                            bytes32 parentID = tree.nodeIndexesToIDs[parentIndex];
                            uint newIndex = treeIndex + 1;
                            tree.nodes.push(tree.nodes[parentIndex]);
                            delete tree.nodeIndexesToIDs[parentIndex];
                            tree.IDsToNodeIndexes[parentID] = newIndex;
                            tree.nodeIndexesToIDs[newIndex] = parentID;
                        }
                    } else { // Some vacant spot.
                        // Pop the stack and append the value.
                        treeIndex = tree.stack[tree.stack.length - 1];
                        tree.stack.length--;
                        tree.nodes[treeIndex] = _value;
                    }
    
                    // Add label.
                    tree.IDsToNodeIndexes[_ID] = treeIndex;
                    tree.nodeIndexesToIDs[treeIndex] = _ID;
    
                    updateParents(self, _key, treeIndex, true, _value);
                }
            } else { // Existing node.
                if (_value == 0) { // Zero value.
                    // Remove.
                    // Remember value and set to 0.
                    uint value = tree.nodes[treeIndex];
                    tree.nodes[treeIndex] = 0;
    
                    // Push to stack.
                    tree.stack.push(treeIndex);
    
                    // Clear label.
                    delete tree.IDsToNodeIndexes[_ID];
                    delete tree.nodeIndexesToIDs[treeIndex];
    
                    updateParents(self, _key, treeIndex, false, value);
                } else if (_value != tree.nodes[treeIndex]) { // New, non zero value.
                    // Set.
                    bool plusOrMinus = tree.nodes[treeIndex] <= _value;
                    uint plusOrMinusValue = plusOrMinus ? _value - tree.nodes[treeIndex] : tree.nodes[treeIndex] - _value;
                    tree.nodes[treeIndex] = _value;
    
                    updateParents(self, _key, treeIndex, plusOrMinus, plusOrMinusValue);
                }
            }
        }
    
        /* Public Views */
    
        /**
         *  @dev Query the leaves of a tree. Note that if `startIndex == 0`, the tree is empty and the root node will be returned.
         *  @param _key The key of the tree to get the leaves from.
         *  @param _cursor The pagination cursor.
         *  @param _count The number of items to return.
         *  @return The index at which leaves start, the values of the returned leaves, and whether there are more for pagination.
         *  `O(n)` where
         *  `n` is the maximum number of nodes ever appended.
         */
        function queryLeafs(
            SortitionSumTrees storage self,
            bytes32 _key,
            uint _cursor,
            uint _count
        ) public view returns(uint startIndex, uint[] values, bool hasMore) {
            SortitionSumTree storage tree = self.sortitionSumTrees[_key];
    
            // Find the start index.
            for (uint i = 0; i < tree.nodes.length; i++) {
                if ((tree.K * i) + 1 >= tree.nodes.length) {
                    startIndex = i;
                    break;
                }
            }
    
            // Get the values.
            uint loopStartIndex = startIndex + _cursor;
            values = new uint[](loopStartIndex + _count > tree.nodes.length ? tree.nodes.length - loopStartIndex : _count);
            uint valuesIndex = 0;
            for (uint j = loopStartIndex; j < tree.nodes.length; j++) {
                if (valuesIndex < _count) {
                    values[valuesIndex] = tree.nodes[j];
                    valuesIndex++;
                } else {
                    hasMore = true;
                    break;
                }
            }
        }
    
        /**
         *  @dev Draw an ID from a tree using a number. Note that this function reverts if the sum of all values in the tree is 0.
         *  @param _key The key of the tree.
         *  @param _drawnNumber The drawn number.
         *  @return The drawn ID.
         *  `O(k * log_k(n))` where
         *  `k` is the maximum number of childs per node in the tree,
         *   and `n` is the maximum number of nodes ever appended.
         */
        function draw(SortitionSumTrees storage self, bytes32 _key, uint _drawnNumber) public view returns(bytes32 ID) {
            SortitionSumTree storage tree = self.sortitionSumTrees[_key];
            uint treeIndex = 0;
            uint currentDrawnNumber = _drawnNumber % tree.nodes[0];
    
            while ((tree.K * treeIndex) + 1 < tree.nodes.length)  // While it still has children.
                for (uint i = 1; i <= tree.K; i++) { // Loop over children.
                    uint nodeIndex = (tree.K * treeIndex) + i;
                    uint nodeValue = tree.nodes[nodeIndex];
    
                    if (currentDrawnNumber >= nodeValue) currentDrawnNumber -= nodeValue; // Go to the next child.
                    else { // Pick this child.
                        treeIndex = nodeIndex;
                        break;
                    }
                }
            
            ID = tree.nodeIndexesToIDs[treeIndex];
        }
    
        /** @dev Gets a specified ID's associated value.
         *  @param _key The key of the tree.
         *  @param _ID The ID of the value.
         *  @return The associated value.
         */
        function stakeOf(SortitionSumTrees storage self, bytes32 _key, bytes32 _ID) public view returns(uint value) {
            SortitionSumTree storage tree = self.sortitionSumTrees[_key];
            uint treeIndex = tree.IDsToNodeIndexes[_ID];
    
            if (treeIndex == 0) value = 0;
            else value = tree.nodes[treeIndex];
        }
    
        /* Private */
    
        /**
         *  @dev Update all the parents of a node.
         *  @param _key The key of the tree to update.
         *  @param _treeIndex The index of the node to start from.
         *  @param _plusOrMinus Wether to add (true) or substract (false).
         *  @param _value The value to add or substract.
         *  `O(log_k(n))` where
         *  `k` is the maximum number of childs per node in the tree,
         *   and `n` is the maximum number of nodes ever appended.
         */
        function updateParents(SortitionSumTrees storage self, bytes32 _key, uint _treeIndex, bool _plusOrMinus, uint _value) private {
            SortitionSumTree storage tree = self.sortitionSumTrees[_key];
    
            uint parentIndex = _treeIndex;
            while (parentIndex != 0) {
                parentIndex = (parentIndex - 1) / tree.K;
                tree.nodes[parentIndex] = _plusOrMinus ? tree.nodes[parentIndex] + _value : tree.nodes[parentIndex] - _value;
            }
        }
    }
    
    
    contract RNG{
    
        /** @dev Contribute to the reward of a random number.
        *  @param _block Block the random number is linked to.
        */
        function contribute(uint _block) public payable;
    
        /** @dev Request a random number.
        *  @param _block Block linked to the request.
        */
        function requestRN(uint _block) public payable {
            contribute(_block);
        }
    
        /** @dev Get the random number.
        *  @param _block Block the random number is linked to.
        *  @return RN Random Number. If the number is not ready or has not been required 0 instead.
        */
        function getRN(uint _block) public returns (uint RN);
    
        /** @dev Get a uncorrelated random number. Act like getRN but give a different number for each sender.
        *  This is to prevent users from getting correlated numbers.
        *  @param _block Block the random number is linked to.
        *  @return RN Random Number. If the number is not ready or has not been required 0 instead.
        */
        function getUncorrelatedRN(uint _block) public returns (uint RN) {
            uint baseRN = getRN(_block);
            if (baseRN == 0)
            return 0;
            else
            return uint(keccak256(msg.sender,baseRN));
        }
    
    }
    
    
    /** @title Arbitrator
     *  Arbitrator abstract contract.
     *  When developing arbitrator contracts we need to:
     *  -Define the functions for dispute creation (createDispute) and appeal (appeal). Don't forget to store the arbitrated contract and the disputeID (which should be unique, use nbDisputes).
     *  -Define the functions for cost display (arbitrationCost and appealCost).
     *  -Allow giving rulings. For this a function must call arbitrable.rule(disputeID, ruling).
     */
    contract Arbitrator {
    
        enum DisputeStatus {Waiting, Appealable, Solved}
    
        modifier requireArbitrationFee(bytes _extraData) {
            require(msg.value >= arbitrationCost(_extraData), "Not enough ETH to cover arbitration costs.");
            _;
        }
        modifier requireAppealFee(uint _disputeID, bytes _extraData) {
            require(msg.value >= appealCost(_disputeID, _extraData), "Not enough ETH to cover appeal costs.");
            _;
        }
    
        /** @dev To be raised when a dispute is created.
         *  @param _disputeID ID of the dispute.
         *  @param _arbitrable The contract which created the dispute.
         */
        event DisputeCreation(uint indexed _disputeID, Arbitrable indexed _arbitrable);
    
        /** @dev To be raised when a dispute can be appealed.
         *  @param _disputeID ID of the dispute.
         */
        event AppealPossible(uint indexed _disputeID, Arbitrable indexed _arbitrable);
    
        /** @dev To be raised when the current ruling is appealed.
         *  @param _disputeID ID of the dispute.
         *  @param _arbitrable The contract which created the dispute.
         */
        event AppealDecision(uint indexed _disputeID, Arbitrable indexed _arbitrable);
    
        /** @dev Create a dispute. Must be called by the arbitrable contract.
         *  Must be paid at least arbitrationCost(_extraData).
         *  @param _choices Amount of choices the arbitrator can make in this dispute.
         *  @param _extraData Can be used to give additional info on the dispute to be created.
         *  @return disputeID ID of the dispute created.
         */
        function createDispute(uint _choices, bytes _extraData) public requireArbitrationFee(_extraData) payable returns(uint disputeID) {}
    
        /** @dev Compute the cost of arbitration. It is recommended not to increase it often, as it can be highly time and gas consuming for the arbitrated contracts to cope with fee augmentation.
         *  @param _extraData Can be used to give additional info on the dispute to be created.
         *  @return fee Amount to be paid.
         */
        function arbitrationCost(bytes _extraData) public view returns(uint fee);
    
        /** @dev Appeal a ruling. Note that it has to be called before the arbitrator contract calls rule.
         *  @param _disputeID ID of the dispute to be appealed.
         *  @param _extraData Can be used to give extra info on the appeal.
         */
        function appeal(uint _disputeID, bytes _extraData) public requireAppealFee(_disputeID,_extraData) payable {
            emit AppealDecision(_disputeID, Arbitrable(msg.sender));
        }
    
        /** @dev Compute the cost of appeal. It is recommended not to increase it often, as it can be higly time and gas consuming for the arbitrated contracts to cope with fee augmentation.
         *  @param _disputeID ID of the dispute to be appealed.
         *  @param _extraData Can be used to give additional info on the dispute to be created.
         *  @return fee Amount to be paid.
         */
        function appealCost(uint _disputeID, bytes _extraData) public view returns(uint fee);
    
        /** @dev Compute the start and end of the dispute's current or next appeal period, if possible.
         *  @param _disputeID ID of the dispute.
         *  @return The start and end of the period.
         */
        function appealPeriod(uint _disputeID) public view returns(uint start, uint end) {}
    
        /** @dev Return the status of a dispute.
         *  @param _disputeID ID of the dispute to rule.
         *  @return status The status of the dispute.
         */
        function disputeStatus(uint _disputeID) public view returns(DisputeStatus status);
    
        /** @dev Return the current ruling of a dispute. This is useful for parties to know if they should appeal.
         *  @param _disputeID ID of the dispute.
         *  @return ruling The ruling which has been given or the one which will be given if there is no appeal.
         */
        function currentRuling(uint _disputeID) public view returns(uint ruling);
    }
    
    
    
    /**
     *  @title IArbitrable
     *  @author Enrique Piqueras - <[email protected]>
     *  Bug Bounties: This code hasn't undertaken a bug bounty program yet.
     */
    
    
    /** @title IArbitrable
     *  Arbitrable interface.
     *  When developing arbitrable contracts, we need to:
     *  -Define the action taken when a ruling is received by the contract. We should do so in executeRuling.
     *  -Allow dispute creation. For this a function must:
     *      -Call arbitrator.createDispute.value(_fee)(_choices,_extraData);
     *      -Create the event Dispute(_arbitrator,_disputeID,_rulingOptions);
     */
    interface IArbitrable {
        /** @dev To be emmited when meta-evidence is submitted.
         *  @param _metaEvidenceID Unique identifier of meta-evidence.
         *  @param _evidence A link to the meta-evidence JSON.
         */
        event MetaEvidence(uint indexed _metaEvidenceID, string _evidence);
    
        /** @dev To be emmited when a dispute is created to link the correct meta-evidence to the disputeID
         *  @param _arbitrator The arbitrator of the contract.
         *  @param _disputeID ID of the dispute in the Arbitrator contract.
         *  @param _metaEvidenceID Unique identifier of meta-evidence.
         *  @param _evidenceGroupID Unique identifier of the evidence group that is linked to this dispute.
         */
        event Dispute(Arbitrator indexed _arbitrator, uint indexed _disputeID, uint _metaEvidenceID, uint _evidenceGroupID);
    
        /** @dev To be raised when evidence are submitted. Should point to the ressource (evidences are not to be stored on chain due to gas considerations).
         *  @param _arbitrator The arbitrator of the contract.
         *  @param _evidenceGroupID Unique identifier of the evidence group the evidence belongs to.
         *  @param _party The address of the party submiting the evidence. Note that 0x0 refers to evidence not submitted by any party.
         *  @param _evidence A URI to the evidence JSON file whose name should be its keccak256 hash followed by .json.
         */
        event Evidence(Arbitrator indexed _arbitrator, uint indexed _evidenceGroupID, address indexed _party, string _evidence);
    
        /** @dev To be raised when a ruling is given.
         *  @param _arbitrator The arbitrator giving the ruling.
         *  @param _disputeID ID of the dispute in the Arbitrator contract.
         *  @param _ruling The ruling which was given.
         */
        event Ruling(Arbitrator indexed _arbitrator, uint indexed _disputeID, uint _ruling);
    
        /** @dev Give a ruling for a dispute. Must be called by the arbitrator.
         *  The purpose of this function is to ensure that the address calling it has the right to rule on the contract.
         *  @param _disputeID ID of the dispute in the Arbitrator contract.
         *  @param _ruling Ruling given by the arbitrator. Note that 0 is reserved for "Not able/wanting to make a decision".
         */
        function rule(uint _disputeID, uint _ruling) public;
    }
    
    
    
    /** @title Arbitrable
     *  Arbitrable abstract contract.
     *  When developing arbitrable contracts, we need to:
     *  -Define the action taken when a ruling is received by the contract. We should do so in executeRuling.
     *  -Allow dispute creation. For this a function must:
     *      -Call arbitrator.createDispute.value(_fee)(_choices,_extraData);
     *      -Create the event Dispute(_arbitrator,_disputeID,_rulingOptions);
     */
    contract Arbitrable is IArbitrable {
        Arbitrator public arbitrator;
        bytes public arbitratorExtraData; // Extra data to require particular dispute and appeal behaviour.
    
        modifier onlyArbitrator {require(msg.sender == address(arbitrator), "Can only be called by the arbitrator."); _;}
    
        /** @dev Constructor. Choose the arbitrator.
         *  @param _arbitrator The arbitrator of the contract.
         *  @param _arbitratorExtraData Extra data for the arbitrator.
         */
        constructor(Arbitrator _arbitrator, bytes _arbitratorExtraData) public {
            arbitrator = _arbitrator;
            arbitratorExtraData = _arbitratorExtraData;
        }
    
        /** @dev Give a ruling for a dispute. Must be called by the arbitrator.
         *  The purpose of this function is to ensure that the address calling it has the right to rule on the contract.
         *  @param _disputeID ID of the dispute in the Arbitrator contract.
         *  @param _ruling Ruling given by the arbitrator. Note that 0 is reserved for "Not able/wanting to make a decision".
         */
        function rule(uint _disputeID, uint _ruling) public onlyArbitrator {
            emit Ruling(Arbitrator(msg.sender),_disputeID,_ruling);
    
            executeRuling(_disputeID,_ruling);
        }
    
    
        /** @dev Execute a ruling of a dispute.
         *  @param _disputeID ID of the dispute in the Arbitrator contract.
         *  @param _ruling Ruling given by the arbitrator. Note that 0 is reserved for "Not able/wanting to make a decision".
         */
        function executeRuling(uint _disputeID, uint _ruling) internal;
    }
    
    
    /*
        Copyright 2016, Jordi Baylina.
        Slight modification by Clément Lesaege.
    
        This program is free software: you can redistribute it and/or modify
        it under the terms of the GNU General Public License as published by
        the Free Software Foundation, either version 3 of the License, or
        (at your option) any later version.
    
        This program is distributed in the hope that it will be useful,
        but WITHOUT ANY WARRANTY; without even the implied warranty of
        MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
        GNU General Public License for more details.
    
        You should have received a copy of the GNU General Public License
        along with this program.  If not, see <http://www.gnu.org/licenses/>.
     */
    
    /// @title MiniMeToken Contract
    /// @author Jordi Baylina
    /// @dev This token contract's goal is to make it easy for anyone to clone this
    ///  token using the token distribution at a given block, this will allow DAO's
    ///  and DApps to upgrade their features in a decentralized manner without
    ///  affecting the original token
    /// @dev It is ERC20 compliant, but still needs to under go further testing.
    
    
    contract ApproveAndCallFallBack {
        function receiveApproval(address from, uint256 _amount, address _token, bytes _data) public;
    }
    
    /// @dev The token controller contract must implement these functions
    contract TokenController {
        /// @notice Called when `_owner` sends ether to the MiniMe Token contract
        /// @param _owner The address that sent the ether to create tokens
        /// @return True if the ether is accepted, false if it throws
        function proxyPayment(address _owner) public payable returns(bool);
    
        /// @notice Notifies the controller about a token transfer allowing the
        ///  controller to react if desired
        /// @param _from The origin of the transfer
        /// @param _to The destination of the transfer
        /// @param _amount The amount of the transfer
        /// @return False if the controller does not authorize the transfer
        function onTransfer(address _from, address _to, uint _amount) public returns(bool);
    
        /// @notice Notifies the controller about an approval allowing the
        ///  controller to react if desired
        /// @param _owner The address that calls `approve()`
        /// @param _spender The spender in the `approve()` call
        /// @param _amount The amount in the `approve()` call
        /// @return False if the controller does not authorize the approval
        function onApprove(address _owner, address _spender, uint _amount) public
            returns(bool);
    }
    
    contract Controlled {
        /// @notice The address of the controller is the only address that can call
        ///  a function with this modifier
        modifier onlyController { require(msg.sender == controller); _; }
    
        address public controller;
    
        function Controlled() public { controller = msg.sender;}
    
        /// @notice Changes the controller of the contract
        /// @param _newController The new controller of the contract
        function changeController(address _newController) public onlyController {
            controller = _newController;
        }
    }
    
    /// @dev The actual token contract, the default controller is the msg.sender
    ///  that deploys the contract, so usually this token will be deployed by a
    ///  token controller contract, which Giveth will call a "Campaign"
    contract MiniMeToken is Controlled {
    
        string public name;                //The Token's name: e.g. DigixDAO Tokens
        uint8 public decimals;             //Number of decimals of the smallest unit
        string public symbol;              //An identifier: e.g. REP
        string public version = 'MMT_0.2'; //An arbitrary versioning scheme
    
    
        /// @dev `Checkpoint` is the structure that attaches a block number to a
        ///  given value, the block number attached is the one that last changed the
        ///  value
        struct  Checkpoint {
    
            // `fromBlock` is the block number that the value was generated from
            uint128 fromBlock;
    
            // `value` is the amount of tokens at a specific block number
            uint128 value;
        }
    
        // `parentToken` is the Token address that was cloned to produce this token;
        //  it will be 0x0 for a token that was not cloned
        MiniMeToken public parentToken;
    
        // `parentSnapShotBlock` is the block number from the Parent Token that was
        //  used to determine the initial distribution of the Clone Token
        uint public parentSnapShotBlock;
    
        // `creationBlock` is the block number that the Clone Token was created
        uint public creationBlock;
    
        // `balances` is the map that tracks the balance of each address, in this
        //  contract when the balance changes the block number that the change
        //  occurred is also included in the map
        mapping (address => Checkpoint[]) balances;
    
        // `allowed` tracks any extra transfer rights as in all ERC20 tokens
        mapping (address => mapping (address => uint256)) allowed;
    
        // Tracks the history of the `totalSupply` of the token
        Checkpoint[] totalSupplyHistory;
    
        // Flag that determines if the token is transferable or not.
        bool public transfersEnabled;
    
        // The factory used to create new clone tokens
        MiniMeTokenFactory public tokenFactory;
    
    ////////////////
    // Constructor
    ////////////////
    
        /// @notice Constructor to create a MiniMeToken
        /// @param _tokenFactory The address of the MiniMeTokenFactory contract that
        ///  will create the Clone token contracts, the token factory needs to be
        ///  deployed first
        /// @param _parentToken Address of the parent token, set to 0x0 if it is a
        ///  new token
        /// @param _parentSnapShotBlock Block of the parent token that will
        ///  determine the initial distribution of the clone token, set to 0 if it
        ///  is a new token
        /// @param _tokenName Name of the new token
        /// @param _decimalUnits Number of decimals of the new token
        /// @param _tokenSymbol Token Symbol for the new token
        /// @param _transfersEnabled If true, tokens will be able to be transferred
        function MiniMeToken(
            address _tokenFactory,
            address _parentToken,
            uint _parentSnapShotBlock,
            string _tokenName,
            uint8 _decimalUnits,
            string _tokenSymbol,
            bool _transfersEnabled
        ) public {
            tokenFactory = MiniMeTokenFactory(_tokenFactory);
            name = _tokenName;                                 // Set the name
            decimals = _decimalUnits;                          // Set the decimals
            symbol = _tokenSymbol;                             // Set the symbol
            parentToken = MiniMeToken(_parentToken);
            parentSnapShotBlock = _parentSnapShotBlock;
            transfersEnabled = _transfersEnabled;
            creationBlock = block.number;
        }
    
    
    ///////////////////
    // ERC20 Methods
    ///////////////////
    
        /// @notice Send `_amount` tokens to `_to` from `msg.sender`
        /// @param _to The address of the recipient
        /// @param _amount The amount of tokens to be transferred
        /// @return Whether the transfer was successful or not
        function transfer(address _to, uint256 _amount) public returns (bool success) {
            require(transfersEnabled);
            doTransfer(msg.sender, _to, _amount);
            return true;
        }
    
        /// @notice Send `_amount` tokens to `_to` from `_from` on the condition it
        ///  is approved by `_from`
        /// @param _from The address holding the tokens being transferred
        /// @param _to The address of the recipient
        /// @param _amount The amount of tokens to be transferred
        /// @return True if the transfer was successful
        function transferFrom(address _from, address _to, uint256 _amount
        ) public returns (bool success) {
    
            // The controller of this contract can move tokens around at will,
            //  this is important to recognize! Confirm that you trust the
            //  controller of this contract, which in most situations should be
            //  another open source smart contract or 0x0
            if (msg.sender != controller) {
                require(transfersEnabled);
    
                // The standard ERC 20 transferFrom functionality
                require(allowed[_from][msg.sender] >= _amount);
                allowed[_from][msg.sender] -= _amount;
            }
            doTransfer(_from, _to, _amount);
            return true;
        }
    
        /// @dev This is the actual transfer function in the token contract, it can
        ///  only be called by other functions in this contract.
        /// @param _from The address holding the tokens being transferred
        /// @param _to The address of the recipient
        /// @param _amount The amount of tokens to be transferred
        /// @return True if the transfer was successful
        function doTransfer(address _from, address _to, uint _amount
        ) internal {
    
               if (_amount == 0) {
                   Transfer(_from, _to, _amount);    // Follow the spec to louch the event when transfer 0
                   return;
               }
    
               require(parentSnapShotBlock < block.number);
    
               // Do not allow transfer to 0x0 or the token contract itself
               require((_to != 0) && (_to != address(this)));
    
               // If the amount being transfered is more than the balance of the
               //  account the transfer throws
               var previousBalanceFrom = balanceOfAt(_from, block.number);
    
               require(previousBalanceFrom >= _amount);
    
               // Alerts the token controller of the transfer
               if (isContract(controller)) {
                   require(TokenController(controller).onTransfer(_from, _to, _amount));
               }
    
               // First update the balance array with the new value for the address
               //  sending the tokens
               updateValueAtNow(balances[_from], previousBalanceFrom - _amount);
    
               // Then update the balance array with the new value for the address
               //  receiving the tokens
               var previousBalanceTo = balanceOfAt(_to, block.number);
               require(previousBalanceTo + _amount >= previousBalanceTo); // Check for overflow
               updateValueAtNow(balances[_to], previousBalanceTo + _amount);
    
               // An event to make the transfer easy to find on the blockchain
               Transfer(_from, _to, _amount);
    
        }
    
        /// @param _owner The address that's balance is being requested
        /// @return The balance of `_owner` at the current block
        function balanceOf(address _owner) public constant returns (uint256 balance) {
            return balanceOfAt(_owner, block.number);
        }
    
        /// @notice `msg.sender` approves `_spender` to spend `_amount` tokens on
        ///  its behalf. This is the standard version to allow backward compatibility.
        /// @param _spender The address of the account able to transfer the tokens
        /// @param _amount The amount of tokens to be approved for transfer
        /// @return True if the approval was successful
        function approve(address _spender, uint256 _amount) public returns (bool success) {
            require(transfersEnabled);
    
            // Alerts the token controller of the approve function call
            if (isContract(controller)) {
                require(TokenController(controller).onApprove(msg.sender, _spender, _amount));
            }
    
            allowed[msg.sender][_spender] = _amount;
            Approval(msg.sender, _spender, _amount);
            return true;
        }
    
        /// @dev This function makes it easy to read the `allowed[]` map
        /// @param _owner The address of the account that owns the token
        /// @param _spender The address of the account able to transfer the tokens
        /// @return Amount of remaining tokens of _owner that _spender is allowed
        ///  to spend
        function allowance(address _owner, address _spender
        ) public constant returns (uint256 remaining) {
            return allowed[_owner][_spender];
        }
    
        /// @notice `msg.sender` approves `_spender` to send `_amount` tokens on
        ///  its behalf, and then a function is triggered in the contract that is
        ///  being approved, `_spender`. This allows users to use their tokens to
        ///  interact with contracts in one function call instead of two
        /// @param _spender The address of the contract able to transfer the tokens
        /// @param _amount The amount of tokens to be approved for transfer
        /// @return True if the function call was successful
        function approveAndCall(address _spender, uint256 _amount, bytes _extraData
        ) public returns (bool success) {
            require(approve(_spender, _amount));
    
            ApproveAndCallFallBack(_spender).receiveApproval(
                msg.sender,
                _amount,
                this,
                _extraData
            );
    
            return true;
        }
    
        /// @dev This function makes it easy to get the total number of tokens
        /// @return The total number of tokens
        function totalSupply() public constant returns (uint) {
            return totalSupplyAt(block.number);
        }
    
    
    ////////////////
    // Query balance and totalSupply in History
    ////////////////
    
        /// @dev Queries the balance of `_owner` at a specific `_blockNumber`
        /// @param _owner The address from which the balance will be retrieved
        /// @param _blockNumber The block number when the balance is queried
        /// @return The balance at `_blockNumber`
        function balanceOfAt(address _owner, uint _blockNumber) public constant
            returns (uint) {
    
            // These next few lines are used when the balance of the token is
            //  requested before a check point was ever created for this token, it
            //  requires that the `parentToken.balanceOfAt` be queried at the
            //  genesis block for that token as this contains initial balance of
            //  this token
            if ((balances[_owner].length == 0)
                || (balances[_owner][0].fromBlock > _blockNumber)) {
                if (address(parentToken) != 0) {
                    return parentToken.balanceOfAt(_owner, min(_blockNumber, parentSnapShotBlock));
                } else {
                    // Has no parent
                    return 0;
                }
    
            // This will return the expected balance during normal situations
            } else {
                return getValueAt(balances[_owner], _blockNumber);
            }
        }
    
        /// @notice Total amount of tokens at a specific `_blockNumber`.
        /// @param _blockNumber The block number when the totalSupply is queried
        /// @return The total amount of tokens at `_blockNumber`
        function totalSupplyAt(uint _blockNumber) public constant returns(uint) {
    
            // These next few lines are used when the totalSupply of the token is
            //  requested before a check point was ever created for this token, it
            //  requires that the `parentToken.totalSupplyAt` be queried at the
            //  genesis block for this token as that contains totalSupply of this
            //  token at this block number.
            if ((totalSupplyHistory.length == 0)
                || (totalSupplyHistory[0].fromBlock > _blockNumber)) {
                if (address(parentToken) != 0) {
                    return parentToken.totalSupplyAt(min(_blockNumber, parentSnapShotBlock));
                } else {
                    return 0;
                }
    
            // This will return the expected totalSupply during normal situations
            } else {
                return getValueAt(totalSupplyHistory, _blockNumber);
            }
        }
    
    ////////////////
    // Clone Token Method
    ////////////////
    
        /// @notice Creates a new clone token with the initial distribution being
        ///  this token at `_snapshotBlock`
        /// @param _cloneTokenName Name of the clone token
        /// @param _cloneDecimalUnits Number of decimals of the smallest unit
        /// @param _cloneTokenSymbol Symbol of the clone token
        /// @param _snapshotBlock Block when the distribution of the parent token is
        ///  copied to set the initial distribution of the new clone token;
        ///  if the block is zero than the actual block, the current block is used
        /// @param _transfersEnabled True if transfers are allowed in the clone
        /// @return The address of the new MiniMeToken Contract
        function createCloneToken(
            string _cloneTokenName,
            uint8 _cloneDecimalUnits,
            string _cloneTokenSymbol,
            uint _snapshotBlock,
            bool _transfersEnabled
            ) public returns(address) {
            if (_snapshotBlock == 0) _snapshotBlock = block.number;
            MiniMeToken cloneToken = tokenFactory.createCloneToken(
                this,
                _snapshotBlock,
                _cloneTokenName,
                _cloneDecimalUnits,
                _cloneTokenSymbol,
                _transfersEnabled
                );
    
            cloneToken.changeController(msg.sender);
    
            // An event to make the token easy to find on the blockchain
            NewCloneToken(address(cloneToken), _snapshotBlock);
            return address(cloneToken);
        }
    
    ////////////////
    // Generate and destroy tokens
    ////////////////
    
        /// @notice Generates `_amount` tokens that are assigned to `_owner`
        /// @param _owner The address that will be assigned the new tokens
        /// @param _amount The quantity of tokens generated
        /// @return True if the tokens are generated correctly
        function generateTokens(address _owner, uint _amount
        ) public onlyController returns (bool) {
            uint curTotalSupply = totalSupply();
            require(curTotalSupply + _amount >= curTotalSupply); // Check for overflow
            uint previousBalanceTo = balanceOf(_owner);
            require(previousBalanceTo + _amount >= previousBalanceTo); // Check for overflow
            updateValueAtNow(totalSupplyHistory, curTotalSupply + _amount);
            updateValueAtNow(balances[_owner], previousBalanceTo + _amount);
            Transfer(0, _owner, _amount);
            return true;
        }
    
    
        /// @notice Burns `_amount` tokens from `_owner`
        /// @param _owner The address that will lose the tokens
        /// @param _amount The quantity of tokens to burn
        /// @return True if the tokens are burned correctly
        function destroyTokens(address _owner, uint _amount
        ) onlyController public returns (bool) {
            uint curTotalSupply = totalSupply();
            require(curTotalSupply >= _amount);
            uint previousBalanceFrom = balanceOf(_owner);
            require(previousBalanceFrom >= _amount);
            updateValueAtNow(totalSupplyHistory, curTotalSupply - _amount);
            updateValueAtNow(balances[_owner], previousBalanceFrom - _amount);
            Transfer(_owner, 0, _amount);
            return true;
        }
    
    ////////////////
    // Enable tokens transfers
    ////////////////
    
    
        /// @notice Enables token holders to transfer their tokens freely if true
        /// @param _transfersEnabled True if transfers are allowed in the clone
        function enableTransfers(bool _transfersEnabled) public onlyController {
            transfersEnabled = _transfersEnabled;
        }
    
    ////////////////
    // Internal helper functions to query and set a value in a snapshot array
    ////////////////
    
        /// @dev `getValueAt` retrieves the number of tokens at a given block number
        /// @param checkpoints The history of values being queried
        /// @param _block The block number to retrieve the value at
        /// @return The number of tokens being queried
        function getValueAt(Checkpoint[] storage checkpoints, uint _block
        ) constant internal returns (uint) {
            if (checkpoints.length == 0) return 0;
    
            // Shortcut for the actual value
            if (_block >= checkpoints[checkpoints.length-1].fromBlock)
                return checkpoints[checkpoints.length-1].value;
            if (_block < checkpoints[0].fromBlock) return 0;
    
            // Binary search of the value in the array
            uint min = 0;
            uint max = checkpoints.length-1;
            while (max > min) {
                uint mid = (max + min + 1)/ 2;
                if (checkpoints[mid].fromBlock<=_block) {
                    min = mid;
                } else {
                    max = mid-1;
                }
            }
            return checkpoints[min].value;
        }
    
        /// @dev `updateValueAtNow` used to update the `balances` map and the
        ///  `totalSupplyHistory`
        /// @param checkpoints The history of data being updated
        /// @param _value The new number of tokens
        function updateValueAtNow(Checkpoint[] storage checkpoints, uint _value
        ) internal  {
            if ((checkpoints.length == 0)
            || (checkpoints[checkpoints.length -1].fromBlock < block.number)) {
                   Checkpoint storage newCheckPoint = checkpoints[ checkpoints.length++ ];
                   newCheckPoint.fromBlock =  uint128(block.number);
                   newCheckPoint.value = uint128(_value);
               } else {
                   Checkpoint storage oldCheckPoint = checkpoints[checkpoints.length-1];
                   oldCheckPoint.value = uint128(_value);
               }
        }
    
        /// @dev Internal function to determine if an address is a contract
        /// @param _addr The address being queried
        /// @return True if `_addr` is a contract
        function isContract(address _addr) constant internal returns(bool) {
            uint size;
            if (_addr == 0) return false;
            assembly {
                size := extcodesize(_addr)
            }
            return size>0;
        }
    
        /// @dev Helper function to return a min betwen the two uints
        function min(uint a, uint b) pure internal returns (uint) {
            return a < b ? a : b;
        }
    
        /// @notice The fallback function: If the contract's controller has not been
        ///  set to 0, then the `proxyPayment` method is called which relays the
        ///  ether and creates tokens as described in the token controller contract
        function () public payable {
            require(isContract(controller));
            require(TokenController(controller).proxyPayment.value(msg.value)(msg.sender));
        }
    
    //////////
    // Safety Methods
    //////////
    
        /// @notice This method can be used by the controller to extract mistakenly
        ///  sent tokens to this contract.
        /// @param _token The address of the token contract that you want to recover
        ///  set to 0 in case you want to extract ether.
        function claimTokens(address _token) public onlyController {
            if (_token == 0x0) {
                controller.transfer(this.balance);
                return;
            }
    
            MiniMeToken token = MiniMeToken(_token);
            uint balance = token.balanceOf(this);
            token.transfer(controller, balance);
            ClaimedTokens(_token, controller, balance);
        }
    
    ////////////////
    // Events
    ////////////////
        event ClaimedTokens(address indexed _token, address indexed _controller, uint _amount);
        event Transfer(address indexed _from, address indexed _to, uint256 _amount);
        event NewCloneToken(address indexed _cloneToken, uint _snapshotBlock);
        event Approval(
            address indexed _owner,
            address indexed _spender,
            uint256 _amount
            );
    
    }
    
    
    ////////////////
    // MiniMeTokenFactory
    ////////////////
    
    /// @dev This contract is used to generate clone contracts from a contract.
    ///  In solidity this is the way to create a contract from a contract of the
    ///  same class
    contract MiniMeTokenFactory {
    
        /// @notice Update the DApp by creating a new token with new functionalities
        ///  the msg.sender becomes the controller of this clone token
        /// @param _parentToken Address of the token being cloned
        /// @param _snapshotBlock Block of the parent token that will
        ///  determine the initial distribution of the clone token
        /// @param _tokenName Name of the new token
        /// @param _decimalUnits Number of decimals of the new token
        /// @param _tokenSymbol Token Symbol for the new token
        /// @param _transfersEnabled If true, tokens will be able to be transferred
        /// @return The address of the new token contract
        function createCloneToken(
            address _parentToken,
            uint _snapshotBlock,
            string _tokenName,
            uint8 _decimalUnits,
            string _tokenSymbol,
            bool _transfersEnabled
        ) public returns (MiniMeToken) {
            MiniMeToken newToken = new MiniMeToken(
                this,
                _parentToken,
                _snapshotBlock,
                _tokenName,
                _decimalUnits,
                _tokenSymbol,
                _transfersEnabled
                );
    
            newToken.changeController(msg.sender);
            return newToken;
        }
    }
    
    /**
     *  @title KlerosLiquid
     *  @author Enrique Piqueras - <[email protected]>
     *  @dev The main Kleros contract with dispute resolution logic for the Athena release.
     */
    contract KlerosLiquid is TokenController, Arbitrator {
        /* Enums */
    
        // General
        enum Phase {
          staking, // Stake sum trees can be updated. Pass after `minStakingTime` passes and there is at least one dispute without jurors.
          generating, // Waiting for a random number. Pass as soon as it is ready.
          drawing // Jurors can be drawn. Pass after all disputes have jurors or `maxDrawingTime` passes.
        }
    
        // Dispute
        enum Period {
          evidence, // Evidence can be submitted. This is also when drawing has to take place.
          commit, // Jurors commit a hashed vote. This is skipped for courts without hidden votes.
          vote, // Jurors reveal/cast their vote depending on whether the court has hidden votes or not.
          appeal, // The dispute can be appealed.
          execution // Tokens are redistributed and the ruling is executed.
        }
    
        /* Structs */
    
        // General
        struct Court {
            uint96 parent; // The parent court.
            uint[] children; // List of child courts.
            bool hiddenVotes; // Whether to use commit and reveal or not.
            uint minStake; // Minimum tokens needed to stake in the court.
            uint alpha; // Basis point of tokens that are lost when incoherent.
            uint feeForJuror; // Arbitration fee paid per juror.
            // The appeal after the one that reaches this number of jurors will go to the parent court if any, otherwise, no more appeals are possible.
            uint jurorsForCourtJump;
            uint[4] timesPerPeriod; // The time allotted to each dispute period in the form `timesPerPeriod[period]`.
        }
        struct DelayedSetStake {
            address account; // The address of the juror.
            uint96 subcourtID; // The ID of the subcourt.
            uint128 stake; // The new stake.
        }
    
        // Dispute
        struct Vote {
            address account; // The address of the juror.
            bytes32 commit; // The commit of the juror. For courts with hidden votes.
            uint choice; // The choice of the juror.
            bool voted; // True if the vote has been cast or revealed, false otherwise.
        }
        struct VoteCounter {
            // The choice with the most votes. Note that in the case of a tie, it is the choice that reached the tied number of votes first.
            uint winningChoice;
            mapping(uint => uint) counts; // The sum of votes for each choice in the form `counts[choice]`.
            bool tied; // True if there is a tie, false otherwise.
        }
        struct Dispute { // Note that appeal `0` is equivalent to the first round of the dispute.
            uint96 subcourtID; // The ID of the subcourt the dispute is in.
            Arbitrable arbitrated; // The arbitrated arbitrable contract.
            // The number of choices jurors have when voting. This does not include choice `0` which is reserved for "refuse to arbitrate"/"no ruling".
            uint numberOfChoices;
            Period period; // The current period of the dispute.
            uint lastPeriodChange; // The last time the period was changed.
            // The votes in the form `votes[appeal][voteID]`. On each round, a new list is pushed and packed with as many empty votes as there are draws. We use `dispute.votes.length` to get the number of appeals plus 1 for the first round.
            Vote[][] votes;
            VoteCounter[] voteCounters; // The vote counters in the form `voteCounters[appeal]`.
            uint[] tokensAtStakePerJuror; // The amount of tokens at stake for each juror in the form `tokensAtStakePerJuror[appeal]`.
            uint[] totalFeesForJurors; // The total juror fees paid in the form `totalFeesForJurors[appeal]`.
            uint drawsInRound; // A counter of draws made in the current round.
            uint commitsInRound; // A counter of commits made in the current round.
            uint[] votesInEachRound; // A counter of votes made in each round in the form `votesInEachRound[appeal]`.
            // A counter of vote reward repartitions made in each round in the form `repartitionsInEachRound[appeal]`.
            uint[] repartitionsInEachRound;
            uint[] penaltiesInEachRound; // The amount of tokens collected from penalties in each round in the form `penaltiesInEachRound[appeal]`.
            bool ruled; // True if the ruling has been executed, false otherwise.
        }
    
        // Juror
        struct Juror {
            // The IDs of subcourts where the juror has stake path ends. A stake path is a path from the general court to a court the juror directly staked in using `_setStake`.
            uint96[] subcourtIDs;
            uint stakedTokens; // The juror's total amount of tokens staked in subcourts.
            uint lockedTokens; // The juror's total amount of tokens locked in disputes.
        }
    
        /* Events */
    
        /** @dev Emitted when we pass to a new phase.
         *  @param _phase The new phase.
         */
        event NewPhase(Phase _phase);
    
        /** @dev Emitted when a dispute passes to a new period.
         *  @param _disputeID The ID of the dispute.
         *  @param _period The new period.
         */
        event NewPeriod(uint indexed _disputeID, Period _period);
    
        /** @dev Emitted when a juror's stake is set.
         *  @param _address The address of the juror.
         *  @param _subcourtID The ID of the subcourt at the end of the stake path.
         *  @param _stake The new stake.
         *  @param _newTotalStake The new total stake.
         */
        event StakeSet(address indexed _address, uint _subcourtID, uint128 _stake, uint _newTotalStake);
    
        /** @dev Emitted when a juror is drawn.
         *  @param _address The drawn address.
         *  @param _disputeID The ID of the dispute.
         *  @param _appeal The appeal the draw is for. 0 is for the first round.
         *  @param _voteID The vote ID.
         */
        event Draw(address indexed _address, uint indexed _disputeID, uint _appeal, uint _voteID);
    
        /** @dev Emitted when a juror wins or loses tokens and ETH from a dispute.
         *  @param _address The juror affected.
         *  @param _disputeID The ID of the dispute.
         *  @param _tokenAmount The amount of tokens won or lost.
         *  @param _ETHAmount The amount of ETH won or lost.
         */
        event TokenAndETHShift(address indexed _address, uint indexed _disputeID, int _tokenAmount, int _ETHAmount);
    
        /* Storage */
    
        // General Constants
        uint public constant MAX_STAKE_PATHS = 4; // The maximum number of stake paths a juror can have.
        uint public constant MIN_JURORS = 3; // The global default minimum number of jurors in a dispute.
        uint public constant NON_PAYABLE_AMOUNT = (2 ** 256 - 2) / 2; // An amount higher than the supply of ETH.
        uint public constant ALPHA_DIVISOR = 1e4; // The number to divide `Court.alpha` by.
        // General Contracts
        address public governor; // The governor of the contract.
        MiniMeToken public pinakion; // The Pinakion token contract.
        RNG public RNGenerator; // The random number generator contract.
        // General Dynamic
        Phase public phase; // The current phase.
        uint public lastPhaseChange; // The last time the phase was changed.
        uint public disputesWithoutJurors; // The number of disputes that have not finished drawing jurors.
        // The block number to get the next random number from. Used so there is at least a 1 block difference from the staking phase.
        uint public RNBlock;
        uint public RN; // The current random number.
        uint public minStakingTime; // The minimum staking time.
        uint public maxDrawingTime; // The maximum drawing time.
        // True if insolvent (`balance < stakedTokens || balance < lockedTokens`) token transfers should be blocked. Used to avoid blocking penalties.
        bool public lockInsolventTransfers = true;
        // General Storage
        Court[] public courts; // The subcourts.
        using SortitionSumTreeFactory for SortitionSumTreeFactory.SortitionSumTrees; // Use library functions for sortition sum trees.
        SortitionSumTreeFactory.SortitionSumTrees internal sortitionSumTrees; // The sortition sum trees.
        // The delayed calls to `_setStake`. Used to schedule `_setStake`s when not in the staking phase.
        mapping(uint => DelayedSetStake) public delayedSetStakes;
        // The index of the next `delayedSetStakes` item to execute. Starts at 1 because `lastDelayedSetStake` starts at 0.
        uint public nextDelayedSetStake = 1;
        uint public lastDelayedSetStake; // The index of the last `delayedSetStakes` item. 0 is skipped because it is the initial value.
    
        // Dispute
        Dispute[] public disputes; // The disputes.
    
        // Juror
        mapping(address => Juror) public jurors; // The jurors.
    
        /* Modifiers */
    
        /** @dev Requires a specific phase.
         *  @param _phase The required phase.
         */
        modifier onlyDuringPhase(Phase _phase) {require(phase == _phase); _;}
    
        /** @dev Requires a specific period in a dispute.
         *  @param _disputeID The ID of the dispute.
         *  @param _period The required period.
         */
        modifier onlyDuringPeriod(uint _disputeID, Period _period) {require(disputes[_disputeID].period == _period); _;}
    
        /** @dev Requires that the sender is the governor. Note that the governor is expected to not be malicious. */
        modifier onlyByGovernor() {require(governor == msg.sender); _;}
    
        /* Constructor */
    
        /** @dev Constructs the KlerosLiquid contract.
         *  @param _governor The governor's address.
         *  @param _pinakion The address of the token contract.
         *  @param _RNGenerator The address of the RNG contract.
         *  @param _minStakingTime The minimum time that the staking phase should last.
         *  @param _maxDrawingTime The maximum time that the drawing phase should last.
         *  @param _hiddenVotes The `hiddenVotes` property value of the general court.
         *  @param _minStake The `minStake` property value of the general court.
         *  @param _alpha The `alpha` property value of the general court.
         *  @param _feeForJuror The `feeForJuror` property value of the general court.
         *  @param _jurorsForCourtJump The `jurorsForCourtJump` property value of the general court.
         *  @param _timesPerPeriod The `timesPerPeriod` property value of the general court.
         *  @param _sortitionSumTreeK The number of children per node of the general court's sortition sum tree.
         */
        constructor(
            address _governor,
            MiniMeToken _pinakion,
            RNG _RNGenerator,
            uint _minStakingTime,
            uint _maxDrawingTime,
            bool _hiddenVotes,
            uint _minStake,
            uint _alpha,
            uint _feeForJuror,
            uint _jurorsForCourtJump,
            uint[4] _timesPerPeriod,
            uint _sortitionSumTreeK
        ) public {
            // Initialize contract.
            governor = _governor;
            pinakion = _pinakion;
            RNGenerator = _RNGenerator;
            minStakingTime = _minStakingTime;
            maxDrawingTime = _maxDrawingTime;
            lastPhaseChange = now;
    
            // Create the general court.
            courts.push(Court({
                parent: 0,
                children: new uint[](0),
                hiddenVotes: _hiddenVotes,
                minStake: _minStake,
                alpha: _alpha,
                feeForJuror: _feeForJuror,
                jurorsForCourtJump: _jurorsForCourtJump,
                timesPerPeriod: _timesPerPeriod
            }));
            sortitionSumTrees.createTree(bytes32(0), _sortitionSumTreeK);
        }
    
        /* External */
    
        /** @dev Lets the governor call anything on behalf of the contract.
         *  @param _destination The destination of the call.
         *  @param _amount The value sent with the call.
         *  @param _data The data sent with the call.
         */
        function executeGovernorProposal(address _destination, uint _amount, bytes _data) external onlyByGovernor {
            require(_destination.call.value(_amount)(_data)); // solium-disable-line security/no-call-value
        }
    
        /** @dev Changes the `governor` storage variable.
         *  @param _governor The new value for the `governor` storage variable.
         */
        function changeGovernor(address _governor) external onlyByGovernor {
            governor = _governor;
        }
    
        /** @dev Changes the `pinakion` storage variable.
         *  @param _pinakion The new value for the `pinakion` storage variable.
         */
        function changePinakion(MiniMeToken _pinakion) external onlyByGovernor {
            pinakion = _pinakion;
        }
    
        /** @dev Changes the `RNGenerator` storage variable.
         *  @param _RNGenerator The new value for the `RNGenerator` storage variable.
         */
        function changeRNGenerator(RNG _RNGenerator) external onlyByGovernor {
            RNGenerator = _RNGenerator;
            if (phase == Phase.generating) {
                RNBlock = block.number + 1;
                RNGenerator.requestRN(RNBlock);
            }
        }
    
        /** @dev Changes the `minStakingTime` storage variable.
         *  @param _minStakingTime The new value for the `minStakingTime` storage variable.
         */
        function changeMinStakingTime(uint _minStakingTime) external onlyByGovernor {
            minStakingTime = _minStakingTime;
        }
    
        /** @dev Changes the `maxDrawingTime` storage variable.
         *  @param _maxDrawingTime The new value for the `maxDrawingTime` storage variable.
         */
        function changeMaxDrawingTime(uint _maxDrawingTime) external onlyByGovernor {
            maxDrawingTime = _maxDrawingTime;
        }
    
        /** @dev Creates a subcourt under a specified parent court.
         *  @param _parent The `parent` property value of the subcourt.
         *  @param _hiddenVotes The `hiddenVotes` property value of the subcourt.
         *  @param _minStake The `minStake` property value of the subcourt.
         *  @param _alpha The `alpha` property value of the subcourt.
         *  @param _feeForJuror The `feeForJuror` property value of the subcourt.
         *  @param _jurorsForCourtJump The `jurorsForCourtJump` property value of the subcourt.
         *  @param _timesPerPeriod The `timesPerPeriod` property value of the subcourt.
         *  @param _sortitionSumTreeK The number of children per node of the subcourt's sortition sum tree.
         */
        function createSubcourt(
            uint96 _parent,
            bool _hiddenVotes,
            uint _minStake,
            uint _alpha,
            uint _feeForJuror,
            uint _jurorsForCourtJump,
            uint[4] _timesPerPeriod,
            uint _sortitionSumTreeK
        ) external onlyByGovernor {
            require(courts[_parent].minStake <= _minStake, "A subcourt cannot be a child of a subcourt with a higher minimum stake.");
    
            // Create the subcourt.
            uint96 subcourtID = uint96(
                courts.push(Court({
                    parent: _parent,
                    children: new uint[](0),
                    hiddenVotes: _hiddenVotes,
                    minStake: _minStake,
                    alpha: _alpha,
                    feeForJuror: _feeForJuror,
                    jurorsForCourtJump: _jurorsForCourtJump,
                    timesPerPeriod: _timesPerPeriod
                })) - 1
            );
            sortitionSumTrees.createTree(bytes32(subcourtID), _sortitionSumTreeK);
    
            // Update the parent.
            courts[_parent].children.push(subcourtID);
        }
    
        /** @dev Changes the `minStake` property value of a specified subcourt. Don't set to a value lower than its parent's `minStake` property value.
         *  @param _subcourtID The ID of the subcourt.
         *  @param _minStake The new value for the `minStake` property value.
         */
        function changeSubcourtMinStake(uint96 _subcourtID, uint _minStake) external onlyByGovernor {
            require(_subcourtID == 0 || courts[courts[_subcourtID].parent].minStake <= _minStake);
            for (uint i = 0; i < courts[_subcourtID].children.length; i++) {
                require(
                    courts[courts[_subcourtID].children[i]].minStake >= _minStake,
                    "A subcourt cannot be the parent of a subcourt with a lower minimum stake."
                );
            }
    
            courts[_subcourtID].minStake = _minStake;
        }
    
        /** @dev Changes the `alpha` property value of a specified subcourt.
         *  @param _subcourtID The ID of the subcourt.
         *  @param _alpha The new value for the `alpha` property value.
         */
        function changeSubcourtAlpha(uint96 _subcourtID, uint _alpha) external onlyByGovernor {
            courts[_subcourtID].alpha = _alpha;
        }
    
        /** @dev Changes the `feeForJuror` property value of a specified subcourt.
         *  @param _subcourtID The ID of the subcourt.
         *  @param _feeForJuror The new value for the `feeForJuror` property value.
         */
        function changeSubcourtJurorFee(uint96 _subcourtID, uint _feeForJuror) external onlyByGovernor {
            courts[_subcourtID].feeForJuror = _feeForJuror;
        }
    
        /** @dev Changes the `jurorsForCourtJump` property value of a specified subcourt.
         *  @param _subcourtID The ID of the subcourt.
         *  @param _jurorsForCourtJump The new value for the `jurorsForCourtJump` property value.
         */
        function changeSubcourtJurorsForJump(uint96 _subcourtID, uint _jurorsForCourtJump) external onlyByGovernor {
            courts[_subcourtID].jurorsForCourtJump = _jurorsForCourtJump;
        }
    
        /** @dev Changes the `timesPerPeriod` property value of a specified subcourt.
         *  @param _subcourtID The ID of the subcourt.
         *  @param _timesPerPeriod The new value for the `timesPerPeriod` property value.
         */
        function changeSubcourtTimesPerPeriod(uint96 _subcourtID, uint[4] _timesPerPeriod) external onlyByGovernor {
            courts[_subcourtID].timesPerPeriod = _timesPerPeriod;
        }
    
        /** @dev Passes the phase. TRUSTED */
        function passPhase() external {
            if (phase == Phase.staking) {
                require(now - lastPhaseChange >= minStakingTime, "The minimum staking time has not passed yet.");
                require(disputesWithoutJurors > 0, "There are no disputes that need jurors.");
                RNBlock = block.number + 1;
                RNGenerator.requestRN(RNBlock);
                phase = Phase.generating;
            } else if (phase == Phase.generating) {
                RN = RNGenerator.getUncorrelatedRN(RNBlock);
                require(RN != 0, "Random number is not ready yet.");
                phase = Phase.drawing;
            } else if (phase == Phase.drawing) {
                require(disputesWithoutJurors == 0 || now - lastPhaseChange >= maxDrawingTime, "There are still disputes without jurors and the maximum drawing time has not passed yet.");
                phase = Phase.staking;
            }
    
            lastPhaseChange = now;
            emit NewPhase(phase);
        }
    
        /** @dev Passes the period of a specified dispute.
         *  @param _disputeID The ID of the dispute.
         */
        function passPeriod(uint _disputeID) external {
            Dispute storage dispute = disputes[_disputeID];
            if (dispute.period == Period.evidence) {
                require(
                    dispute.votes.length > 1 || now - dispute.lastPeriodChange >= courts[dispute.subcourtID].timesPerPeriod[uint(dispute.period)],
                    "The evidence period time has not passed yet and it is not an appeal."
                );
                require(dispute.drawsInRound == dispute.votes[dispute.votes.length - 1].length, "The dispute has not finished drawing yet.");
                dispute.period = courts[dispute.subcourtID].hiddenVotes ? Period.commit : Period.vote;
            } else if (dispute.period == Period.commit) {
                require(
                    now - dispute.lastPeriodChange >= courts[dispute.subcourtID].timesPerPeriod[uint(dispute.period)] || dispute.commitsInRound == dispute.votes[dispute.votes.length - 1].length,
                    "The commit period time has not passed yet and not every juror has committed yet."
                );
                dispute.period = Period.vote;
            } else if (dispute.period == Period.vote) {
                require(
                    now - dispute.lastPeriodChange >= courts[dispute.subcourtID].timesPerPeriod[uint(dispute.period)] || dispute.votesInEachRound[dispute.votes.length - 1] == dispute.votes[dispute.votes.length - 1].length,
                    "The vote period time has not passed yet and not every juror has voted yet."
                );
                dispute.period = Period.appeal;
                emit AppealPossible(_disputeID, dispute.arbitrated);
            } else if (dispute.period == Period.appeal) {
                require(now - dispute.lastPeriodChange >= courts[dispute.subcourtID].timesPerPeriod[uint(dispute.period)], "The appeal period time has not passed yet.");
                dispute.period = Period.execution;
            } else if (dispute.period == Period.execution) {
                revert("The dispute is already in the last period.");
            }
    
            dispute.lastPeriodChange = now;
            emit NewPeriod(_disputeID, dispute.period);
        }
    
        /** @dev Sets the caller's stake in a subcourt.
         *  @param _subcourtID The ID of the subcourt.
         *  @param _stake The new stake.
         */
        function setStake(uint96 _subcourtID, uint128 _stake) external {
            require(_setStake(msg.sender, _subcourtID, _stake));
        }
    
        /** @dev Executes the next delayed set stakes.
         *  @param _iterations The number of delayed set stakes to execute.
         */
        function executeDelayedSetStakes(uint _iterations) external onlyDuringPhase(Phase.staking) {
            uint actualIterations = (nextDelayedSetStake + _iterations) - 1 > lastDelayedSetStake ?
                (lastDelayedSetStake - nextDelayedSetStake) + 1 : _iterations;
            uint newNextDelayedSetStake = nextDelayedSetStake + actualIterations;
            require(newNextDelayedSetStake >= nextDelayedSetStake);
            for (uint i = nextDelayedSetStake; i < newNextDelayedSetStake; i++) {
                DelayedSetStake storage delayedSetStake = delayedSetStakes[i];
                _setStake(delayedSetStake.account, delayedSetStake.subcourtID, delayedSetStake.stake);
                delete delayedSetStakes[i];
            }
            nextDelayedSetStake = newNextDelayedSetStake;
        }
    
        /** @dev Draws jurors for a dispute. Can be called in parts.
         *  `O(n * k * log_k(j))` where
         *  `n` is the number of iterations to run,
         *  `k` is the number of children per node of the dispute's court's sortition sum tree,
         *  and `j` is the maximum number of jurors that ever staked in it simultaneously.
         *  @param _disputeID The ID of the dispute.
         *  @param _iterations The number of iterations to run.
         */
        function drawJurors(
            uint _disputeID,
            uint _iterations
        ) external onlyDuringPhase(Phase.drawing) onlyDuringPeriod(_disputeID, Period.evidence) {
            Dispute storage dispute = disputes[_disputeID];
            uint endIndex = dispute.drawsInRound + _iterations;
            require(endIndex >= dispute.drawsInRound);
    
            // Avoid going out of range.
            if (endIndex > dispute.votes[dispute.votes.length - 1].length) endIndex = dispute.votes[dispute.votes.length - 1].length;
            for (uint i = dispute.drawsInRound; i < endIndex; i++) {
                // Draw from sortition tree.
                (
                    address drawnAddress,
                    uint subcourtID
                ) = stakePathIDToAccountAndSubcourtID(sortitionSumTrees.draw(bytes32(dispute.subcourtID), uint(keccak256(RN, _disputeID, i))));
    
                // Save the vote.
                dispute.votes[dispute.votes.length - 1][i].account = drawnAddress;
                jurors[drawnAddress].lockedTokens += dispute.tokensAtStakePerJuror[dispute.tokensAtStakePerJuror.length - 1];
                emit Draw(drawnAddress, _disputeID, dispute.votes.length - 1, i);
    
                // If dispute is fully drawn.
                if (i == dispute.votes[dispute.votes.length - 1].length - 1) disputesWithoutJurors--;
            }
            dispute.drawsInRound = endIndex;
        }
    
        /** @dev Sets the caller's commit for the specified votes.
         *  `O(n)` where
         *  `n` is the number of votes.
         *  @param _disputeID The ID of the dispute.
         *  @param _voteIDs The IDs of the votes.
         *  @param _commit The commit.
         */
        function castCommit(uint _disputeID, uint[] _voteIDs, bytes32 _commit) external onlyDuringPeriod(_disputeID, Period.commit) {
            Dispute storage dispute = disputes[_disputeID];
            require(_commit != bytes32(0));
            for (uint i = 0; i < _voteIDs.length; i++) {
                require(dispute.votes[dispute.votes.length - 1][_voteIDs[i]].account == msg.sender, "The caller has to own the vote.");
                require(dispute.votes[dispute.votes.length - 1][_voteIDs[i]].commit == bytes32(0), "Already committed this vote.");
                dispute.votes[dispute.votes.length - 1][_voteIDs[i]].commit = _commit;
            }
            dispute.commitsInRound += _voteIDs.length;
        }
    
        /** @dev Sets the caller's choices for the specified votes.
         *  `O(n)` where
         *  `n` is the number of votes.
         *  @param _disputeID The ID of the dispute.
         *  @param _voteIDs The IDs of the votes.
         *  @param _choice The choice.
         *  @param _salt The salt for the commit if the votes were hidden.
         */
        function castVote(uint _disputeID, uint[] _voteIDs, uint _choice, uint _salt) external onlyDuringPeriod(_disputeID, Period.vote) {
            Dispute storage dispute = disputes[_disputeID];
            require(_voteIDs.length > 0);
            require(_choice <= dispute.numberOfChoices, "The choice has to be less than or equal to the number of choices for the dispute.");
    
            // Save the votes.
            for (uint i = 0; i < _voteIDs.length; i++) {
                require(dispute.votes[dispute.votes.length - 1][_voteIDs[i]].account == msg.sender, "The caller has to own the vote.");
                require(
                    !courts[dispute.subcourtID].hiddenVotes || dispute.votes[dispute.votes.length - 1][_voteIDs[i]].commit == keccak256(_choice, _salt),
                    "The commit must match the choice in subcourts with hidden votes."
                );
                require(!dispute.votes[dispute.votes.length - 1][_voteIDs[i]].voted, "Vote already cast.");
                dispute.votes[dispute.votes.length - 1][_voteIDs[i]].choice = _choice;
                dispute.votes[dispute.votes.length - 1][_voteIDs[i]].voted = true;
            }
            dispute.votesInEachRound[dispute.votes.length - 1] += _voteIDs.length;
    
            // Update winning choice.
            VoteCounter storage voteCounter = dispute.voteCounters[dispute.voteCounters.length - 1];
            voteCounter.counts[_choice] += _voteIDs.length;
            if (_choice == voteCounter.winningChoice) { // Voted for the winning choice.
                if (voteCounter.tied) voteCounter.tied = false; // Potentially broke tie.
            } else { // Voted for another choice.
                if (voteCounter.counts[_choice] == voteCounter.counts[voteCounter.winningChoice]) { // Tie.
                    if (!voteCounter.tied) voteCounter.tied = true;
                } else if (voteCounter.counts[_choice] > voteCounter.counts[voteCounter.winningChoice]) { // New winner.
                    voteCounter.winningChoice = _choice;
                    voteCounter.tied = false;
                }
            }
        }
    
        /** @dev Computes the token and ETH rewards for a specified appeal in a specified dispute.
         *  @param _disputeID The ID of the dispute.
         *  @param _appeal The appeal.
         *  @return The token and ETH rewards.
         */
        function computeTokenAndETHRewards(uint _disputeID, uint _appeal) private view returns(uint tokenReward, uint ETHReward) {
            Dispute storage dispute = disputes[_disputeID];
    
            // Distribute penalties and arbitration fees.
            if (dispute.voteCounters[dispute.voteCounters.length - 1].tied) {
                // Distribute penalties and fees evenly between active jurors.
                uint activeCount = dispute.votesInEachRound[_appeal];
                if (activeCount > 0) {
                    tokenReward = dispute.penaltiesInEachRound[_appeal] / activeCount;
                    ETHReward = dispute.totalFeesForJurors[_appeal] / activeCount;
                } else {
                    tokenReward = 0;
                    ETHReward = 0;
                }
            } else {
                // Distribute penalties and fees evenly between coherent jurors.
                uint winningChoice = dispute.voteCounters[dispute.voteCounters.length - 1].winningChoice;
                uint coherentCount = dispute.voteCounters[_appeal].counts[winningChoice];
                tokenReward = dispute.penaltiesInEachRound[_appeal] / coherentCount;
                ETHReward = dispute.totalFeesForJurors[_appeal] / coherentCount;
            }
        }
    
        /** @dev Repartitions tokens and ETH for a specified appeal in a specified dispute. Can be called in parts.
         *  `O(i + u * n * (n + p * log_k(j)))` where
         *  `i` is the number of iterations to run,
         *  `u` is the number of jurors that need to be unstaked,
         *  `n` is the maximum number of subcourts one of these jurors has staked in,
         *  `p` is the depth of the subcourt tree,
         *  `k` is the minimum number of children per node of one of these subcourts' sortition sum tree,
         *  and `j` is the maximum number of jurors that ever staked in one of these subcourts simultaneously.
         *  @param _disputeID The ID of the dispute.
         *  @param _appeal The appeal.
         *  @param _iterations The number of iterations to run.
         */
        function execute(uint _disputeID, uint _appeal, uint _iterations) external onlyDuringPeriod(_disputeID, Period.execution) {
            lockInsolventTransfers = false;
            Dispute storage dispute = disputes[_disputeID];
            uint end = dispute.repartitionsInEachRound[_appeal] + _iterations;
            require(end >= dispute.repartitionsInEachRound[_appeal]);
            uint penaltiesInRoundCache = dispute.penaltiesInEachRound[_appeal]; // For saving gas.
            (uint tokenReward, uint ETHReward) = (0, 0);
    
            // Avoid going out of range.
            if (
                !dispute.voteCounters[dispute.voteCounters.length - 1].tied &&
                dispute.voteCounters[_appeal].counts[dispute.voteCounters[dispute.voteCounters.length - 1].winningChoice] == 0
            ) {
                // We loop over the votes once as there are no rewards because it is not a tie and no one in this round is coherent with the final outcome.
                if (end > dispute.votes[_appeal].length) end = dispute.votes[_appeal].length;
            } else {
                // We loop over the votes twice, first to collect penalties, and second to distribute them as rewards along with arbitration fees.
                (tokenReward, ETHReward) = dispute.repartitionsInEachRound[_appeal] >= dispute.votes[_appeal].length ? computeTokenAndETHRewards(_disputeID, _appeal) : (0, 0); // Compute rewards if rewarding.
                if (end > dispute.votes[_appeal].length * 2) end = dispute.votes[_appeal].length * 2;
            }
            for (uint i = dispute.repartitionsInEachRound[_appeal]; i < end; i++) {
                Vote storage vote = dispute.votes[_appeal][i % dispute.votes[_appeal].length];
                if (
                    vote.voted &&
                    (vote.choice == dispute.voteCounters[dispute.voteCounters.length - 1].winningChoice || dispute.voteCounters[dispute.voteCounters.length - 1].tied)
                ) { // Juror was active, and voted coherently or it was a tie.
                    if (i >= dispute.votes[_appeal].length) { // Only execute in the second half of the iterations.
    
                        // Reward.
                        pinakion.transfer(vote.account, tokenReward);
                        // Intentional use to avoid blocking.
                        vote.account.send(ETHReward); // solium-disable-line security/no-send
                        emit TokenAndETHShift(vote.account, _disputeID, int(tokenReward), int(ETHReward));
                        jurors[vote.account].lockedTokens -= dispute.tokensAtStakePerJuror[_appeal];
                    }
                } else { // Juror was inactive, or voted incoherently and it was not a tie.
                    if (i < dispute.votes[_appeal].length) { // Only execute in the first half of the iterations.
    
                        // Penalize.
                        uint penalty = dispute.tokensAtStakePerJuror[_appeal] > pinakion.balanceOf(vote.account) ? pinakion.balanceOf(vote.account) : dispute.tokensAtStakePerJuror[_appeal];
                        pinakion.transferFrom(vote.account, this, penalty);
                        emit TokenAndETHShift(vote.account, _disputeID, -int(penalty), 0);
                        penaltiesInRoundCache += penalty;
                        jurors[vote.account].lockedTokens -= dispute.tokensAtStakePerJuror[_appeal];
    
                        // Unstake juror if his penalty made balance less than his total stake or if he lost due to inactivity.
                        if (pinakion.balanceOf(vote.account) < jurors[vote.account].stakedTokens || !vote.voted)
                            for (uint j = 0; j < jurors[vote.account].subcourtIDs.length; j++)
                                _setStake(vote.account, jurors[vote.account].subcourtIDs[j], 0);
    
                    }
                }
                if (i == dispute.votes[_appeal].length - 1) {
                    // Send fees and tokens to the governor if no one was coherent.
                    if (dispute.votesInEachRound[_appeal] == 0 || !dispute.voteCounters[dispute.voteCounters.length - 1].tied && dispute.voteCounters[_appeal].counts[dispute.voteCounters[dispute.voteCounters.length - 1].winningChoice] == 0) {
                        // Intentional use to avoid blocking.
                        governor.send(dispute.totalFeesForJurors[_appeal]); // solium-disable-line security/no-send
                        pinakion.transfer(governor, penaltiesInRoundCache);
                    } else if (i + 1 < end) {
                        // Compute rewards because we are going into rewarding.
                        dispute.penaltiesInEachRound[_appeal] = penaltiesInRoundCache;
                        (tokenReward, ETHReward) = computeTokenAndETHRewards(_disputeID, _appeal);
                    }
                }
            }
            if (dispute.penaltiesInEachRound[_appeal] != penaltiesInRoundCache) dispute.penaltiesInEachRound[_appeal] = penaltiesInRoundCache;
            dispute.repartitionsInEachRound[_appeal] = end;
            lockInsolventTransfers = true;
        }
    
        /** @dev Executes a specified dispute's ruling. UNTRUSTED.
         *  @param _disputeID The ID of the dispute.
         */
        function executeRuling(uint _disputeID) external onlyDuringPeriod(_disputeID, Period.execution) {
            Dispute storage dispute = disputes[_disputeID];
            require(!dispute.ruled, "Ruling already executed.");
            dispute.ruled = true;
            uint winningChoice = dispute.voteCounters[dispute.voteCounters.length - 1].tied ? 0
                : dispute.voteCounters[dispute.voteCounters.length - 1].winningChoice;
            dispute.arbitrated.rule(_disputeID, winningChoice);
        }
    
        /* Public */
    
        /** @dev Creates a dispute. Must be called by the arbitrable contract.
         *  @param _numberOfChoices Number of choices to choose from in the dispute to be created.
         *  @param _extraData Additional info about the dispute to be created. We use it to pass the ID of the subcourt to create the dispute in (first 32 bytes) and the minimum number of jurors required (next 32 bytes).
         *  @return The ID of the created dispute.
         */
        function createDispute(
            uint _numberOfChoices,
            bytes _extraData
        ) public payable requireArbitrationFee(_extraData) returns(uint disputeID)  {
            (uint96 subcourtID, uint minJurors) = extraDataToSubcourtIDAndMinJurors(_extraData);
            disputeID = disputes.length++;
            Dispute storage dispute = disputes[disputeID];
            dispute.subcourtID = subcourtID;
            dispute.arbitrated = Arbitrable(msg.sender);
            dispute.numberOfChoices = _numberOfChoices;
            dispute.period = Period.evidence;
            dispute.lastPeriodChange = now;
            // As many votes that can be afforded by the provided funds.
            dispute.votes[dispute.votes.length++].length = msg.value / courts[dispute.subcourtID].feeForJuror;
            dispute.voteCounters[dispute.voteCounters.length++].tied = true;
            dispute.tokensAtStakePerJuror.push((courts[dispute.subcourtID].minStake * courts[dispute.subcourtID].alpha) / ALPHA_DIVISOR);
            dispute.totalFeesForJurors.push(msg.value);
            dispute.votesInEachRound.push(0);
            dispute.repartitionsInEachRound.push(0);
            dispute.penaltiesInEachRound.push(0);
            disputesWithoutJurors++;
    
            emit DisputeCreation(disputeID, Arbitrable(msg.sender));
        }
    
        /** @dev Appeals the ruling of a specified dispute.
         *  @param _disputeID The ID of the dispute.
         *  @param _extraData Additional info about the appeal. Not used by this contract.
         */
        function appeal(
            uint _disputeID,
            bytes _extraData
        ) public payable requireAppealFee(_disputeID, _extraData) onlyDuringPeriod(_disputeID, Period.appeal) {
            Dispute storage dispute = disputes[_disputeID];
            require(
                msg.sender == address(dispute.arbitrated),
                "Can only be called by the arbitrable contract."
            );
            if (dispute.votes[dispute.votes.length - 1].length >= courts[dispute.subcourtID].jurorsForCourtJump) // Jump to parent subcourt.
                dispute.subcourtID = courts[dispute.subcourtID].parent;
            dispute.period = Period.evidence;
            dispute.lastPeriodChange = now;
            // As many votes that can be afforded by the provided funds.
            dispute.votes[dispute.votes.length++].length = msg.value / courts[dispute.subcourtID].feeForJuror;
            dispute.voteCounters[dispute.voteCounters.length++].tied = true;
            dispute.tokensAtStakePerJuror.push((courts[dispute.subcourtID].minStake * courts[dispute.subcourtID].alpha) / ALPHA_DIVISOR);
            dispute.totalFeesForJurors.push(msg.value);
            dispute.drawsInRound = 0;
            dispute.commitsInRound = 0;
            dispute.votesInEachRound.push(0);
            dispute.repartitionsInEachRound.push(0);
            dispute.penaltiesInEachRound.push(0);
            disputesWithoutJurors++;
    
            emit AppealDecision(_disputeID, Arbitrable(msg.sender));
        }
    
        /** @dev Called when `_owner` sends ether to the MiniMe Token contract.
         *  @param _owner The address that sent the ether to create tokens.
         *  @return Whether the operation should be allowed or not.
         */
        function proxyPayment(address _owner) public payable returns(bool allowed) { allowed = false; }
    
        /** @dev Notifies the controller about a token transfer allowing the controller to react if desired.
         *  @param _from The origin of the transfer.
         *  @param _to The destination of the transfer.
         *  @param _amount The amount of the transfer.
         *  @return Whether the operation should be allowed or not.
         */
        function onTransfer(address _from, address _to, uint _amount) public returns(bool allowed) {
            if (lockInsolventTransfers) { // Never block penalties or rewards.
                uint newBalance = pinakion.balanceOf(_from) - _amount;
                if (newBalance < jurors[_from].stakedTokens || newBalance < jurors[_from].lockedTokens) return false;
            }
            allowed = true;
        }
    
        /** @dev Notifies the controller about an approval allowing the controller to react if desired.
         *  @param _owner The address that calls `approve()`.
         *  @param _spender The spender in the `approve()` call.
         *  @param _amount The amount in the `approve()` call.
         *  @return Whether the operation should be allowed or not.
         */
        function onApprove(address _owner, address _spender, uint _amount) public returns(bool allowed) { allowed = true; }
    
        /* Public Views */
    
        /** @dev Gets the cost of arbitration in a specified subcourt.
         *  @param _extraData Additional info about the dispute. We use it to pass the ID of the subcourt to create the dispute in (first 32 bytes) and the minimum number of jurors required (next 32 bytes).
         *  @return The cost.
         */
        function arbitrationCost(bytes _extraData) public view returns(uint cost) {
            (uint96 subcourtID, uint minJurors) = extraDataToSubcourtIDAndMinJurors(_extraData);
            cost = courts[subcourtID].feeForJuror * minJurors;
        }
    
        /** @dev Gets the cost of appealing a specified dispute.
         *  @param _disputeID The ID of the dispute.
         *  @param _extraData Additional info about the appeal. Not used by this contract.
         *  @return The cost.
         */
        function appealCost(uint _disputeID, bytes _extraData) public view returns(uint cost) {
            Dispute storage dispute = disputes[_disputeID];
            uint lastNumberOfJurors = dispute.votes[dispute.votes.length - 1].length;
            if (lastNumberOfJurors >= courts[dispute.subcourtID].jurorsForCourtJump) { // Jump to parent subcourt.
                if (dispute.subcourtID == 0) // Already in the general court.
                    cost = NON_PAYABLE_AMOUNT;
                else // Get the cost of the parent subcourt.
                    cost = courts[courts[dispute.subcourtID].parent].feeForJuror * ((lastNumberOfJurors * 2) + 1);
            } else // Stay in current subcourt.
                cost = courts[dispute.subcourtID].feeForJuror * ((lastNumberOfJurors * 2) + 1);
        }
    
        /** @dev Gets the start and end of a specified dispute's current appeal period.
         *  @param _disputeID The ID of the dispute.
         *  @return The start and end of the appeal period.
         */
        function appealPeriod(uint _disputeID) public view returns(uint start, uint end) {
            Dispute storage dispute = disputes[_disputeID];
            if (dispute.period == Period.appeal) {
                start = dispute.lastPeriodChange;
                end = dispute.lastPeriodChange + courts[dispute.subcourtID].timesPerPeriod[uint(Period.appeal)];
            } else {
                start = 0;
                end = 0;
            }
        }
    
        /** @dev Gets the status of a specified dispute.
         *  @param _disputeID The ID of the dispute.
         *  @return The status.
         */
        function disputeStatus(uint _disputeID) public view returns(DisputeStatus status) {
            Dispute storage dispute = disputes[_disputeID];
            if (dispute.period < Period.appeal) status = DisputeStatus.Waiting;
            else if (dispute.period < Period.execution) status = DisputeStatus.Appealable;
            else status = DisputeStatus.Solved;
        }
    
        /** @dev Gets the current ruling of a specified dispute.
         *  @param _disputeID The ID of the dispute.
         *  @return The current ruling.
         */
        function currentRuling(uint _disputeID) public view returns(uint ruling) {
            Dispute storage dispute = disputes[_disputeID];
            ruling = dispute.voteCounters[dispute.voteCounters.length - 1].tied ? 0
                : dispute.voteCounters[dispute.voteCounters.length - 1].winningChoice;
        }
    
        /* Internal */
    
        /** @dev Sets the specified juror's stake in a subcourt.
         *  `O(n + p * log_k(j))` where
         *  `n` is the number of subcourts the juror has staked in,
         *  `p` is the depth of the subcourt tree,
         *  `k` is the minimum number of children per node of one of these subcourts' sortition sum tree,
         *  and `j` is the maximum number of jurors that ever staked in one of these subcourts simultaneously.
         *  @param _account The address of the juror.
         *  @param _subcourtID The ID of the subcourt.
         *  @param _stake The new stake.
         *  @return True if the call succeeded, false otherwise.
         */
        function _setStake(address _account, uint96 _subcourtID, uint128 _stake) internal returns(bool succeeded) {
            if (!(_subcourtID < courts.length))
                return false;
    
            // Delayed action logic.
            if (phase != Phase.staking) {
                delayedSetStakes[++lastDelayedSetStake] = DelayedSetStake({ account: _account, subcourtID: _subcourtID, stake: _stake });
                return true;
            }
    
            if (!(_stake == 0 || courts[_subcourtID].minStake <= _stake))
                return false; // The juror's stake cannot be lower than the minimum stake for the subcourt.
            Juror storage juror = jurors[_account];
            bytes32 stakePathID = accountAndSubcourtIDToStakePathID(_account, _subcourtID);
            uint currentStake = sortitionSumTrees.stakeOf(bytes32(_subcourtID), stakePathID);
            if (!(_stake == 0 || currentStake > 0 || juror.subcourtIDs.length < MAX_STAKE_PATHS))
                return false; // Maximum stake paths reached.
            uint newTotalStake = juror.stakedTokens - currentStake + _stake; // Can't overflow because _stake is a uint128.
            if (!(_stake == 0 || pinakion.balanceOf(_account) >= newTotalStake))
                return false; // The juror's total amount of staked tokens cannot be higher than the juror's balance.
    
            // Update juror's records.
            juror.stakedTokens = newTotalStake;
            if (_stake == 0) {
                for (uint i = 0; i < juror.subcourtIDs.length; i++)
                    if (juror.subcourtIDs[i] == _subcourtID) {
                        juror.subcourtIDs[i] = juror.subcourtIDs[juror.subcourtIDs.length - 1];
                        juror.subcourtIDs.length--;
                        break;
                    }
            } else if (currentStake == 0) juror.subcourtIDs.push(_subcourtID);
    
            // Update subcourt parents.
            bool finished = false;
            uint currentSubcourtID = _subcourtID;
            while (!finished) {
                sortitionSumTrees.set(bytes32(currentSubcourtID), _stake, stakePathID);
                if (currentSubcourtID == 0) finished = true;
                else currentSubcourtID = courts[currentSubcourtID].parent;
            }
            emit StakeSet(_account, _subcourtID, _stake, newTotalStake);
            return true;
        }
    
        /** @dev Gets a subcourt ID and the minimum number of jurors required from a specified extra data bytes array.
         *  @param _extraData The extra data bytes array. The first 32 bytes are the subcourt ID and the next 32 bytes are the minimum number of jurors.
         *  @return The subcourt ID and the minimum number of jurors required.
         */
        function extraDataToSubcourtIDAndMinJurors(bytes _extraData) internal view returns (uint96 subcourtID, uint minJurors) {
            if (_extraData.length >= 64) {
                assembly { // solium-disable-line security/no-inline-assembly
                    subcourtID := mload(add(_extraData, 0x20))
                    minJurors := mload(add(_extraData, 0x40))
                }
                if (subcourtID >= courts.length) subcourtID = 0;
                if (minJurors == 0) minJurors = MIN_JURORS;
            } else {
                subcourtID = 0;
                minJurors = MIN_JURORS;
            }
        }
    
        /** @dev Packs an account and a subcourt ID into a stake path ID.
         *  @param _account The account to pack.
         *  @param _subcourtID The subcourt ID to pack.
         *  @return The stake path ID.
         */
        function accountAndSubcourtIDToStakePathID(address _account, uint96 _subcourtID) internal pure returns (bytes32 stakePathID) {
            assembly { // solium-disable-line security/no-inline-assembly
                let ptr := mload(0x40)
                for { let i := 0x00 } lt(i, 0x14) { i := add(i, 0x01) } {
                    mstore8(add(ptr, i), byte(add(0x0c, i), _account))
                }
                for { let i := 0x14 } lt(i, 0x20) { i := add(i, 0x01) } {
                    mstore8(add(ptr, i), byte(i, _subcourtID))
                }
                stakePathID := mload(ptr)
            }
        }
    
        /** @dev Unpacks a stake path ID into an account and a subcourt ID.
         *  @param _stakePathID The stake path ID to unpack.
         *  @return The account and subcourt ID.
         */
        function stakePathIDToAccountAndSubcourtID(bytes32 _stakePathID) internal pure returns (address account, uint96 subcourtID) {
            assembly { // solium-disable-line security/no-inline-assembly
                let ptr := mload(0x40)
                for { let i := 0x00 } lt(i, 0x14) { i := add(i, 0x01) } {
                    mstore8(add(add(ptr, 0x0c), i), byte(i, _stakePathID))
                }
                account := mload(ptr)
                subcourtID := _stakePathID
            }
        }
        
        /* Interface Views */
    
        /** @dev Gets a specified subcourt's non primitive properties.
         *  @param _subcourtID The ID of the subcourt.
         *  @return The subcourt's non primitive properties.
         */
        function getSubcourt(uint96 _subcourtID) external view returns(
            uint[] children,
            uint[4] timesPerPeriod
        ) {
            Court storage subcourt = courts[_subcourtID];
            children = subcourt.children;
            timesPerPeriod = subcourt.timesPerPeriod;
        }
    
        /** @dev Gets a specified vote for a specified appeal in a specified dispute.
         *  @param _disputeID The ID of the dispute.
         *  @param _appeal The appeal.
         *  @param _voteID The ID of the vote.
         *  @return The vote.
         */
        function getVote(uint _disputeID, uint _appeal, uint _voteID) external view returns(
            address account,
            bytes32 commit,
            uint choice,
            bool voted
        ) {
            Vote storage vote = disputes[_disputeID].votes[_appeal][_voteID];
            account = vote.account;
            commit = vote.commit;
            choice = vote.choice;
            voted = vote.voted;
        }
    
        /** @dev Gets the vote counter for a specified appeal in a specified dispute.
         *  Note: This function is only to be used by the interface and it won't work if the number of choices is too high.
         *  @param _disputeID The ID of the dispute.
         *  @param _appeal The appeal.
         *  @return The vote counter.
         *  `O(n)` where
         *  `n` is the number of choices of the dispute.
         */
        function getVoteCounter(uint _disputeID, uint _appeal) external view returns(
            uint winningChoice,
            uint[] counts,
            bool tied
        ) {
            Dispute storage dispute = disputes[_disputeID];
            VoteCounter storage voteCounter = dispute.voteCounters[_appeal];
            winningChoice = voteCounter.winningChoice;
            counts = new uint[](dispute.numberOfChoices + 1);
            for (uint i = 0; i <= dispute.numberOfChoices; i++) counts[i] = voteCounter.counts[i];
            tied = voteCounter.tied;
        }
    
        /** @dev Gets a specified dispute's non primitive properties.
         *  @param _disputeID The ID of the dispute.
         *  @return The dispute's non primitive properties.
         *  `O(a)` where
         *  `a` is the number of appeals of the dispute.
         */
        function getDispute(uint _disputeID) external view returns(
            uint[] votesLengths,
            uint[] tokensAtStakePerJuror,
            uint[] totalFeesForJurors,
            uint[] votesInEachRound,
            uint[] repartitionsInEachRound,
            uint[] penaltiesInEachRound
        ) {
            Dispute storage dispute = disputes[_disputeID];
            votesLengths = new uint[](dispute.votes.length);
            for (uint i = 0; i < dispute.votes.length; i++) votesLengths[i] = dispute.votes[i].length;
            tokensAtStakePerJuror = dispute.tokensAtStakePerJuror;
            totalFeesForJurors = dispute.totalFeesForJurors;
            votesInEachRound = dispute.votesInEachRound;
            repartitionsInEachRound = dispute.repartitionsInEachRound;
            penaltiesInEachRound = dispute.penaltiesInEachRound;
        }
    
        /** @dev Gets a specified juror's non primitive properties.
         *  @param _account The address of the juror.
         *  @return The juror's non primitive properties.
         */
        function getJuror(address _account) external view returns(
            uint96[] subcourtIDs
        ) {
            Juror storage juror = jurors[_account];
            subcourtIDs = juror.subcourtIDs;
        }
    
        /** @dev Gets the stake of a specified juror in a specified subcourt.
         *  @param _account The address of the juror.
         *  @param _subcourtID The ID of the subcourt.
         *  @return The stake.
         */
        function stakeOf(address _account, uint96 _subcourtID) external view returns(uint stake) {
            return sortitionSumTrees.stakeOf(bytes32(_subcourtID), accountAndSubcourtIDToStakePathID(_account, _subcourtID));
        }
    }