ETH Price: $2,002.30 (+0.66%)

Transaction Decoder

Block:
13092728 at Aug-25-2021 05:47:32 AM +UTC
Transaction Fee:
0.009385994 ETH $18.79
Gas Used:
99,851 Gas / 94 Gwei

Account State Difference:

  Address   Before After State Difference Code
(Miner: 0x070...287)
589.017271179446675079 Eth589.020864031863579533 Eth0.003592852416904454
0xd02fC7Ce...adC98a50b
0.14551824707534024 Eth
Nonce: 90
0.13613225307534024 Eth
Nonce: 91
0.009385994

Execution Trace

StakingRewards.CALL( )
  • ContractRegistry.addressOf( _contractName=4C697175696469747950726F74656374696F6E00000000000000000000000000 ) => ( 0x853c2D147a1BD7edA8FE0f58fb3C5294dB07220e )
  • LiquidityProtection.STATICCALL( )
  • LiquidityProtectionStats.providerPools( provider=0xd02fC7Cec541A672EdBeC5E2D5BC4E1adC98a50b ) => ( [0x04D0231162b4784b706908c787CE32bD075db9b7, 0xb1CD6e4153B2a390Cf00A6556b0fC1458C4A5533] )
  • StakingRewardsStore.poolProgram( poolToken=0x04D0231162b4784b706908c787CE32bD075db9b7 ) => ( 1605557702, 1637698502, 165343915343915330, [0x1F573D6Fb3F13d689FF844B4cE37794d79a7FF1C, 0x514910771AF9Ca656af840dff83E8264EcF986CA], [700000, 300000] )
  • StakingRewardsStore.poolRewards( poolToken=0x04D0231162b4784b706908c787CE32bD075db9b7, reserveToken=0x1F573D6Fb3F13d689FF844B4cE37794d79a7FF1C ) => ( 1629867156, 479855118526130729, 4909962459803801124740168 )
  • LiquidityProtectionStats.totalReserveAmount( poolToken=0x04D0231162b4784b706908c787CE32bD075db9b7, reserveToken=0x1F573D6Fb3F13d689FF844B4cE37794d79a7FF1C ) => ( 13122317928352787259221105 )
  • StakingRewardsStore.updatePoolRewardsData( poolToken=0x04D0231162b4784b706908c787CE32bD075db9b7, reserveToken=0x1F573D6Fb3F13d689FF844B4cE37794d79a7FF1C, lastUpdateTime=1629870452, rewardPerToken=479884189722512675, totalClaimedRewards=4909962459803801124740168 )
  • StakingRewardsStore.providerRewards( provider=0xd02fC7Cec541A672EdBeC5E2D5BC4E1adC98a50b, poolToken=0x04D0231162b4784b706908c787CE32bD075db9b7, reserveToken=0x1F573D6Fb3F13d689FF844B4cE37794d79a7FF1C )
    File 1 of 5: StakingRewards
    // SPDX-License-Identifier: MIT
    pragma solidity 0.6.12;
    import "@openzeppelin/contracts/access/AccessControl.sol";
    import "@openzeppelin/contracts/math/Math.sol";
    import "@openzeppelin/contracts/math/SafeMath.sol";
    import "@openzeppelin/contracts/token/ERC20/SafeERC20.sol";
    import "@bancor/token-governance/contracts/ITokenGovernance.sol";
    import "../utility/ContractRegistryClient.sol";
    import "../utility/Utils.sol";
    import "../utility/Time.sol";
    import "../utility/interfaces/ICheckpointStore.sol";
    import "../token/ReserveToken.sol";
    import "../liquidity-protection/interfaces/ILiquidityProtection.sol";
    import "./interfaces/IStakingRewards.sol";
    /**
     * @dev This contract manages the distribution of the staking rewards
     */
    contract StakingRewards is IStakingRewards, AccessControl, Time, Utils, ContractRegistryClient {
        using SafeMath for uint256;
        using ReserveToken for IReserveToken;
        using SafeERC20 for IERC20;
        using SafeERC20Ex for IERC20;
        // the role is used to globally govern the contract and its governing roles.
        bytes32 public constant ROLE_SUPERVISOR = keccak256("ROLE_SUPERVISOR");
        // the roles is used to restrict who is allowed to publish liquidity protection events.
        bytes32 public constant ROLE_PUBLISHER = keccak256("ROLE_PUBLISHER");
        // the roles is used to restrict who is allowed to update/cache provider rewards.
        bytes32 public constant ROLE_UPDATER = keccak256("ROLE_UPDATER");
        // the weekly 25% increase of the rewards multiplier (in units of PPM).
        uint32 private constant MULTIPLIER_INCREMENT = PPM_RESOLUTION / 4;
        // the maximum weekly 200% rewards multiplier (in units of PPM).
        uint32 private constant MAX_MULTIPLIER = PPM_RESOLUTION + MULTIPLIER_INCREMENT * 4;
        // the rewards halving factor we need to take into account during the sanity verification process.
        uint8 private constant REWARDS_HALVING_FACTOR = 4;
        // since we will be dividing by the total amount of protected tokens in units of wei, we can encounter cases
        // where the total amount in the denominator is higher than the product of the rewards rate and staking duration. In
        // order to avoid this imprecision, we will amplify the reward rate by the units amount.
        uint256 private constant REWARD_RATE_FACTOR = 1e18;
        uint256 private constant MAX_UINT256 = uint256(-1);
        // the staking rewards settings.
        IStakingRewardsStore private immutable _store;
        // the permissioned wrapper around the network token which should allow this contract to mint staking rewards.
        ITokenGovernance private immutable _networkTokenGovernance;
        // the address of the network token.
        IERC20 private immutable _networkToken;
        // the checkpoint store recording last protected position removal times.
        ICheckpointStore private immutable _lastRemoveTimes;
        /**
         * @dev initializes a new StakingRewards contract
         */
        constructor(
            IStakingRewardsStore store,
            ITokenGovernance networkTokenGovernance,
            ICheckpointStore lastRemoveTimes,
            IContractRegistry registry
        )
            public
            validAddress(address(store))
            validAddress(address(networkTokenGovernance))
            validAddress(address(lastRemoveTimes))
            ContractRegistryClient(registry)
        {
            _store = store;
            _networkTokenGovernance = networkTokenGovernance;
            _networkToken = networkTokenGovernance.token();
            _lastRemoveTimes = lastRemoveTimes;
            // set up administrative roles.
            _setRoleAdmin(ROLE_SUPERVISOR, ROLE_SUPERVISOR);
            _setRoleAdmin(ROLE_PUBLISHER, ROLE_SUPERVISOR);
            _setRoleAdmin(ROLE_UPDATER, ROLE_SUPERVISOR);
            // allow the deployer to initially govern the contract.
            _setupRole(ROLE_SUPERVISOR, _msgSender());
        }
        modifier onlyPublisher() {
            _onlyPublisher();
            _;
        }
        function _onlyPublisher() internal view {
            require(hasRole(ROLE_PUBLISHER, msg.sender), "ERR_ACCESS_DENIED");
        }
        modifier onlyUpdater() {
            _onlyUpdater();
            _;
        }
        function _onlyUpdater() internal view {
            require(hasRole(ROLE_UPDATER, msg.sender), "ERR_ACCESS_DENIED");
        }
        /**
         * @dev liquidity provision notification callback. The callback should be called *before* the liquidity is added in
         * the LP contract
         *
         * Requirements:
         *
         * - the caller must have the ROLE_PUBLISHER role
         */
        function onAddingLiquidity(
            address provider,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256, /* poolAmount */
            uint256 /* reserveAmount */
        ) external override onlyPublisher validExternalAddress(provider) {
            IDSToken poolToken = IDSToken(address(poolAnchor));
            PoolProgram memory program = _poolProgram(poolToken);
            if (program.startTime == 0) {
                return;
            }
            _updateRewards(provider, poolToken, reserveToken, program, _liquidityProtectionStats());
        }
        /**
         * @dev liquidity removal callback. The callback must be called *before* the liquidity is removed in the LP
         * contract
         *
         * Requirements:
         *
         * - the caller must have the ROLE_PUBLISHER role
         */
        function onRemovingLiquidity(
            uint256, /* id */
            address provider,
            IConverterAnchor, /* poolAnchor */
            IReserveToken, /* reserveToken */
            uint256, /* poolAmount */
            uint256 /* reserveAmount */
        ) external override onlyPublisher validExternalAddress(provider) {
            ILiquidityProtectionStats lpStats = _liquidityProtectionStats();
            // make sure that all pending rewards are properly stored for future claims, with retroactive rewards
            // multipliers.
            _storeRewards(provider, lpStats.providerPools(provider), lpStats);
        }
        /**
         * @dev returns the staking rewards store
         */
        function store() external view override returns (IStakingRewardsStore) {
            return _store;
        }
        /**
         * @dev returns specific provider's pending rewards for all participating pools
         */
        function pendingRewards(address provider) external view override returns (uint256) {
            return _pendingRewards(provider, _liquidityProtectionStats());
        }
        /**
         * @dev returns specific provider's pending rewards for a specific participating pool
         */
        function pendingPoolRewards(address provider, IDSToken poolToken) external view override returns (uint256) {
            return _pendingRewards(provider, poolToken, _liquidityProtectionStats());
        }
        /**
         * @dev returns specific provider's pending rewards for a specific participating pool/reserve
         */
        function pendingReserveRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken
        ) external view override returns (uint256) {
            PoolProgram memory program = _poolProgram(poolToken);
            return _pendingRewards(provider, poolToken, reserveToken, program, _liquidityProtectionStats());
        }
        /**
         * @dev returns the current rewards multiplier for a provider in a given pool
         */
        function rewardsMultiplier(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken
        ) external view override returns (uint32) {
            ProviderRewards memory providerRewards = _providerRewards(provider, poolToken, reserveToken);
            PoolProgram memory program = _poolProgram(poolToken);
            return _rewardsMultiplier(provider, providerRewards.effectiveStakingTime, program);
        }
        /**
         * @dev returns specific provider's total claimed rewards from all participating pools
         */
        function totalClaimedRewards(address provider) external view override returns (uint256) {
            uint256 totalRewards = 0;
            ILiquidityProtectionStats lpStats = _liquidityProtectionStats();
            IDSToken[] memory poolTokens = lpStats.providerPools(provider);
            for (uint256 i = 0; i < poolTokens.length; ++i) {
                IDSToken poolToken = poolTokens[i];
                PoolProgram memory program = _poolProgram(poolToken);
                for (uint256 j = 0; j < program.reserveTokens.length; ++j) {
                    IReserveToken reserveToken = program.reserveTokens[j];
                    ProviderRewards memory providerRewards = _providerRewards(provider, poolToken, reserveToken);
                    totalRewards = totalRewards.add(providerRewards.totalClaimedRewards);
                }
            }
            return totalRewards;
        }
        /**
         * @dev claims pending rewards from all participating pools
         */
        function claimRewards() external override returns (uint256) {
            return _claimPendingRewards(msg.sender, _liquidityProtectionStats());
        }
        /**
         * @dev stakes specific pending rewards from all participating pools
         */
        function stakeRewards(uint256 maxAmount, IDSToken poolToken) external override returns (uint256, uint256) {
            return _stakeRewards(msg.sender, maxAmount, poolToken, _liquidityProtectionStats());
        }
        /**
         * @dev store pending rewards for a list of providers in a specific pool for future claims
         *
         * Requirements:
         *
         * - the caller must have the ROLE_UPDATER role
         */
        function storePoolRewards(address[] calldata providers, IDSToken poolToken) external override onlyUpdater {
            ILiquidityProtectionStats lpStats = _liquidityProtectionStats();
            PoolProgram memory program = _poolProgram(poolToken);
            for (uint256 i = 0; i < providers.length; ++i) {
                for (uint256 j = 0; j < program.reserveTokens.length; ++j) {
                    _storeRewards(providers[i], poolToken, program.reserveTokens[j], program, lpStats, false);
                }
            }
        }
        /**
         * @dev returns specific provider's pending rewards for all participating pools
         */
        function _pendingRewards(address provider, ILiquidityProtectionStats lpStats) private view returns (uint256) {
            return _pendingRewards(provider, lpStats.providerPools(provider), lpStats);
        }
        /**
         * @dev returns specific provider's pending rewards for a specific list of participating pools
         */
        function _pendingRewards(
            address provider,
            IDSToken[] memory poolTokens,
            ILiquidityProtectionStats lpStats
        ) private view returns (uint256) {
            uint256 reward = 0;
            uint256 length = poolTokens.length;
            for (uint256 i = 0; i < length; ++i) {
                uint256 poolReward = _pendingRewards(provider, poolTokens[i], lpStats);
                reward = reward.add(poolReward);
            }
            return reward;
        }
        /**
         * @dev returns specific provider's pending rewards for a specific pool
         */
        function _pendingRewards(
            address provider,
            IDSToken poolToken,
            ILiquidityProtectionStats lpStats
        ) private view returns (uint256) {
            uint256 reward = 0;
            PoolProgram memory program = _poolProgram(poolToken);
            for (uint256 i = 0; i < program.reserveTokens.length; ++i) {
                uint256 reserveReward = _pendingRewards(provider, poolToken, program.reserveTokens[i], program, lpStats);
                reward = reward.add(reserveReward);
            }
            return reward;
        }
        /**
         * @dev returns specific provider's pending rewards for a specific pool/reserve
         */
        function _pendingRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolProgram memory program,
            ILiquidityProtectionStats lpStats
        ) private view returns (uint256) {
            if (!_isProgramValid(reserveToken, program)) {
                return 0;
            }
            // calculate the new reward rate per-token
            PoolRewards memory poolRewardsData = _poolRewards(poolToken, reserveToken);
            // rewardPerToken must be calculated with the previous value of lastUpdateTime
            poolRewardsData.rewardPerToken = _rewardPerToken(poolToken, reserveToken, poolRewardsData, program, lpStats);
            poolRewardsData.lastUpdateTime = Math.min(_time(), program.endTime);
            // update provider's rewards with the newly claimable base rewards and the new reward rate per-token
            ProviderRewards memory providerRewards = _providerRewards(provider, poolToken, reserveToken);
            // if this is the first liquidity provision - set the effective staking time to the current time
            if (
                providerRewards.effectiveStakingTime == 0 &&
                lpStats.totalProviderAmount(provider, poolToken, reserveToken) == 0
            ) {
                providerRewards.effectiveStakingTime = _time();
            }
            // pendingBaseRewards must be calculated with the previous value of providerRewards.rewardPerToken
            providerRewards.pendingBaseRewards = providerRewards.pendingBaseRewards.add(
                _baseRewards(provider, poolToken, reserveToken, poolRewardsData, providerRewards, program, lpStats)
            );
            providerRewards.rewardPerToken = poolRewardsData.rewardPerToken;
            // get full rewards and the respective rewards multiplier
            (uint256 fullReward, ) =
                _fullRewards(provider, poolToken, reserveToken, poolRewardsData, providerRewards, program, lpStats);
            return fullReward;
        }
        /**
         * @dev claims specific provider's pending rewards for a specific list of participating pools
         */
        function _claimPendingRewards(
            address provider,
            IDSToken[] memory poolTokens,
            uint256 maxAmount,
            ILiquidityProtectionStats lpStats,
            bool resetStakingTime
        ) private returns (uint256) {
            uint256 reward = 0;
            uint256 length = poolTokens.length;
            for (uint256 i = 0; i < length && maxAmount > 0; ++i) {
                uint256 poolReward = _claimPendingRewards(provider, poolTokens[i], maxAmount, lpStats, resetStakingTime);
                reward = reward.add(poolReward);
                if (maxAmount != MAX_UINT256) {
                    maxAmount = maxAmount.sub(poolReward);
                }
            }
            return reward;
        }
        /**
         * @dev claims specific provider's pending rewards for a specific pool
         */
        function _claimPendingRewards(
            address provider,
            IDSToken poolToken,
            uint256 maxAmount,
            ILiquidityProtectionStats lpStats,
            bool resetStakingTime
        ) private returns (uint256) {
            uint256 reward = 0;
            PoolProgram memory program = _poolProgram(poolToken);
            for (uint256 i = 0; i < program.reserveTokens.length && maxAmount > 0; ++i) {
                uint256 reserveReward =
                    _claimPendingRewards(
                        provider,
                        poolToken,
                        program.reserveTokens[i],
                        program,
                        maxAmount,
                        lpStats,
                        resetStakingTime
                    );
                reward = reward.add(reserveReward);
                if (maxAmount != MAX_UINT256) {
                    maxAmount = maxAmount.sub(reserveReward);
                }
            }
            return reward;
        }
        /**
         * @dev claims specific provider's pending rewards for a specific pool/reserve
         */
        function _claimPendingRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolProgram memory program,
            uint256 maxAmount,
            ILiquidityProtectionStats lpStats,
            bool resetStakingTime
        ) private returns (uint256) {
            // update all provider's pending rewards, in order to apply retroactive reward multipliers
            (PoolRewards memory poolRewardsData, ProviderRewards memory providerRewards) =
                _updateRewards(provider, poolToken, reserveToken, program, lpStats);
            // get full rewards and the respective rewards multiplier
            (uint256 fullReward, uint32 multiplier) =
                _fullRewards(provider, poolToken, reserveToken, poolRewardsData, providerRewards, program, lpStats);
            // mark any debt as repaid.
            providerRewards.baseRewardsDebt = 0;
            providerRewards.baseRewardsDebtMultiplier = 0;
            if (maxAmount != MAX_UINT256 && fullReward > maxAmount) {
                // get the amount of the actual base rewards that were claimed
                providerRewards.baseRewardsDebt = _removeMultiplier(fullReward.sub(maxAmount), multiplier);
                // store the current multiplier for future retroactive rewards correction
                providerRewards.baseRewardsDebtMultiplier = multiplier;
                // grant only maxAmount rewards
                fullReward = maxAmount;
            }
            // update pool rewards data total claimed rewards
            _store.updatePoolRewardsData(
                poolToken,
                reserveToken,
                poolRewardsData.lastUpdateTime,
                poolRewardsData.rewardPerToken,
                poolRewardsData.totalClaimedRewards.add(fullReward)
            );
            // update provider rewards data with the remaining pending rewards and if needed, set the effective
            // staking time to the timestamp of the current block
            _store.updateProviderRewardsData(
                provider,
                poolToken,
                reserveToken,
                providerRewards.rewardPerToken,
                0,
                providerRewards.totalClaimedRewards.add(fullReward),
                resetStakingTime ? _time() : providerRewards.effectiveStakingTime,
                providerRewards.baseRewardsDebt,
                providerRewards.baseRewardsDebtMultiplier
            );
            return fullReward;
        }
        /**
         * @dev claims specific provider's pending rewards from all participating pools
         */
        function _claimPendingRewards(address provider, ILiquidityProtectionStats lpStats) private returns (uint256) {
            return _claimPendingRewards(provider, lpStats.providerPools(provider), MAX_UINT256, lpStats);
        }
        /**
         * @dev claims specific provider's pending rewards for a specific list of participating pools
         */
        function _claimPendingRewards(
            address provider,
            IDSToken[] memory poolTokens,
            uint256 maxAmount,
            ILiquidityProtectionStats lpStats
        ) private returns (uint256) {
            uint256 amount = _claimPendingRewards(provider, poolTokens, maxAmount, lpStats, true);
            if (amount == 0) {
                return amount;
            }
            // make sure to update the last claim time so that it'll be taken into effect when calculating the next rewards
            // multiplier
            _store.updateProviderLastClaimTime(provider);
            // mint the reward tokens directly to the provider
            _networkTokenGovernance.mint(provider, amount);
            emit RewardsClaimed(provider, amount);
            return amount;
        }
        /**
         * @dev stakes specific provider's pending rewards from all participating pools
         */
        function _stakeRewards(
            address provider,
            uint256 maxAmount,
            IDSToken poolToken,
            ILiquidityProtectionStats lpStats
        ) private returns (uint256, uint256) {
            return _stakeRewards(provider, lpStats.providerPools(provider), maxAmount, poolToken, lpStats);
        }
        /**
         * @dev claims and stakes specific provider's pending rewards for a specific list of participating pools
         */
        function _stakeRewards(
            address provider,
            IDSToken[] memory poolTokens,
            uint256 maxAmount,
            IDSToken newPoolToken,
            ILiquidityProtectionStats lpStats
        ) private returns (uint256, uint256) {
            uint256 amount = _claimPendingRewards(provider, poolTokens, maxAmount, lpStats, false);
            if (amount == 0) {
                return (amount, 0);
            }
            // approve the LiquidityProtection contract to pull the rewards
            ILiquidityProtection liquidityProtection = _liquidityProtection();
            address liquidityProtectionAddress = address(liquidityProtection);
            _networkToken.ensureApprove(liquidityProtectionAddress, amount);
            // mint the reward tokens directly to the staking contract, so that the LiquidityProtection could pull the
            // rewards and attribute them to the provider
            _networkTokenGovernance.mint(address(this), amount);
            uint256 newId =
                liquidityProtection.addLiquidityFor(provider, newPoolToken, IReserveToken(address(_networkToken)), amount);
            // please note, that in order to incentivize staking, we won't be updating the time of the last claim, thus
            // preserving the rewards bonus multiplier
            emit RewardsStaked(provider, newPoolToken, amount, newId);
            return (amount, newId);
        }
        /**
         * @dev store specific provider's pending rewards for future claims
         */
        function _storeRewards(
            address provider,
            IDSToken[] memory poolTokens,
            ILiquidityProtectionStats lpStats
        ) private {
            for (uint256 i = 0; i < poolTokens.length; ++i) {
                IDSToken poolToken = poolTokens[i];
                PoolProgram memory program = _poolProgram(poolToken);
                for (uint256 j = 0; j < program.reserveTokens.length; ++j) {
                    _storeRewards(provider, poolToken, program.reserveTokens[j], program, lpStats, true);
                }
            }
        }
        /**
         * @dev store specific provider's pending rewards for future claims
         */
        function _storeRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolProgram memory program,
            ILiquidityProtectionStats lpStats,
            bool resetStakingTime
        ) private {
            if (!_isProgramValid(reserveToken, program)) {
                return;
            }
            // update all provider's pending rewards, in order to apply retroactive reward multipliers
            (PoolRewards memory poolRewardsData, ProviderRewards memory providerRewards) =
                _updateRewards(provider, poolToken, reserveToken, program, lpStats);
            // get full rewards and the respective rewards multiplier
            (uint256 fullReward, uint32 multiplier) =
                _fullRewards(provider, poolToken, reserveToken, poolRewardsData, providerRewards, program, lpStats);
            // get the amount of the actual base rewards that were claimed
            providerRewards.baseRewardsDebt = _removeMultiplier(fullReward, multiplier);
            // update store data with the store pending rewards and set the last update time to the timestamp of the
            // current block. if we're resetting the effective staking time, then we'd have to store the rewards multiplier in order to
            // account for it in the future. Otherwise, we must store base rewards without any rewards multiplier
            _store.updateProviderRewardsData(
                provider,
                poolToken,
                reserveToken,
                providerRewards.rewardPerToken,
                0,
                providerRewards.totalClaimedRewards,
                resetStakingTime ? _time() : providerRewards.effectiveStakingTime,
                providerRewards.baseRewardsDebt,
                resetStakingTime ? multiplier : PPM_RESOLUTION
            );
        }
        /**
         * @dev updates pool rewards
         */
        function _updateReserveRewards(
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolProgram memory program,
            ILiquidityProtectionStats lpStats
        ) private returns (PoolRewards memory) {
            // calculate the new reward rate per-token and update it in the store
            PoolRewards memory poolRewardsData = _poolRewards(poolToken, reserveToken);
            bool update = false;
            // rewardPerToken must be calculated with the previous value of lastUpdateTime
            uint256 newRewardPerToken = _rewardPerToken(poolToken, reserveToken, poolRewardsData, program, lpStats);
            if (poolRewardsData.rewardPerToken != newRewardPerToken) {
                poolRewardsData.rewardPerToken = newRewardPerToken;
                update = true;
            }
            uint256 newLastUpdateTime = Math.min(_time(), program.endTime);
            if (poolRewardsData.lastUpdateTime != newLastUpdateTime) {
                poolRewardsData.lastUpdateTime = newLastUpdateTime;
                update = true;
            }
            if (update) {
                _store.updatePoolRewardsData(
                    poolToken,
                    reserveToken,
                    poolRewardsData.lastUpdateTime,
                    poolRewardsData.rewardPerToken,
                    poolRewardsData.totalClaimedRewards
                );
            }
            return poolRewardsData;
        }
        /**
         * @dev updates provider rewards. this function is called during every liquidity changes
         */
        function _updateProviderRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolRewards memory poolRewardsData,
            PoolProgram memory program,
            ILiquidityProtectionStats lpStats
        ) private returns (ProviderRewards memory) {
            // update provider's rewards with the newly claimable base rewards and the new reward rate per-token
            ProviderRewards memory providerRewards = _providerRewards(provider, poolToken, reserveToken);
            bool update = false;
            // if this is the first liquidity provision - set the effective staking time to the current time
            if (
                providerRewards.effectiveStakingTime == 0 &&
                lpStats.totalProviderAmount(provider, poolToken, reserveToken) == 0
            ) {
                providerRewards.effectiveStakingTime = _time();
                update = true;
            }
            // pendingBaseRewards must be calculated with the previous value of providerRewards.rewardPerToken
            uint256 rewards =
                _baseRewards(provider, poolToken, reserveToken, poolRewardsData, providerRewards, program, lpStats);
            if (rewards != 0) {
                providerRewards.pendingBaseRewards = providerRewards.pendingBaseRewards.add(rewards);
                update = true;
            }
            if (providerRewards.rewardPerToken != poolRewardsData.rewardPerToken) {
                providerRewards.rewardPerToken = poolRewardsData.rewardPerToken;
                update = true;
            }
            if (update) {
                _store.updateProviderRewardsData(
                    provider,
                    poolToken,
                    reserveToken,
                    providerRewards.rewardPerToken,
                    providerRewards.pendingBaseRewards,
                    providerRewards.totalClaimedRewards,
                    providerRewards.effectiveStakingTime,
                    providerRewards.baseRewardsDebt,
                    providerRewards.baseRewardsDebtMultiplier
                );
            }
            return providerRewards;
        }
        /**
         * @dev updates pool and provider rewards. this function is called during every liquidity changes
         */
        function _updateRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolProgram memory program,
            ILiquidityProtectionStats lpStats
        ) private returns (PoolRewards memory, ProviderRewards memory) {
            PoolRewards memory poolRewardsData = _updateReserveRewards(poolToken, reserveToken, program, lpStats);
            ProviderRewards memory providerRewards =
                _updateProviderRewards(provider, poolToken, reserveToken, poolRewardsData, program, lpStats);
            return (poolRewardsData, providerRewards);
        }
        /**
         * @dev returns the aggregated reward rate per-token
         */
        function _rewardPerToken(
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolRewards memory poolRewardsData,
            PoolProgram memory program,
            ILiquidityProtectionStats lpStats
        ) private view returns (uint256) {
            // if there is no longer any liquidity in this reserve, return the historic rate (i.e., rewards won't accrue)
            uint256 totalReserveAmount = lpStats.totalReserveAmount(poolToken, reserveToken);
            if (totalReserveAmount == 0) {
                return poolRewardsData.rewardPerToken;
            }
            // don't grant any rewards before the starting time of the program
            uint256 currentTime = _time();
            if (currentTime < program.startTime) {
                return 0;
            }
            uint256 stakingEndTime = Math.min(currentTime, program.endTime);
            uint256 stakingStartTime = Math.max(program.startTime, poolRewardsData.lastUpdateTime);
            if (stakingStartTime == stakingEndTime) {
                return poolRewardsData.rewardPerToken;
            }
            // since we will be dividing by the total amount of protected tokens in units of wei, we can encounter cases
            // where the total amount in the denominator is higher than the product of the rewards rate and staking duration.
            // in order to avoid this imprecision, we will amplify the reward rate by the units amount
            return
                poolRewardsData.rewardPerToken.add( // the aggregated reward rate
                    stakingEndTime
                        .sub(stakingStartTime) // the duration of the staking
                        .mul(program.rewardRate) // multiplied by the rate
                        .mul(REWARD_RATE_FACTOR) // and factored to increase precision
                        .mul(_rewardShare(reserveToken, program)) // and applied the specific token share of the whole reward
                        .div(totalReserveAmount.mul(PPM_RESOLUTION)) // and divided by the total protected tokens amount in the pool
                );
        }
        /**
         * @dev returns the base rewards since the last claim
         */
        function _baseRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolRewards memory poolRewardsData,
            ProviderRewards memory providerRewards,
            PoolProgram memory program,
            ILiquidityProtectionStats lpStats
        ) private view returns (uint256) {
            uint256 totalProviderAmount = lpStats.totalProviderAmount(provider, poolToken, reserveToken);
            uint256 newRewardPerToken = _rewardPerToken(poolToken, reserveToken, poolRewardsData, program, lpStats);
            return
                totalProviderAmount // the protected tokens amount held by the provider
                    .mul(newRewardPerToken.sub(providerRewards.rewardPerToken)) // multiplied by the difference between the previous and the current rate
                    .div(REWARD_RATE_FACTOR); // and factored back
        }
        /**
         * @dev returns the full rewards since the last claim
         */
        function _fullRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            PoolRewards memory poolRewardsData,
            ProviderRewards memory providerRewards,
            PoolProgram memory program,
            ILiquidityProtectionStats lpStats
        ) private view returns (uint256, uint32) {
            // calculate the claimable base rewards (since the last claim)
            uint256 newBaseRewards =
                _baseRewards(provider, poolToken, reserveToken, poolRewardsData, providerRewards, program, lpStats);
            // make sure that we aren't exceeding the reward rate for any reason
            _verifyBaseReward(newBaseRewards, providerRewards.effectiveStakingTime, reserveToken, program);
            // calculate pending rewards and apply the rewards multiplier
            uint32 multiplier = _rewardsMultiplier(provider, providerRewards.effectiveStakingTime, program);
            uint256 fullReward = _applyMultiplier(providerRewards.pendingBaseRewards.add(newBaseRewards), multiplier);
            // add any debt, while applying the best retroactive multiplier
            fullReward = fullReward.add(
                _applyHigherMultiplier(
                    providerRewards.baseRewardsDebt,
                    multiplier,
                    providerRewards.baseRewardsDebtMultiplier
                )
            );
            // make sure that we aren't exceeding the full reward rate for any reason
            _verifyFullReward(fullReward, reserveToken, poolRewardsData, program);
            return (fullReward, multiplier);
        }
        /**
         * @dev returns the specific reserve token's share of all rewards
         */
        function _rewardShare(IReserveToken reserveToken, PoolProgram memory program) private pure returns (uint32) {
            if (reserveToken == program.reserveTokens[0]) {
                return program.rewardShares[0];
            }
            return program.rewardShares[1];
        }
        /**
         * @dev returns the rewards multiplier for the specific provider
         */
        function _rewardsMultiplier(
            address provider,
            uint256 stakingStartTime,
            PoolProgram memory program
        ) private view returns (uint32) {
            uint256 effectiveStakingEndTime = Math.min(_time(), program.endTime);
            uint256 effectiveStakingStartTime =
                Math.max( // take the latest of actual staking start time and the latest multiplier reset
                    Math.max(stakingStartTime, program.startTime), // don't count staking before the start of the program
                    Math.max(_lastRemoveTimes.checkpoint(provider), _store.providerLastClaimTime(provider)) // get the latest multiplier reset timestamp
                );
            // check that the staking range is valid. for example, it can be invalid when calculating the multiplier when
            // the staking has started before the start of the program, in which case the effective staking start time will
            // be in the future, compared to the effective staking end time (which will be the time of the current block)
            if (effectiveStakingStartTime >= effectiveStakingEndTime) {
                return PPM_RESOLUTION;
            }
            uint256 effectiveStakingDuration = effectiveStakingEndTime.sub(effectiveStakingStartTime);
            // given x representing the staking duration (in seconds), the resulting multiplier (in PPM) is:
            // * for 0 <= x <= 1 weeks: 100% PPM
            // * for 1 <= x <= 2 weeks: 125% PPM
            // * for 2 <= x <= 3 weeks: 150% PPM
            // * for 3 <= x <= 4 weeks: 175% PPM
            // * for x > 4 weeks: 200% PPM
            return PPM_RESOLUTION + MULTIPLIER_INCREMENT * uint32(Math.min(effectiveStakingDuration.div(1 weeks), 4));
        }
        /**
         * @dev returns the pool program for a specific pool
         */
        function _poolProgram(IDSToken poolToken) private view returns (PoolProgram memory) {
            PoolProgram memory program;
            (program.startTime, program.endTime, program.rewardRate, program.reserveTokens, program.rewardShares) = _store
                .poolProgram(poolToken);
            return program;
        }
        /**
         * @dev returns pool rewards for a specific pool and reserve
         */
        function _poolRewards(IDSToken poolToken, IReserveToken reserveToken) private view returns (PoolRewards memory) {
            PoolRewards memory data;
            (data.lastUpdateTime, data.rewardPerToken, data.totalClaimedRewards) = _store.poolRewards(
                poolToken,
                reserveToken
            );
            return data;
        }
        /**
         * @dev returns provider rewards for a specific pool and reserve
         */
        function _providerRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken
        ) private view returns (ProviderRewards memory) {
            ProviderRewards memory data;
            (
                data.rewardPerToken,
                data.pendingBaseRewards,
                data.totalClaimedRewards,
                data.effectiveStakingTime,
                data.baseRewardsDebt,
                data.baseRewardsDebtMultiplier
            ) = _store.providerRewards(provider, poolToken, reserveToken);
            return data;
        }
        /**
         * @dev applies the multiplier on the provided amount
         */
        function _applyMultiplier(uint256 amount, uint32 multiplier) private pure returns (uint256) {
            if (multiplier == PPM_RESOLUTION) {
                return amount;
            }
            return amount.mul(multiplier).div(PPM_RESOLUTION);
        }
        /**
         * @dev removes the multiplier on the provided amount
         */
        function _removeMultiplier(uint256 amount, uint32 multiplier) private pure returns (uint256) {
            if (multiplier == PPM_RESOLUTION) {
                return amount;
            }
            return amount.mul(PPM_RESOLUTION).div(multiplier);
        }
        /**
         * @dev applies the best of two rewards multipliers on the provided amount
         */
        function _applyHigherMultiplier(
            uint256 amount,
            uint32 multiplier1,
            uint32 multiplier2
        ) private pure returns (uint256) {
            return _applyMultiplier(amount, multiplier1 > multiplier2 ? multiplier1 : multiplier2);
        }
        /**
         * @dev performs a sanity check on the newly claimable base rewards
         */
        function _verifyBaseReward(
            uint256 baseReward,
            uint256 stakingStartTime,
            IReserveToken reserveToken,
            PoolProgram memory program
        ) private view {
            // don't grant any rewards before the starting time of the program or for stakes after the end of the program
            uint256 currentTime = _time();
            if (currentTime < program.startTime || stakingStartTime >= program.endTime) {
                require(baseReward == 0, "ERR_BASE_REWARD_TOO_HIGH");
                return;
            }
            uint256 effectiveStakingStartTime = Math.max(stakingStartTime, program.startTime);
            uint256 effectiveStakingEndTime = Math.min(currentTime, program.endTime);
            // make sure that we aren't exceeding the base reward rate for any reason
            require(
                baseReward <=
                    (program.rewardRate * REWARDS_HALVING_FACTOR)
                        .mul(effectiveStakingEndTime.sub(effectiveStakingStartTime))
                        .mul(_rewardShare(reserveToken, program))
                        .div(PPM_RESOLUTION),
                "ERR_BASE_REWARD_RATE_TOO_HIGH"
            );
        }
        /**
         * @dev performs a sanity check on the newly claimable full rewards
         */
        function _verifyFullReward(
            uint256 fullReward,
            IReserveToken reserveToken,
            PoolRewards memory poolRewardsData,
            PoolProgram memory program
        ) private pure {
            uint256 maxClaimableReward =
                (
                    (program.rewardRate * REWARDS_HALVING_FACTOR)
                        .mul(program.endTime.sub(program.startTime))
                        .mul(_rewardShare(reserveToken, program))
                        .mul(MAX_MULTIPLIER)
                        .div(PPM_RESOLUTION)
                        .div(PPM_RESOLUTION)
                )
                    .sub(poolRewardsData.totalClaimedRewards);
            // make sure that we aren't exceeding the full reward rate for any reason
            require(fullReward <= maxClaimableReward, "ERR_REWARD_RATE_TOO_HIGH");
        }
        /**
         * @dev returns the liquidity protection stats data contract
         */
        function _liquidityProtectionStats() private view returns (ILiquidityProtectionStats) {
            return _liquidityProtection().stats();
        }
        /**
         * @dev returns the liquidity protection contract
         */
        function _liquidityProtection() private view returns (ILiquidityProtection) {
            return ILiquidityProtection(_addressOf(LIQUIDITY_PROTECTION));
        }
        /**
         * @dev returns if the program is valid
         */
        function _isProgramValid(IReserveToken reserveToken, PoolProgram memory program) private pure returns (bool) {
            return
                address(reserveToken) != address(0) &&
                (program.reserveTokens[0] == reserveToken || program.reserveTokens[1] == reserveToken);
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    import "../utils/EnumerableSet.sol";
    import "../utils/Address.sol";
    import "../utils/Context.sol";
    /**
     * @dev Contract module that allows children to implement role-based access
     * control mechanisms.
     *
     * Roles are referred to by their `bytes32` identifier. These should be exposed
     * in the external API and be unique. The best way to achieve this is by
     * using `public constant` hash digests:
     *
     * ```
     * bytes32 public constant MY_ROLE = keccak256("MY_ROLE");
     * ```
     *
     * Roles can be used to represent a set of permissions. To restrict access to a
     * function call, use {hasRole}:
     *
     * ```
     * function foo() public {
     *     require(hasRole(MY_ROLE, msg.sender));
     *     ...
     * }
     * ```
     *
     * Roles can be granted and revoked dynamically via the {grantRole} and
     * {revokeRole} functions. Each role has an associated admin role, and only
     * accounts that have a role's admin role can call {grantRole} and {revokeRole}.
     *
     * By default, the admin role for all roles is `DEFAULT_ADMIN_ROLE`, which means
     * that only accounts with this role will be able to grant or revoke other
     * roles. More complex role relationships can be created by using
     * {_setRoleAdmin}.
     *
     * WARNING: The `DEFAULT_ADMIN_ROLE` is also its own admin: it has permission to
     * grant and revoke this role. Extra precautions should be taken to secure
     * accounts that have been granted it.
     */
    abstract contract AccessControl is Context {
        using EnumerableSet for EnumerableSet.AddressSet;
        using Address for address;
        struct RoleData {
            EnumerableSet.AddressSet members;
            bytes32 adminRole;
        }
        mapping (bytes32 => RoleData) private _roles;
        bytes32 public constant DEFAULT_ADMIN_ROLE = 0x00;
        /**
         * @dev Emitted when `newAdminRole` is set as ``role``'s admin role, replacing `previousAdminRole`
         *
         * `DEFAULT_ADMIN_ROLE` is the starting admin for all roles, despite
         * {RoleAdminChanged} not being emitted signaling this.
         *
         * _Available since v3.1._
         */
        event RoleAdminChanged(bytes32 indexed role, bytes32 indexed previousAdminRole, bytes32 indexed newAdminRole);
        /**
         * @dev Emitted when `account` is granted `role`.
         *
         * `sender` is the account that originated the contract call, an admin role
         * bearer except when using {_setupRole}.
         */
        event RoleGranted(bytes32 indexed role, address indexed account, address indexed sender);
        /**
         * @dev Emitted when `account` is revoked `role`.
         *
         * `sender` is the account that originated the contract call:
         *   - if using `revokeRole`, it is the admin role bearer
         *   - if using `renounceRole`, it is the role bearer (i.e. `account`)
         */
        event RoleRevoked(bytes32 indexed role, address indexed account, address indexed sender);
        /**
         * @dev Returns `true` if `account` has been granted `role`.
         */
        function hasRole(bytes32 role, address account) public view returns (bool) {
            return _roles[role].members.contains(account);
        }
        /**
         * @dev Returns the number of accounts that have `role`. Can be used
         * together with {getRoleMember} to enumerate all bearers of a role.
         */
        function getRoleMemberCount(bytes32 role) public view returns (uint256) {
            return _roles[role].members.length();
        }
        /**
         * @dev Returns one of the accounts that have `role`. `index` must be a
         * value between 0 and {getRoleMemberCount}, non-inclusive.
         *
         * Role bearers are not sorted in any particular way, and their ordering may
         * change at any point.
         *
         * WARNING: When using {getRoleMember} and {getRoleMemberCount}, make sure
         * you perform all queries on the same block. See the following
         * https://forum.openzeppelin.com/t/iterating-over-elements-on-enumerableset-in-openzeppelin-contracts/2296[forum post]
         * for more information.
         */
        function getRoleMember(bytes32 role, uint256 index) public view returns (address) {
            return _roles[role].members.at(index);
        }
        /**
         * @dev Returns the admin role that controls `role`. See {grantRole} and
         * {revokeRole}.
         *
         * To change a role's admin, use {_setRoleAdmin}.
         */
        function getRoleAdmin(bytes32 role) public view returns (bytes32) {
            return _roles[role].adminRole;
        }
        /**
         * @dev Grants `role` to `account`.
         *
         * If `account` had not been already granted `role`, emits a {RoleGranted}
         * event.
         *
         * Requirements:
         *
         * - the caller must have ``role``'s admin role.
         */
        function grantRole(bytes32 role, address account) public virtual {
            require(hasRole(_roles[role].adminRole, _msgSender()), "AccessControl: sender must be an admin to grant");
            _grantRole(role, account);
        }
        /**
         * @dev Revokes `role` from `account`.
         *
         * If `account` had been granted `role`, emits a {RoleRevoked} event.
         *
         * Requirements:
         *
         * - the caller must have ``role``'s admin role.
         */
        function revokeRole(bytes32 role, address account) public virtual {
            require(hasRole(_roles[role].adminRole, _msgSender()), "AccessControl: sender must be an admin to revoke");
            _revokeRole(role, account);
        }
        /**
         * @dev Revokes `role` from the calling account.
         *
         * Roles are often managed via {grantRole} and {revokeRole}: this function's
         * purpose is to provide a mechanism for accounts to lose their privileges
         * if they are compromised (such as when a trusted device is misplaced).
         *
         * If the calling account had been granted `role`, emits a {RoleRevoked}
         * event.
         *
         * Requirements:
         *
         * - the caller must be `account`.
         */
        function renounceRole(bytes32 role, address account) public virtual {
            require(account == _msgSender(), "AccessControl: can only renounce roles for self");
            _revokeRole(role, account);
        }
        /**
         * @dev Grants `role` to `account`.
         *
         * If `account` had not been already granted `role`, emits a {RoleGranted}
         * event. Note that unlike {grantRole}, this function doesn't perform any
         * checks on the calling account.
         *
         * [WARNING]
         * ====
         * This function should only be called from the constructor when setting
         * up the initial roles for the system.
         *
         * Using this function in any other way is effectively circumventing the admin
         * system imposed by {AccessControl}.
         * ====
         */
        function _setupRole(bytes32 role, address account) internal virtual {
            _grantRole(role, account);
        }
        /**
         * @dev Sets `adminRole` as ``role``'s admin role.
         *
         * Emits a {RoleAdminChanged} event.
         */
        function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual {
            emit RoleAdminChanged(role, _roles[role].adminRole, adminRole);
            _roles[role].adminRole = adminRole;
        }
        function _grantRole(bytes32 role, address account) private {
            if (_roles[role].members.add(account)) {
                emit RoleGranted(role, account, _msgSender());
            }
        }
        function _revokeRole(bytes32 role, address account) private {
            if (_roles[role].members.remove(account)) {
                emit RoleRevoked(role, account, _msgSender());
            }
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    /**
     * @dev Standard math utilities missing in the Solidity language.
     */
    library Math {
        /**
         * @dev Returns the largest of two numbers.
         */
        function max(uint256 a, uint256 b) internal pure returns (uint256) {
            return a >= b ? a : b;
        }
        /**
         * @dev Returns the smallest of two numbers.
         */
        function min(uint256 a, uint256 b) internal pure returns (uint256) {
            return a < b ? a : b;
        }
        /**
         * @dev Returns the average of two numbers. The result is rounded towards
         * zero.
         */
        function average(uint256 a, uint256 b) internal pure returns (uint256) {
            // (a + b) / 2 can overflow, so we distribute
            return (a / 2) + (b / 2) + ((a % 2 + b % 2) / 2);
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    /**
     * @dev Wrappers over Solidity's arithmetic operations with added overflow
     * checks.
     *
     * Arithmetic operations in Solidity wrap on overflow. This can easily result
     * in bugs, because programmers usually assume that an overflow raises an
     * error, which is the standard behavior in high level programming languages.
     * `SafeMath` restores this intuition by reverting the transaction when an
     * operation overflows.
     *
     * Using this library instead of the unchecked operations eliminates an entire
     * class of bugs, so it's recommended to use it always.
     */
    library SafeMath {
        /**
         * @dev Returns the addition of two unsigned integers, with an overflow flag.
         *
         * _Available since v3.4._
         */
        function tryAdd(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            uint256 c = a + b;
            if (c < a) return (false, 0);
            return (true, c);
        }
        /**
         * @dev Returns the substraction of two unsigned integers, with an overflow flag.
         *
         * _Available since v3.4._
         */
        function trySub(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            if (b > a) return (false, 0);
            return (true, a - b);
        }
        /**
         * @dev Returns the multiplication of two unsigned integers, with an overflow flag.
         *
         * _Available since v3.4._
         */
        function tryMul(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            // Gas optimization: this is cheaper than requiring 'a' not being zero, but the
            // benefit is lost if 'b' is also tested.
            // See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522
            if (a == 0) return (true, 0);
            uint256 c = a * b;
            if (c / a != b) return (false, 0);
            return (true, c);
        }
        /**
         * @dev Returns the division of two unsigned integers, with a division by zero flag.
         *
         * _Available since v3.4._
         */
        function tryDiv(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            if (b == 0) return (false, 0);
            return (true, a / b);
        }
        /**
         * @dev Returns the remainder of dividing two unsigned integers, with a division by zero flag.
         *
         * _Available since v3.4._
         */
        function tryMod(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            if (b == 0) return (false, 0);
            return (true, a % b);
        }
        /**
         * @dev Returns the addition of two unsigned integers, reverting on
         * overflow.
         *
         * Counterpart to Solidity's `+` operator.
         *
         * Requirements:
         *
         * - Addition cannot overflow.
         */
        function add(uint256 a, uint256 b) internal pure returns (uint256) {
            uint256 c = a + b;
            require(c >= a, "SafeMath: addition overflow");
            return c;
        }
        /**
         * @dev Returns the subtraction of two unsigned integers, reverting on
         * overflow (when the result is negative).
         *
         * Counterpart to Solidity's `-` operator.
         *
         * Requirements:
         *
         * - Subtraction cannot overflow.
         */
        function sub(uint256 a, uint256 b) internal pure returns (uint256) {
            require(b <= a, "SafeMath: subtraction overflow");
            return a - b;
        }
        /**
         * @dev Returns the multiplication of two unsigned integers, reverting on
         * overflow.
         *
         * Counterpart to Solidity's `*` operator.
         *
         * Requirements:
         *
         * - Multiplication cannot overflow.
         */
        function mul(uint256 a, uint256 b) internal pure returns (uint256) {
            if (a == 0) return 0;
            uint256 c = a * b;
            require(c / a == b, "SafeMath: multiplication overflow");
            return c;
        }
        /**
         * @dev Returns the integer division of two unsigned integers, reverting on
         * division by zero. The result is rounded towards zero.
         *
         * Counterpart to Solidity's `/` operator. Note: this function uses a
         * `revert` opcode (which leaves remaining gas untouched) while Solidity
         * uses an invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function div(uint256 a, uint256 b) internal pure returns (uint256) {
            require(b > 0, "SafeMath: division by zero");
            return a / b;
        }
        /**
         * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
         * reverting when dividing by zero.
         *
         * Counterpart to Solidity's `%` operator. This function uses a `revert`
         * opcode (which leaves remaining gas untouched) while Solidity uses an
         * invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function mod(uint256 a, uint256 b) internal pure returns (uint256) {
            require(b > 0, "SafeMath: modulo by zero");
            return a % b;
        }
        /**
         * @dev Returns the subtraction of two unsigned integers, reverting with custom message on
         * overflow (when the result is negative).
         *
         * CAUTION: This function is deprecated because it requires allocating memory for the error
         * message unnecessarily. For custom revert reasons use {trySub}.
         *
         * Counterpart to Solidity's `-` operator.
         *
         * Requirements:
         *
         * - Subtraction cannot overflow.
         */
        function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b <= a, errorMessage);
            return a - b;
        }
        /**
         * @dev Returns the integer division of two unsigned integers, reverting with custom message on
         * division by zero. The result is rounded towards zero.
         *
         * CAUTION: This function is deprecated because it requires allocating memory for the error
         * message unnecessarily. For custom revert reasons use {tryDiv}.
         *
         * Counterpart to Solidity's `/` operator. Note: this function uses a
         * `revert` opcode (which leaves remaining gas untouched) while Solidity
         * uses an invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b > 0, errorMessage);
            return a / b;
        }
        /**
         * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
         * reverting with custom message when dividing by zero.
         *
         * CAUTION: This function is deprecated because it requires allocating memory for the error
         * message unnecessarily. For custom revert reasons use {tryMod}.
         *
         * Counterpart to Solidity's `%` operator. This function uses a `revert`
         * opcode (which leaves remaining gas untouched) while Solidity uses an
         * invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b > 0, errorMessage);
            return a % b;
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    import "./IERC20.sol";
    import "../../math/SafeMath.sol";
    import "../../utils/Address.sol";
    /**
     * @title SafeERC20
     * @dev Wrappers around ERC20 operations that throw on failure (when the token
     * contract returns false). Tokens that return no value (and instead revert or
     * throw on failure) are also supported, non-reverting calls are assumed to be
     * successful.
     * To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract,
     * which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
     */
    library SafeERC20 {
        using SafeMath for uint256;
        using Address for address;
        function safeTransfer(IERC20 token, address to, uint256 value) internal {
            _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
        }
        function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal {
            _callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value));
        }
        /**
         * @dev Deprecated. This function has issues similar to the ones found in
         * {IERC20-approve}, and its usage is discouraged.
         *
         * Whenever possible, use {safeIncreaseAllowance} and
         * {safeDecreaseAllowance} instead.
         */
        function safeApprove(IERC20 token, address spender, uint256 value) internal {
            // safeApprove should only be called when setting an initial allowance,
            // or when resetting it to zero. To increase and decrease it, use
            // 'safeIncreaseAllowance' and 'safeDecreaseAllowance'
            // solhint-disable-next-line max-line-length
            require((value == 0) || (token.allowance(address(this), spender) == 0),
                "SafeERC20: approve from non-zero to non-zero allowance"
            );
            _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value));
        }
        function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
            uint256 newAllowance = token.allowance(address(this), spender).add(value);
            _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
        }
        function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal {
            uint256 newAllowance = token.allowance(address(this), spender).sub(value, "SafeERC20: decreased allowance below zero");
            _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
        }
        /**
         * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
         * on the return value: the return value is optional (but if data is returned, it must not be false).
         * @param token The token targeted by the call.
         * @param data The call data (encoded using abi.encode or one of its variants).
         */
        function _callOptionalReturn(IERC20 token, bytes memory data) private {
            // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
            // we're implementing it ourselves. We use {Address.functionCall} to perform this call, which verifies that
            // the target address contains contract code and also asserts for success in the low-level call.
            bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed");
            if (returndata.length > 0) { // Return data is optional
                // solhint-disable-next-line max-line-length
                require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed");
            }
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity 0.6.12;
    import "./IMintableToken.sol";
    /// @title The interface for mintable/burnable token governance.
    interface ITokenGovernance {
        // The address of the mintable ERC20 token.
        function token() external view returns (IMintableToken);
        /// @dev Mints new tokens.
        ///
        /// @param to Account to receive the new amount.
        /// @param amount Amount to increase the supply by.
        ///
        function mint(address to, uint256 amount) external;
        /// @dev Burns tokens from the caller.
        ///
        /// @param amount Amount to decrease the supply by.
        ///
        function burn(uint256 amount) external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "./Owned.sol";
    import "./Utils.sol";
    import "./interfaces/IContractRegistry.sol";
    /**
     * @dev This is the base contract for ContractRegistry clients.
     */
    contract ContractRegistryClient is Owned, Utils {
        bytes32 internal constant CONTRACT_REGISTRY = "ContractRegistry";
        bytes32 internal constant BANCOR_NETWORK = "BancorNetwork";
        bytes32 internal constant CONVERTER_FACTORY = "ConverterFactory";
        bytes32 internal constant CONVERSION_PATH_FINDER = "ConversionPathFinder";
        bytes32 internal constant CONVERTER_UPGRADER = "BancorConverterUpgrader";
        bytes32 internal constant CONVERTER_REGISTRY = "BancorConverterRegistry";
        bytes32 internal constant CONVERTER_REGISTRY_DATA = "BancorConverterRegistryData";
        bytes32 internal constant BNT_TOKEN = "BNTToken";
        bytes32 internal constant BANCOR_X = "BancorX";
        bytes32 internal constant BANCOR_X_UPGRADER = "BancorXUpgrader";
        bytes32 internal constant LIQUIDITY_PROTECTION = "LiquidityProtection";
        bytes32 internal constant NETWORK_SETTINGS = "NetworkSettings";
        // address of the current contract registry
        IContractRegistry private _registry;
        // address of the previous contract registry
        IContractRegistry private _prevRegistry;
        // only the owner can update the contract registry
        bool private _onlyOwnerCanUpdateRegistry;
        /**
         * @dev verifies that the caller is mapped to the given contract name
         */
        modifier only(bytes32 contractName) {
            _only(contractName);
            _;
        }
        // error message binary size optimization
        function _only(bytes32 contractName) internal view {
            require(msg.sender == _addressOf(contractName), "ERR_ACCESS_DENIED");
        }
        /**
         * @dev initializes a new ContractRegistryClient instance
         */
        constructor(IContractRegistry initialRegistry) internal validAddress(address(initialRegistry)) {
            _registry = IContractRegistry(initialRegistry);
            _prevRegistry = IContractRegistry(initialRegistry);
        }
        /**
         * @dev updates to the new contract registry
         */
        function updateRegistry() external {
            // verify that this function is permitted
            require(msg.sender == owner() || !_onlyOwnerCanUpdateRegistry, "ERR_ACCESS_DENIED");
            // get the new contract registry
            IContractRegistry newRegistry = IContractRegistry(_addressOf(CONTRACT_REGISTRY));
            // verify that the new contract registry is different and not zero
            require(newRegistry != _registry && address(newRegistry) != address(0), "ERR_INVALID_REGISTRY");
            // verify that the new contract registry is pointing to a non-zero contract registry
            require(newRegistry.addressOf(CONTRACT_REGISTRY) != address(0), "ERR_INVALID_REGISTRY");
            // save a backup of the current contract registry before replacing it
            _prevRegistry = _registry;
            // replace the current contract registry with the new contract registry
            _registry = newRegistry;
        }
        /**
         * @dev restores the previous contract registry
         */
        function restoreRegistry() external ownerOnly {
            // restore the previous contract registry
            _registry = _prevRegistry;
        }
        /**
         * @dev restricts the permission to update the contract registry
         */
        function restrictRegistryUpdate(bool restrictOwnerOnly) public ownerOnly {
            // change the permission to update the contract registry
            _onlyOwnerCanUpdateRegistry = restrictOwnerOnly;
        }
        /**
         * @dev returns the address of the current contract registry
         */
        function registry() public view returns (IContractRegistry) {
            return _registry;
        }
        /**
         * @dev returns the address of the previous contract registry
         */
        function prevRegistry() external view returns (IContractRegistry) {
            return _prevRegistry;
        }
        /**
         * @dev returns whether only the owner can update the contract registry
         */
        function onlyOwnerCanUpdateRegistry() external view returns (bool) {
            return _onlyOwnerCanUpdateRegistry;
        }
        /**
         * @dev returns the address associated with the given contract name
         */
        function _addressOf(bytes32 contractName) internal view returns (address) {
            return _registry.addressOf(contractName);
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
    /**
     * @dev Utilities & Common Modifiers
     */
    contract Utils {
        uint32 internal constant PPM_RESOLUTION = 1000000;
        // verifies that a value is greater than zero
        modifier greaterThanZero(uint256 value) {
            _greaterThanZero(value);
            _;
        }
        // error message binary size optimization
        function _greaterThanZero(uint256 value) internal pure {
            require(value > 0, "ERR_ZERO_VALUE");
        }
        // validates an address - currently only checks that it isn't null
        modifier validAddress(address addr) {
            _validAddress(addr);
            _;
        }
        // error message binary size optimization
        function _validAddress(address addr) internal pure {
            require(addr != address(0), "ERR_INVALID_ADDRESS");
        }
        // ensures that the portion is valid
        modifier validPortion(uint32 _portion) {
            _validPortion(_portion);
            _;
        }
        // error message binary size optimization
        function _validPortion(uint32 _portion) internal pure {
            require(_portion > 0 && _portion <= PPM_RESOLUTION, "ERR_INVALID_PORTION");
        }
        // validates an external address - currently only checks that it isn't null or this
        modifier validExternalAddress(address addr) {
            _validExternalAddress(addr);
            _;
        }
        // error message binary size optimization
        function _validExternalAddress(address addr) internal view {
            require(addr != address(0) && addr != address(this), "ERR_INVALID_EXTERNAL_ADDRESS");
        }
        // ensures that the fee is valid
        modifier validFee(uint32 fee) {
            _validFee(fee);
            _;
        }
        // error message binary size optimization
        function _validFee(uint32 fee) internal pure {
            require(fee <= PPM_RESOLUTION, "ERR_INVALID_FEE");
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /*
        Time implementing contract
    */
    contract Time {
        /**
         * @dev returns the current time
         */
        function _time() internal view virtual returns (uint256) {
            return block.timestamp;
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /**
     * @dev Checkpoint store contract interface
     */
    interface ICheckpointStore {
        function addCheckpoint(address target) external;
        function addPastCheckpoint(address target, uint256 timestamp) external;
        function addPastCheckpoints(address[] calldata targets, uint256[] calldata timestamps) external;
        function checkpoint(address target) external view returns (uint256);
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "@openzeppelin/contracts/math/SafeMath.sol";
    import "./interfaces/IReserveToken.sol";
    import "./SafeERC20Ex.sol";
    /**
     * @dev This library implements ERC20 and SafeERC20 utilities for reserve tokens, which can be either ERC20 tokens or ETH
     */
    library ReserveToken {
        using SafeERC20 for IERC20;
        using SafeERC20Ex for IERC20;
        // the address that represents an ETH reserve
        IReserveToken public constant NATIVE_TOKEN_ADDRESS = IReserveToken(0xEeeeeEeeeEeEeeEeEeEeeEEEeeeeEeeeeeeeEEeE);
        /**
         * @dev returns whether the provided token represents an ERC20 or ETH reserve
         */
        function isNativeToken(IReserveToken reserveToken) internal pure returns (bool) {
            return reserveToken == NATIVE_TOKEN_ADDRESS;
        }
        /**
         * @dev returns the balance of the reserve token
         */
        function balanceOf(IReserveToken reserveToken, address account) internal view returns (uint256) {
            if (isNativeToken(reserveToken)) {
                return account.balance;
            }
            return toIERC20(reserveToken).balanceOf(account);
        }
        /**
         * @dev transfers a specific amount of the reserve token
         */
        function safeTransfer(
            IReserveToken reserveToken,
            address to,
            uint256 amount
        ) internal {
            if (amount == 0) {
                return;
            }
            if (isNativeToken(reserveToken)) {
                payable(to).transfer(amount);
            } else {
                toIERC20(reserveToken).safeTransfer(to, amount);
            }
        }
        /**
         * @dev transfers a specific amount of the reserve token from a specific holder using the allowance mechanism
         *
         * note that the function ignores a reserve token which represents an ETH reserve
         */
        function safeTransferFrom(
            IReserveToken reserveToken,
            address from,
            address to,
            uint256 amount
        ) internal {
            if (amount == 0 || isNativeToken(reserveToken)) {
                return;
            }
            toIERC20(reserveToken).safeTransferFrom(from, to, amount);
        }
        /**
         * @dev ensures that the spender has sufficient allowance
         *
         * note that this function ignores a reserve token which represents an ETH reserve
         */
        function ensureApprove(
            IReserveToken reserveToken,
            address spender,
            uint256 amount
        ) internal {
            if (isNativeToken(reserveToken)) {
                return;
            }
            toIERC20(reserveToken).ensureApprove(spender, amount);
        }
        /**
         * @dev utility function that converts an IReserveToken to an IERC20
         */
        function toIERC20(IReserveToken reserveToken) private pure returns (IERC20) {
            return IERC20(address(reserveToken));
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "./ILiquidityProtectionStore.sol";
    import "./ILiquidityProtectionStats.sol";
    import "./ILiquidityProtectionSettings.sol";
    import "./ILiquidityProtectionSystemStore.sol";
    import "./ITransferPositionCallback.sol";
    import "../../utility/interfaces/ITokenHolder.sol";
    import "../../token/interfaces/IReserveToken.sol";
    import "../../converter/interfaces/IConverterAnchor.sol";
    /**
     * @dev Liquidity Protection interface
     */
    interface ILiquidityProtection {
        function store() external view returns (ILiquidityProtectionStore);
        function stats() external view returns (ILiquidityProtectionStats);
        function settings() external view returns (ILiquidityProtectionSettings);
        function systemStore() external view returns (ILiquidityProtectionSystemStore);
        function wallet() external view returns (ITokenHolder);
        function addLiquidityFor(
            address owner,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 amount
        ) external payable returns (uint256);
        function addLiquidity(
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 amount
        ) external payable returns (uint256);
        function removeLiquidity(uint256 id, uint32 portion) external;
        function transferPosition(uint256 id, address newProvider) external returns (uint256);
        function transferPositionAndNotify(
            uint256 id,
            address newProvider,
            ITransferPositionCallback callback,
            bytes calldata data
        ) external returns (uint256);
    }
    // SPDX-License-Identifier: MIT
    pragma solidity 0.6.12;
    import "../../liquidity-protection/interfaces/ILiquidityProvisionEventsSubscriber.sol";
    import "./IStakingRewardsStore.sol";
    interface IStakingRewards is ILiquidityProvisionEventsSubscriber {
        /**
         * @dev triggered when pending rewards are being claimed
         */
        event RewardsClaimed(address indexed provider, uint256 amount);
        /**
         * @dev triggered when pending rewards are being staked in a pool
         */
        event RewardsStaked(address indexed provider, IDSToken indexed poolToken, uint256 amount, uint256 indexed newId);
        function store() external view returns (IStakingRewardsStore);
        function pendingRewards(address provider) external view returns (uint256);
        function pendingPoolRewards(address provider, IDSToken poolToken) external view returns (uint256);
        function pendingReserveRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken
        ) external view returns (uint256);
        function rewardsMultiplier(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken
        ) external view returns (uint32);
        function totalClaimedRewards(address provider) external view returns (uint256);
        function claimRewards() external returns (uint256);
        function stakeRewards(uint256 maxAmount, IDSToken poolToken) external returns (uint256, uint256);
        function storePoolRewards(address[] calldata providers, IDSToken poolToken) external;
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    /**
     * @dev Library for managing
     * https://en.wikipedia.org/wiki/Set_(abstract_data_type)[sets] of primitive
     * types.
     *
     * Sets have the following properties:
     *
     * - Elements are added, removed, and checked for existence in constant time
     * (O(1)).
     * - Elements are enumerated in O(n). No guarantees are made on the ordering.
     *
     * ```
     * contract Example {
     *     // Add the library methods
     *     using EnumerableSet for EnumerableSet.AddressSet;
     *
     *     // Declare a set state variable
     *     EnumerableSet.AddressSet private mySet;
     * }
     * ```
     *
     * As of v3.3.0, sets of type `bytes32` (`Bytes32Set`), `address` (`AddressSet`)
     * and `uint256` (`UintSet`) are supported.
     */
    library EnumerableSet {
        // To implement this library for multiple types with as little code
        // repetition as possible, we write it in terms of a generic Set type with
        // bytes32 values.
        // The Set implementation uses private functions, and user-facing
        // implementations (such as AddressSet) are just wrappers around the
        // underlying Set.
        // This means that we can only create new EnumerableSets for types that fit
        // in bytes32.
        struct Set {
            // Storage of set values
            bytes32[] _values;
            // Position of the value in the `values` array, plus 1 because index 0
            // means a value is not in the set.
            mapping (bytes32 => uint256) _indexes;
        }
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function _add(Set storage set, bytes32 value) private returns (bool) {
            if (!_contains(set, value)) {
                set._values.push(value);
                // The value is stored at length-1, but we add 1 to all indexes
                // and use 0 as a sentinel value
                set._indexes[value] = set._values.length;
                return true;
            } else {
                return false;
            }
        }
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function _remove(Set storage set, bytes32 value) private returns (bool) {
            // We read and store the value's index to prevent multiple reads from the same storage slot
            uint256 valueIndex = set._indexes[value];
            if (valueIndex != 0) { // Equivalent to contains(set, value)
                // To delete an element from the _values array in O(1), we swap the element to delete with the last one in
                // the array, and then remove the last element (sometimes called as 'swap and pop').
                // This modifies the order of the array, as noted in {at}.
                uint256 toDeleteIndex = valueIndex - 1;
                uint256 lastIndex = set._values.length - 1;
                // When the value to delete is the last one, the swap operation is unnecessary. However, since this occurs
                // so rarely, we still do the swap anyway to avoid the gas cost of adding an 'if' statement.
                bytes32 lastvalue = set._values[lastIndex];
                // Move the last value to the index where the value to delete is
                set._values[toDeleteIndex] = lastvalue;
                // Update the index for the moved value
                set._indexes[lastvalue] = toDeleteIndex + 1; // All indexes are 1-based
                // Delete the slot where the moved value was stored
                set._values.pop();
                // Delete the index for the deleted slot
                delete set._indexes[value];
                return true;
            } else {
                return false;
            }
        }
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function _contains(Set storage set, bytes32 value) private view returns (bool) {
            return set._indexes[value] != 0;
        }
        /**
         * @dev Returns the number of values on the set. O(1).
         */
        function _length(Set storage set) private view returns (uint256) {
            return set._values.length;
        }
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function _at(Set storage set, uint256 index) private view returns (bytes32) {
            require(set._values.length > index, "EnumerableSet: index out of bounds");
            return set._values[index];
        }
        // Bytes32Set
        struct Bytes32Set {
            Set _inner;
        }
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function add(Bytes32Set storage set, bytes32 value) internal returns (bool) {
            return _add(set._inner, value);
        }
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function remove(Bytes32Set storage set, bytes32 value) internal returns (bool) {
            return _remove(set._inner, value);
        }
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function contains(Bytes32Set storage set, bytes32 value) internal view returns (bool) {
            return _contains(set._inner, value);
        }
        /**
         * @dev Returns the number of values in the set. O(1).
         */
        function length(Bytes32Set storage set) internal view returns (uint256) {
            return _length(set._inner);
        }
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function at(Bytes32Set storage set, uint256 index) internal view returns (bytes32) {
            return _at(set._inner, index);
        }
        // AddressSet
        struct AddressSet {
            Set _inner;
        }
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function add(AddressSet storage set, address value) internal returns (bool) {
            return _add(set._inner, bytes32(uint256(uint160(value))));
        }
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function remove(AddressSet storage set, address value) internal returns (bool) {
            return _remove(set._inner, bytes32(uint256(uint160(value))));
        }
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function contains(AddressSet storage set, address value) internal view returns (bool) {
            return _contains(set._inner, bytes32(uint256(uint160(value))));
        }
        /**
         * @dev Returns the number of values in the set. O(1).
         */
        function length(AddressSet storage set) internal view returns (uint256) {
            return _length(set._inner);
        }
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function at(AddressSet storage set, uint256 index) internal view returns (address) {
            return address(uint160(uint256(_at(set._inner, index))));
        }
        // UintSet
        struct UintSet {
            Set _inner;
        }
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function add(UintSet storage set, uint256 value) internal returns (bool) {
            return _add(set._inner, bytes32(value));
        }
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function remove(UintSet storage set, uint256 value) internal returns (bool) {
            return _remove(set._inner, bytes32(value));
        }
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function contains(UintSet storage set, uint256 value) internal view returns (bool) {
            return _contains(set._inner, bytes32(value));
        }
        /**
         * @dev Returns the number of values on the set. O(1).
         */
        function length(UintSet storage set) internal view returns (uint256) {
            return _length(set._inner);
        }
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function at(UintSet storage set, uint256 index) internal view returns (uint256) {
            return uint256(_at(set._inner, index));
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.2 <0.8.0;
    /**
     * @dev Collection of functions related to the address type
     */
    library Address {
        /**
         * @dev Returns true if `account` is a contract.
         *
         * [IMPORTANT]
         * ====
         * It is unsafe to assume that an address for which this function returns
         * false is an externally-owned account (EOA) and not a contract.
         *
         * Among others, `isContract` will return false for the following
         * types of addresses:
         *
         *  - an externally-owned account
         *  - a contract in construction
         *  - an address where a contract will be created
         *  - an address where a contract lived, but was destroyed
         * ====
         */
        function isContract(address account) internal view returns (bool) {
            // This method relies on extcodesize, which returns 0 for contracts in
            // construction, since the code is only stored at the end of the
            // constructor execution.
            uint256 size;
            // solhint-disable-next-line no-inline-assembly
            assembly { size := extcodesize(account) }
            return size > 0;
        }
        /**
         * @dev Replacement for Solidity's `transfer`: sends `amount` wei to
         * `recipient`, forwarding all available gas and reverting on errors.
         *
         * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
         * of certain opcodes, possibly making contracts go over the 2300 gas limit
         * imposed by `transfer`, making them unable to receive funds via
         * `transfer`. {sendValue} removes this limitation.
         *
         * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
         *
         * IMPORTANT: because control is transferred to `recipient`, care must be
         * taken to not create reentrancy vulnerabilities. Consider using
         * {ReentrancyGuard} or the
         * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
         */
        function sendValue(address payable recipient, uint256 amount) internal {
            require(address(this).balance >= amount, "Address: insufficient balance");
            // solhint-disable-next-line avoid-low-level-calls, avoid-call-value
            (bool success, ) = recipient.call{ value: amount }("");
            require(success, "Address: unable to send value, recipient may have reverted");
        }
        /**
         * @dev Performs a Solidity function call using a low level `call`. A
         * plain`call` is an unsafe replacement for a function call: use this
         * function instead.
         *
         * If `target` reverts with a revert reason, it is bubbled up by this
         * function (like regular Solidity function calls).
         *
         * Returns the raw returned data. To convert to the expected return value,
         * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`].
         *
         * Requirements:
         *
         * - `target` must be a contract.
         * - calling `target` with `data` must not revert.
         *
         * _Available since v3.1._
         */
        function functionCall(address target, bytes memory data) internal returns (bytes memory) {
          return functionCall(target, data, "Address: low-level call failed");
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
         * `errorMessage` as a fallback revert reason when `target` reverts.
         *
         * _Available since v3.1._
         */
        function functionCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) {
            return functionCallWithValue(target, data, 0, errorMessage);
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but also transferring `value` wei to `target`.
         *
         * Requirements:
         *
         * - the calling contract must have an ETH balance of at least `value`.
         * - the called Solidity function must be `payable`.
         *
         * _Available since v3.1._
         */
        function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) {
            return functionCallWithValue(target, data, value, "Address: low-level call with value failed");
        }
        /**
         * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but
         * with `errorMessage` as a fallback revert reason when `target` reverts.
         *
         * _Available since v3.1._
         */
        function functionCallWithValue(address target, bytes memory data, uint256 value, string memory errorMessage) internal returns (bytes memory) {
            require(address(this).balance >= value, "Address: insufficient balance for call");
            require(isContract(target), "Address: call to non-contract");
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.call{ value: value }(data);
            return _verifyCallResult(success, returndata, errorMessage);
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but performing a static call.
         *
         * _Available since v3.3._
         */
        function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) {
            return functionStaticCall(target, data, "Address: low-level static call failed");
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
         * but performing a static call.
         *
         * _Available since v3.3._
         */
        function functionStaticCall(address target, bytes memory data, string memory errorMessage) internal view returns (bytes memory) {
            require(isContract(target), "Address: static call to non-contract");
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.staticcall(data);
            return _verifyCallResult(success, returndata, errorMessage);
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but performing a delegate call.
         *
         * _Available since v3.4._
         */
        function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) {
            return functionDelegateCall(target, data, "Address: low-level delegate call failed");
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
         * but performing a delegate call.
         *
         * _Available since v3.4._
         */
        function functionDelegateCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) {
            require(isContract(target), "Address: delegate call to non-contract");
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.delegatecall(data);
            return _verifyCallResult(success, returndata, errorMessage);
        }
        function _verifyCallResult(bool success, bytes memory returndata, string memory errorMessage) private pure returns(bytes memory) {
            if (success) {
                return returndata;
            } else {
                // Look for revert reason and bubble it up if present
                if (returndata.length > 0) {
                    // The easiest way to bubble the revert reason is using memory via assembly
                    // solhint-disable-next-line no-inline-assembly
                    assembly {
                        let returndata_size := mload(returndata)
                        revert(add(32, returndata), returndata_size)
                    }
                } else {
                    revert(errorMessage);
                }
            }
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    /*
     * @dev Provides information about the current execution context, including the
     * sender of the transaction and its data. While these are generally available
     * via msg.sender and msg.data, they should not be accessed in such a direct
     * manner, since when dealing with GSN meta-transactions the account sending and
     * paying for execution may not be the actual sender (as far as an application
     * is concerned).
     *
     * This contract is only required for intermediate, library-like contracts.
     */
    abstract contract Context {
        function _msgSender() internal view virtual returns (address payable) {
            return msg.sender;
        }
        function _msgData() internal view virtual returns (bytes memory) {
            this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691
            return msg.data;
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    /**
     * @dev Interface of the ERC20 standard as defined in the EIP.
     */
    interface IERC20 {
        /**
         * @dev Returns the amount of tokens in existence.
         */
        function totalSupply() external view returns (uint256);
        /**
         * @dev Returns the amount of tokens owned by `account`.
         */
        function balanceOf(address account) external view returns (uint256);
        /**
         * @dev Moves `amount` tokens from the caller's account to `recipient`.
         *
         * Returns a boolean value indicating whether the operation succeeded.
         *
         * Emits a {Transfer} event.
         */
        function transfer(address recipient, uint256 amount) external returns (bool);
        /**
         * @dev Returns the remaining number of tokens that `spender` will be
         * allowed to spend on behalf of `owner` through {transferFrom}. This is
         * zero by default.
         *
         * This value changes when {approve} or {transferFrom} are called.
         */
        function allowance(address owner, address spender) external view returns (uint256);
        /**
         * @dev Sets `amount` as the allowance of `spender` over the caller's tokens.
         *
         * Returns a boolean value indicating whether the operation succeeded.
         *
         * IMPORTANT: Beware that changing an allowance with this method brings the risk
         * that someone may use both the old and the new allowance by unfortunate
         * transaction ordering. One possible solution to mitigate this race
         * condition is to first reduce the spender's allowance to 0 and set the
         * desired value afterwards:
         * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
         *
         * Emits an {Approval} event.
         */
        function approve(address spender, uint256 amount) external returns (bool);
        /**
         * @dev Moves `amount` tokens from `sender` to `recipient` using the
         * allowance mechanism. `amount` is then deducted from the caller's
         * allowance.
         *
         * Returns a boolean value indicating whether the operation succeeded.
         *
         * Emits a {Transfer} event.
         */
        function transferFrom(address sender, address recipient, uint256 amount) external returns (bool);
        /**
         * @dev Emitted when `value` tokens are moved from one account (`from`) to
         * another (`to`).
         *
         * Note that `value` may be zero.
         */
        event Transfer(address indexed from, address indexed to, uint256 value);
        /**
         * @dev Emitted when the allowance of a `spender` for an `owner` is set by
         * a call to {approve}. `value` is the new allowance.
         */
        event Approval(address indexed owner, address indexed spender, uint256 value);
    }
    // SPDX-License-Identifier: MIT
    pragma solidity 0.6.12;
    import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
    import "./IClaimable.sol";
    /// @title Mintable Token interface
    interface IMintableToken is IERC20, IClaimable {
        function issue(address to, uint256 amount) external;
        function destroy(address from, uint256 amount) external;
    }
    // SPDX-License-Identifier: MIT
    pragma solidity 0.6.12;
    /// @title Claimable contract interface
    interface IClaimable {
        function owner() external view returns (address);
        function transferOwnership(address newOwner) external;
        function acceptOwnership() external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "./interfaces/IOwned.sol";
    /**
     * @dev This contract provides support and utilities for contract ownership.
     */
    contract Owned is IOwned {
        address private _owner;
        address private _newOwner;
        /**
         * @dev triggered when the owner is updated
         */
        event OwnerUpdate(address indexed prevOwner, address indexed newOwner);
        /**
         * @dev initializes a new Owned instance
         */
        constructor() public {
            _owner = msg.sender;
        }
        // allows execution by the owner only
        modifier ownerOnly {
            _ownerOnly();
            _;
        }
        // error message binary size optimization
        function _ownerOnly() private view {
            require(msg.sender == _owner, "ERR_ACCESS_DENIED");
        }
        /**
         * @dev allows transferring the contract ownership
         *
         * Requirements:
         *
         * - the caller must be the owner of the contract
         *
         * note the new owner still needs to accept the transfer
         */
        function transferOwnership(address newOwner) public override ownerOnly {
            require(newOwner != _owner, "ERR_SAME_OWNER");
            _newOwner = newOwner;
        }
        /**
         * @dev used by a new owner to accept an ownership transfer
         */
        function acceptOwnership() public override {
            require(msg.sender == _newOwner, "ERR_ACCESS_DENIED");
            emit OwnerUpdate(_owner, _newOwner);
            _owner = _newOwner;
            _newOwner = address(0);
        }
        /**
         * @dev returns the address of the current owner
         */
        function owner() public view override returns (address) {
            return _owner;
        }
        /**
         * @dev returns the address of the new owner candidate
         */
        function newOwner() external view returns (address) {
            return _newOwner;
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /**
     * @dev Contract Registry interface
     */
    interface IContractRegistry {
        function addressOf(bytes32 contractName) external view returns (address);
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /**
     * @dev Owned interface
     */
    interface IOwned {
        function owner() external view returns (address);
        function transferOwnership(address newOwner) external;
        function acceptOwnership() external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /**
     * @dev This contract is used to represent reserve tokens, which are tokens that can either be regular ERC20 tokens or
     * native ETH (represented by the NATIVE_TOKEN_ADDRESS address)
     *
     * Please note that this interface is intentionally doesn't inherit from IERC20, so that it'd be possible to effectively
     * override its balanceOf() function in the ReserveToken library
     */
    interface IReserveToken {
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "@openzeppelin/contracts/token/ERC20/SafeERC20.sol";
    /**
     * @dev Extends the SafeERC20 library with additional operations
     */
    library SafeERC20Ex {
        using SafeERC20 for IERC20;
        /**
         * @dev ensures that the spender has sufficient allowance
         */
        function ensureApprove(
            IERC20 token,
            address spender,
            uint256 amount
        ) internal {
            if (amount == 0) {
                return;
            }
            uint256 allowance = token.allowance(address(this), spender);
            if (allowance >= amount) {
                return;
            }
            if (allowance > 0) {
                token.safeApprove(spender, 0);
            }
            token.safeApprove(spender, amount);
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "../../converter/interfaces/IConverterAnchor.sol";
    import "../../token/interfaces/IDSToken.sol";
    import "../../token/interfaces/IReserveToken.sol";
    import "../../utility/interfaces/IOwned.sol";
    /**
     * @dev Liquidity Protection Store interface
     */
    interface ILiquidityProtectionStore is IOwned {
        function withdrawTokens(
            IReserveToken token,
            address recipient,
            uint256 amount
        ) external;
        function protectedLiquidity(uint256 id)
            external
            view
            returns (
                address,
                IDSToken,
                IReserveToken,
                uint256,
                uint256,
                uint256,
                uint256,
                uint256
            );
        function addProtectedLiquidity(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount,
            uint256 reserveRateN,
            uint256 reserveRateD,
            uint256 timestamp
        ) external returns (uint256);
        function updateProtectedLiquidityAmounts(
            uint256 id,
            uint256 poolNewAmount,
            uint256 reserveNewAmount
        ) external;
        function removeProtectedLiquidity(uint256 id) external;
        function lockedBalance(address provider, uint256 index) external view returns (uint256, uint256);
        function lockedBalanceRange(
            address provider,
            uint256 startIndex,
            uint256 endIndex
        ) external view returns (uint256[] memory, uint256[] memory);
        function addLockedBalance(
            address provider,
            uint256 reserveAmount,
            uint256 expirationTime
        ) external returns (uint256);
        function removeLockedBalance(address provider, uint256 index) external;
        function systemBalance(IReserveToken poolToken) external view returns (uint256);
        function incSystemBalance(IReserveToken poolToken, uint256 poolAmount) external;
        function decSystemBalance(IReserveToken poolToken, uint256 poolAmount) external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "../../converter/interfaces/IConverterAnchor.sol";
    import "../../token/interfaces/IDSToken.sol";
    import "../../token/interfaces/IReserveToken.sol";
    /**
     * @dev Liquidity Protection Stats interface
     */
    interface ILiquidityProtectionStats {
        function increaseTotalAmounts(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
        function decreaseTotalAmounts(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
        function addProviderPool(address provider, IDSToken poolToken) external returns (bool);
        function removeProviderPool(address provider, IDSToken poolToken) external returns (bool);
        function totalPoolAmount(IDSToken poolToken) external view returns (uint256);
        function totalReserveAmount(IDSToken poolToken, IReserveToken reserveToken) external view returns (uint256);
        function totalProviderAmount(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken
        ) external view returns (uint256);
        function providerPools(address provider) external view returns (IDSToken[] memory);
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "../../converter/interfaces/IConverterAnchor.sol";
    import "../../token/interfaces/IReserveToken.sol";
    import "./ILiquidityProvisionEventsSubscriber.sol";
    /**
     * @dev Liquidity Protection Settings interface
     */
    interface ILiquidityProtectionSettings {
        function isPoolWhitelisted(IConverterAnchor poolAnchor) external view returns (bool);
        function poolWhitelist() external view returns (address[] memory);
        function subscribers() external view returns (address[] memory);
        function isPoolSupported(IConverterAnchor poolAnchor) external view returns (bool);
        function minNetworkTokenLiquidityForMinting() external view returns (uint256);
        function defaultNetworkTokenMintingLimit() external view returns (uint256);
        function networkTokenMintingLimits(IConverterAnchor poolAnchor) external view returns (uint256);
        function addLiquidityDisabled(IConverterAnchor poolAnchor, IReserveToken reserveToken) external view returns (bool);
        function minProtectionDelay() external view returns (uint256);
        function maxProtectionDelay() external view returns (uint256);
        function minNetworkCompensation() external view returns (uint256);
        function lockDuration() external view returns (uint256);
        function averageRateMaxDeviation() external view returns (uint32);
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
    import "../../converter/interfaces/IConverterAnchor.sol";
    /**
     * @dev Liquidity Protection System Store interface
     */
    interface ILiquidityProtectionSystemStore {
        function systemBalance(IERC20 poolToken) external view returns (uint256);
        function incSystemBalance(IERC20 poolToken, uint256 poolAmount) external;
        function decSystemBalance(IERC20 poolToken, uint256 poolAmount) external;
        function networkTokensMinted(IConverterAnchor poolAnchor) external view returns (uint256);
        function incNetworkTokensMinted(IConverterAnchor poolAnchor, uint256 amount) external;
        function decNetworkTokensMinted(IConverterAnchor poolAnchor, uint256 amount) external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /**
     * @dev Transfer position event callback interface
     */
    interface ITransferPositionCallback {
        function onTransferPosition(
            uint256 newId,
            address provider,
            bytes calldata data
        ) external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "../../token/interfaces/IReserveToken.sol";
    import "./IOwned.sol";
    /**
     * @dev Token Holder interface
     */
    interface ITokenHolder is IOwned {
        receive() external payable;
        function withdrawTokens(
            IReserveToken reserveToken,
            address payable to,
            uint256 amount
        ) external;
        function withdrawTokensMultiple(
            IReserveToken[] calldata reserveTokens,
            address payable to,
            uint256[] calldata amounts
        ) external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "../../utility/interfaces/IOwned.sol";
    /**
     * @dev Converter Anchor interface
     */
    interface IConverterAnchor is IOwned {
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
    import "../../converter/interfaces/IConverterAnchor.sol";
    import "../../utility/interfaces/IOwned.sol";
    /**
     * @dev DSToken interface
     */
    interface IDSToken is IConverterAnchor, IERC20 {
        function issue(address recipient, uint256 amount) external;
        function destroy(address recipient, uint256 amount) external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "../../converter/interfaces/IConverterAnchor.sol";
    import "../../token/interfaces/IReserveToken.sol";
    /**
     * @dev Liquidity provision events subscriber interface
     */
    interface ILiquidityProvisionEventsSubscriber {
        function onAddingLiquidity(
            address provider,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
        function onRemovingLiquidity(
            uint256 id,
            address provider,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
    }
    // SPDX-License-Identifier: MIT
    pragma solidity 0.6.12;
    import "../../token/interfaces/IReserveToken.sol";
    import "../../token/interfaces/IDSToken.sol";
    struct PoolProgram {
        uint256 startTime;
        uint256 endTime;
        uint256 rewardRate;
        IReserveToken[2] reserveTokens;
        uint32[2] rewardShares;
    }
    struct PoolRewards {
        uint256 lastUpdateTime;
        uint256 rewardPerToken;
        uint256 totalClaimedRewards;
    }
    struct ProviderRewards {
        uint256 rewardPerToken;
        uint256 pendingBaseRewards;
        uint256 totalClaimedRewards;
        uint256 effectiveStakingTime;
        uint256 baseRewardsDebt;
        uint32 baseRewardsDebtMultiplier;
    }
    interface IStakingRewardsStore {
        function isPoolParticipating(IDSToken poolToken) external view returns (bool);
        function isReserveParticipating(IDSToken poolToken, IReserveToken reserveToken) external view returns (bool);
        function addPoolProgram(
            IDSToken poolToken,
            IReserveToken[2] calldata reserveTokens,
            uint32[2] calldata rewardShares,
            uint256 endTime,
            uint256 rewardRate
        ) external;
        function removePoolProgram(IDSToken poolToken) external;
        function setPoolProgramEndTime(IDSToken poolToken, uint256 newEndTime) external;
        function poolProgram(IDSToken poolToken)
            external
            view
            returns (
                uint256,
                uint256,
                uint256,
                IReserveToken[2] memory,
                uint32[2] memory
            );
        function poolPrograms()
            external
            view
            returns (
                IDSToken[] memory,
                uint256[] memory,
                uint256[] memory,
                uint256[] memory,
                IReserveToken[2][] memory,
                uint32[2][] memory
            );
        function poolRewards(IDSToken poolToken, IReserveToken reserveToken)
            external
            view
            returns (
                uint256,
                uint256,
                uint256
            );
        function updatePoolRewardsData(
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 lastUpdateTime,
            uint256 rewardPerToken,
            uint256 totalClaimedRewards
        ) external;
        function providerRewards(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken
        )
            external
            view
            returns (
                uint256,
                uint256,
                uint256,
                uint256,
                uint256,
                uint32
            );
        function updateProviderRewardsData(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 rewardPerToken,
            uint256 pendingBaseRewards,
            uint256 totalClaimedRewards,
            uint256 effectiveStakingTime,
            uint256 baseRewardsDebt,
            uint32 baseRewardsDebtMultiplier
        ) external;
        function updateProviderLastClaimTime(address provider) external;
        function providerLastClaimTime(address provider) external view returns (uint256);
    }
    

    File 2 of 5: ContractRegistry
    pragma solidity ^0.4.24;
    
    // File: contracts/utility/interfaces/IOwned.sol
    
    /*
        Owned contract interface
    */
    contract IOwned {
        // this function isn't abstract since the compiler emits automatically generated getter functions as external
        function owner() public view returns (address) {}
    
        function transferOwnership(address _newOwner) public;
        function acceptOwnership() public;
    }
    
    // File: contracts/utility/Owned.sol
    
    /*
        Provides support and utilities for contract ownership
    */
    contract Owned is IOwned {
        address public owner;
        address public newOwner;
    
        event OwnerUpdate(address indexed _prevOwner, address indexed _newOwner);
    
        /**
            @dev constructor
        */
        constructor() public {
            owner = msg.sender;
        }
    
        // allows execution by the owner only
        modifier ownerOnly {
            require(msg.sender == owner);
            _;
        }
    
        /**
            @dev allows transferring the contract ownership
            the new owner still needs to accept the transfer
            can only be called by the contract owner
    
            @param _newOwner    new contract owner
        */
        function transferOwnership(address _newOwner) public ownerOnly {
            require(_newOwner != owner);
            newOwner = _newOwner;
        }
    
        /**
            @dev used by a new owner to accept an ownership transfer
        */
        function acceptOwnership() public {
            require(msg.sender == newOwner);
            emit OwnerUpdate(owner, newOwner);
            owner = newOwner;
            newOwner = address(0);
        }
    }
    
    // File: contracts/utility/Utils.sol
    
    /*
        Utilities & Common Modifiers
    */
    contract Utils {
        /**
            constructor
        */
        constructor() public {
        }
    
        // verifies that an amount is greater than zero
        modifier greaterThanZero(uint256 _amount) {
            require(_amount > 0);
            _;
        }
    
        // validates an address - currently only checks that it isn't null
        modifier validAddress(address _address) {
            require(_address != address(0));
            _;
        }
    
        // verifies that the address is different than this contract address
        modifier notThis(address _address) {
            require(_address != address(this));
            _;
        }
    
        // Overflow protected math functions
    
        /**
            @dev returns the sum of _x and _y, asserts if the calculation overflows
    
            @param _x   value 1
            @param _y   value 2
    
            @return sum
        */
        function safeAdd(uint256 _x, uint256 _y) internal pure returns (uint256) {
            uint256 z = _x + _y;
            assert(z >= _x);
            return z;
        }
    
        /**
            @dev returns the difference of _x minus _y, asserts if the subtraction results in a negative number
    
            @param _x   minuend
            @param _y   subtrahend
    
            @return difference
        */
        function safeSub(uint256 _x, uint256 _y) internal pure returns (uint256) {
            assert(_x >= _y);
            return _x - _y;
        }
    
        /**
            @dev returns the product of multiplying _x by _y, asserts if the calculation overflows
    
            @param _x   factor 1
            @param _y   factor 2
    
            @return product
        */
        function safeMul(uint256 _x, uint256 _y) internal pure returns (uint256) {
            uint256 z = _x * _y;
            assert(_x == 0 || z / _x == _y);
            return z;
        }
    }
    
    // File: contracts/utility/interfaces/IContractRegistry.sol
    
    /*
        Contract Registry interface
    */
    contract IContractRegistry {
        function addressOf(bytes32 _contractName) public view returns (address);
    
        // deprecated, backward compatibility
        function getAddress(bytes32 _contractName) public view returns (address);
    }
    
    // File: contracts/ContractIds.sol
    
    /**
        Id definitions for bancor contracts
    
        Can be used in conjunction with the contract registry to get contract addresses
    */
    contract ContractIds {
        // generic
        bytes32 public constant CONTRACT_FEATURES = "ContractFeatures";
        bytes32 public constant CONTRACT_REGISTRY = "ContractRegistry";
    
        // bancor logic
        bytes32 public constant BANCOR_NETWORK = "BancorNetwork";
        bytes32 public constant BANCOR_FORMULA = "BancorFormula";
        bytes32 public constant BANCOR_GAS_PRICE_LIMIT = "BancorGasPriceLimit";
        bytes32 public constant BANCOR_CONVERTER_UPGRADER = "BancorConverterUpgrader";
        bytes32 public constant BANCOR_CONVERTER_FACTORY = "BancorConverterFactory";
    
        // Ids of BNT converter and BNT token
        bytes32 public constant BNT_TOKEN = "BNTToken";
        bytes32 public constant BNT_CONVERTER = "BNTConverter";
    
        // Id of BancorX contract
        bytes32 public constant BANCOR_X = "BancorX";
    }
    
    // File: contracts/utility/ContractRegistry.sol
    
    /**
        Contract Registry
    
        The contract registry keeps contract addresses by name.
        The owner can update contract addresses so that a contract name always points to the latest version
        of the given contract.
        Other contracts can query the registry to get updated addresses instead of depending on specific
        addresses.
    
        Note that contract names are limited to 32 bytes UTF8 encoded ASCII strings to optimize gas costs
    */
    contract ContractRegistry is IContractRegistry, Owned, Utils, ContractIds {
        struct RegistryItem {
            address contractAddress;    // contract address
            uint256 nameIndex;          // index of the item in the list of contract names
            bool isSet;                 // used to tell if the mapping element is defined
        }
    
        mapping (bytes32 => RegistryItem) private items;    // name -> RegistryItem mapping
        string[] public contractNames;                      // list of all registered contract names
    
        // triggered when an address pointed to by a contract name is modified
        event AddressUpdate(bytes32 indexed _contractName, address _contractAddress);
    
        /**
            @dev constructor
        */
        constructor() public {
            registerAddress(ContractIds.CONTRACT_REGISTRY, address(this));
        }
    
        /**
            @dev returns the number of items in the registry
    
            @return number of items
        */
        function itemCount() public view returns (uint256) {
            return contractNames.length;
        }
    
        /**
            @dev returns the address associated with the given contract name
    
            @param _contractName    contract name
    
            @return contract address
        */
        function addressOf(bytes32 _contractName) public view returns (address) {
            return items[_contractName].contractAddress;
        }
    
        /**
            @dev registers a new address for the contract name in the registry
    
            @param _contractName     contract name
            @param _contractAddress  contract address
        */
        function registerAddress(bytes32 _contractName, address _contractAddress)
            public
            ownerOnly
            validAddress(_contractAddress)
        {
            require(_contractName.length > 0); // validate input
    
            // update the address in the registry
            items[_contractName].contractAddress = _contractAddress;
    
            if (!items[_contractName].isSet) {
                // mark the item as set
                items[_contractName].isSet = true;
                // add the contract name to the name list
                uint256 i = contractNames.push(bytes32ToString(_contractName));
                // update the item's index in the list
                items[_contractName].nameIndex = i - 1;
            }
    
            // dispatch the address update event
            emit AddressUpdate(_contractName, _contractAddress);
        }
    
        /**
            @dev removes an existing contract address from the registry
    
            @param _contractName contract name
        */
        function unregisterAddress(bytes32 _contractName) public ownerOnly {
            require(_contractName.length > 0); // validate input
    
            // remove the address from the registry
            items[_contractName].contractAddress = address(0);
    
            // if there are multiple items in the registry, move the last element to the deleted element's position
            // and modify last element's registryItem.nameIndex in the items collection to point to the right position in contractNames
            if (contractNames.length > 1) {
                string memory lastContractNameString = contractNames[contractNames.length - 1];
                uint256 unregisterIndex = items[_contractName].nameIndex;
    
                contractNames[unregisterIndex] = lastContractNameString;
                bytes32 lastContractName = stringToBytes32(lastContractNameString);
                RegistryItem storage registryItem = items[lastContractName];
                registryItem.nameIndex = unregisterIndex;
            }
    
            // remove the last element from the name list
            contractNames.length--;
            // zero the deleted element's index
            items[_contractName].nameIndex = 0;
    
            // dispatch the address update event
            emit AddressUpdate(_contractName, address(0));
        }
    
        /**
            @dev utility, converts bytes32 to a string
            note that the bytes32 argument is assumed to be UTF8 encoded ASCII string
    
            @return string representation of the given bytes32 argument
        */
        function bytes32ToString(bytes32 _bytes) private pure returns (string) {
            bytes memory byteArray = new bytes(32);
            for (uint256 i; i < 32; i++) {
                byteArray[i] = _bytes[i];
            }
    
            return string(byteArray);
        }
    
        // @dev utility, converts string to bytes32
        function stringToBytes32(string memory _string) private pure returns (bytes32) {
            bytes32 result;
            assembly {
                result := mload(add(_string,32))
            }
            return result;
        }
    
        // deprecated, backward compatibility
        function getAddress(bytes32 _contractName) public view returns (address) {
            return addressOf(_contractName);
        }
    }

    File 3 of 5: LiquidityProtection
    // File: @openzeppelin/contracts/math/SafeMath.sol
    
    // SPDX-License-Identifier: MIT
    
    pragma solidity >=0.6.0 <0.8.0;
    
    /**
     * @dev Wrappers over Solidity's arithmetic operations with added overflow
     * checks.
     *
     * Arithmetic operations in Solidity wrap on overflow. This can easily result
     * in bugs, because programmers usually assume that an overflow raises an
     * error, which is the standard behavior in high level programming languages.
     * `SafeMath` restores this intuition by reverting the transaction when an
     * operation overflows.
     *
     * Using this library instead of the unchecked operations eliminates an entire
     * class of bugs, so it's recommended to use it always.
     */
    library SafeMath {
        /**
         * @dev Returns the addition of two unsigned integers, with an overflow flag.
         *
         * _Available since v3.4._
         */
        function tryAdd(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            uint256 c = a + b;
            if (c < a) return (false, 0);
            return (true, c);
        }
    
        /**
         * @dev Returns the substraction of two unsigned integers, with an overflow flag.
         *
         * _Available since v3.4._
         */
        function trySub(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            if (b > a) return (false, 0);
            return (true, a - b);
        }
    
        /**
         * @dev Returns the multiplication of two unsigned integers, with an overflow flag.
         *
         * _Available since v3.4._
         */
        function tryMul(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            // Gas optimization: this is cheaper than requiring 'a' not being zero, but the
            // benefit is lost if 'b' is also tested.
            // See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522
            if (a == 0) return (true, 0);
            uint256 c = a * b;
            if (c / a != b) return (false, 0);
            return (true, c);
        }
    
        /**
         * @dev Returns the division of two unsigned integers, with a division by zero flag.
         *
         * _Available since v3.4._
         */
        function tryDiv(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            if (b == 0) return (false, 0);
            return (true, a / b);
        }
    
        /**
         * @dev Returns the remainder of dividing two unsigned integers, with a division by zero flag.
         *
         * _Available since v3.4._
         */
        function tryMod(uint256 a, uint256 b) internal pure returns (bool, uint256) {
            if (b == 0) return (false, 0);
            return (true, a % b);
        }
    
        /**
         * @dev Returns the addition of two unsigned integers, reverting on
         * overflow.
         *
         * Counterpart to Solidity's `+` operator.
         *
         * Requirements:
         *
         * - Addition cannot overflow.
         */
        function add(uint256 a, uint256 b) internal pure returns (uint256) {
            uint256 c = a + b;
            require(c >= a, "SafeMath: addition overflow");
            return c;
        }
    
        /**
         * @dev Returns the subtraction of two unsigned integers, reverting on
         * overflow (when the result is negative).
         *
         * Counterpart to Solidity's `-` operator.
         *
         * Requirements:
         *
         * - Subtraction cannot overflow.
         */
        function sub(uint256 a, uint256 b) internal pure returns (uint256) {
            require(b <= a, "SafeMath: subtraction overflow");
            return a - b;
        }
    
        /**
         * @dev Returns the multiplication of two unsigned integers, reverting on
         * overflow.
         *
         * Counterpart to Solidity's `*` operator.
         *
         * Requirements:
         *
         * - Multiplication cannot overflow.
         */
        function mul(uint256 a, uint256 b) internal pure returns (uint256) {
            if (a == 0) return 0;
            uint256 c = a * b;
            require(c / a == b, "SafeMath: multiplication overflow");
            return c;
        }
    
        /**
         * @dev Returns the integer division of two unsigned integers, reverting on
         * division by zero. The result is rounded towards zero.
         *
         * Counterpart to Solidity's `/` operator. Note: this function uses a
         * `revert` opcode (which leaves remaining gas untouched) while Solidity
         * uses an invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function div(uint256 a, uint256 b) internal pure returns (uint256) {
            require(b > 0, "SafeMath: division by zero");
            return a / b;
        }
    
        /**
         * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
         * reverting when dividing by zero.
         *
         * Counterpart to Solidity's `%` operator. This function uses a `revert`
         * opcode (which leaves remaining gas untouched) while Solidity uses an
         * invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function mod(uint256 a, uint256 b) internal pure returns (uint256) {
            require(b > 0, "SafeMath: modulo by zero");
            return a % b;
        }
    
        /**
         * @dev Returns the subtraction of two unsigned integers, reverting with custom message on
         * overflow (when the result is negative).
         *
         * CAUTION: This function is deprecated because it requires allocating memory for the error
         * message unnecessarily. For custom revert reasons use {trySub}.
         *
         * Counterpart to Solidity's `-` operator.
         *
         * Requirements:
         *
         * - Subtraction cannot overflow.
         */
        function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b <= a, errorMessage);
            return a - b;
        }
    
        /**
         * @dev Returns the integer division of two unsigned integers, reverting with custom message on
         * division by zero. The result is rounded towards zero.
         *
         * CAUTION: This function is deprecated because it requires allocating memory for the error
         * message unnecessarily. For custom revert reasons use {tryDiv}.
         *
         * Counterpart to Solidity's `/` operator. Note: this function uses a
         * `revert` opcode (which leaves remaining gas untouched) while Solidity
         * uses an invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b > 0, errorMessage);
            return a / b;
        }
    
        /**
         * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
         * reverting with custom message when dividing by zero.
         *
         * CAUTION: This function is deprecated because it requires allocating memory for the error
         * message unnecessarily. For custom revert reasons use {tryMod}.
         *
         * Counterpart to Solidity's `%` operator. This function uses a `revert`
         * opcode (which leaves remaining gas untouched) while Solidity uses an
         * invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b > 0, errorMessage);
            return a % b;
        }
    }
    
    // File: @openzeppelin/contracts/utils/Address.sol
    
    
    
    pragma solidity >=0.6.2 <0.8.0;
    
    /**
     * @dev Collection of functions related to the address type
     */
    library Address {
        /**
         * @dev Returns true if `account` is a contract.
         *
         * [IMPORTANT]
         * ====
         * It is unsafe to assume that an address for which this function returns
         * false is an externally-owned account (EOA) and not a contract.
         *
         * Among others, `isContract` will return false for the following
         * types of addresses:
         *
         *  - an externally-owned account
         *  - a contract in construction
         *  - an address where a contract will be created
         *  - an address where a contract lived, but was destroyed
         * ====
         */
        function isContract(address account) internal view returns (bool) {
            // This method relies on extcodesize, which returns 0 for contracts in
            // construction, since the code is only stored at the end of the
            // constructor execution.
    
            uint256 size;
            // solhint-disable-next-line no-inline-assembly
            assembly { size := extcodesize(account) }
            return size > 0;
        }
    
        /**
         * @dev Replacement for Solidity's `transfer`: sends `amount` wei to
         * `recipient`, forwarding all available gas and reverting on errors.
         *
         * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
         * of certain opcodes, possibly making contracts go over the 2300 gas limit
         * imposed by `transfer`, making them unable to receive funds via
         * `transfer`. {sendValue} removes this limitation.
         *
         * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
         *
         * IMPORTANT: because control is transferred to `recipient`, care must be
         * taken to not create reentrancy vulnerabilities. Consider using
         * {ReentrancyGuard} or the
         * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
         */
        function sendValue(address payable recipient, uint256 amount) internal {
            require(address(this).balance >= amount, "Address: insufficient balance");
    
            // solhint-disable-next-line avoid-low-level-calls, avoid-call-value
            (bool success, ) = recipient.call{ value: amount }("");
            require(success, "Address: unable to send value, recipient may have reverted");
        }
    
        /**
         * @dev Performs a Solidity function call using a low level `call`. A
         * plain`call` is an unsafe replacement for a function call: use this
         * function instead.
         *
         * If `target` reverts with a revert reason, it is bubbled up by this
         * function (like regular Solidity function calls).
         *
         * Returns the raw returned data. To convert to the expected return value,
         * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`].
         *
         * Requirements:
         *
         * - `target` must be a contract.
         * - calling `target` with `data` must not revert.
         *
         * _Available since v3.1._
         */
        function functionCall(address target, bytes memory data) internal returns (bytes memory) {
          return functionCall(target, data, "Address: low-level call failed");
        }
    
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
         * `errorMessage` as a fallback revert reason when `target` reverts.
         *
         * _Available since v3.1._
         */
        function functionCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) {
            return functionCallWithValue(target, data, 0, errorMessage);
        }
    
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but also transferring `value` wei to `target`.
         *
         * Requirements:
         *
         * - the calling contract must have an ETH balance of at least `value`.
         * - the called Solidity function must be `payable`.
         *
         * _Available since v3.1._
         */
        function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) {
            return functionCallWithValue(target, data, value, "Address: low-level call with value failed");
        }
    
        /**
         * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but
         * with `errorMessage` as a fallback revert reason when `target` reverts.
         *
         * _Available since v3.1._
         */
        function functionCallWithValue(address target, bytes memory data, uint256 value, string memory errorMessage) internal returns (bytes memory) {
            require(address(this).balance >= value, "Address: insufficient balance for call");
            require(isContract(target), "Address: call to non-contract");
    
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.call{ value: value }(data);
            return _verifyCallResult(success, returndata, errorMessage);
        }
    
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but performing a static call.
         *
         * _Available since v3.3._
         */
        function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) {
            return functionStaticCall(target, data, "Address: low-level static call failed");
        }
    
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
         * but performing a static call.
         *
         * _Available since v3.3._
         */
        function functionStaticCall(address target, bytes memory data, string memory errorMessage) internal view returns (bytes memory) {
            require(isContract(target), "Address: static call to non-contract");
    
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.staticcall(data);
            return _verifyCallResult(success, returndata, errorMessage);
        }
    
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but performing a delegate call.
         *
         * _Available since v3.4._
         */
        function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) {
            return functionDelegateCall(target, data, "Address: low-level delegate call failed");
        }
    
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
         * but performing a delegate call.
         *
         * _Available since v3.4._
         */
        function functionDelegateCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) {
            require(isContract(target), "Address: delegate call to non-contract");
    
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.delegatecall(data);
            return _verifyCallResult(success, returndata, errorMessage);
        }
    
        function _verifyCallResult(bool success, bytes memory returndata, string memory errorMessage) private pure returns(bytes memory) {
            if (success) {
                return returndata;
            } else {
                // Look for revert reason and bubble it up if present
                if (returndata.length > 0) {
                    // The easiest way to bubble the revert reason is using memory via assembly
    
                    // solhint-disable-next-line no-inline-assembly
                    assembly {
                        let returndata_size := mload(returndata)
                        revert(add(32, returndata), returndata_size)
                    }
                } else {
                    revert(errorMessage);
                }
            }
        }
    }
    
    // File: @openzeppelin/contracts/token/ERC20/IERC20.sol
    
    
    
    pragma solidity >=0.6.0 <0.8.0;
    
    /**
     * @dev Interface of the ERC20 standard as defined in the EIP.
     */
    interface IERC20 {
        /**
         * @dev Returns the amount of tokens in existence.
         */
        function totalSupply() external view returns (uint256);
    
        /**
         * @dev Returns the amount of tokens owned by `account`.
         */
        function balanceOf(address account) external view returns (uint256);
    
        /**
         * @dev Moves `amount` tokens from the caller's account to `recipient`.
         *
         * Returns a boolean value indicating whether the operation succeeded.
         *
         * Emits a {Transfer} event.
         */
        function transfer(address recipient, uint256 amount) external returns (bool);
    
        /**
         * @dev Returns the remaining number of tokens that `spender` will be
         * allowed to spend on behalf of `owner` through {transferFrom}. This is
         * zero by default.
         *
         * This value changes when {approve} or {transferFrom} are called.
         */
        function allowance(address owner, address spender) external view returns (uint256);
    
        /**
         * @dev Sets `amount` as the allowance of `spender` over the caller's tokens.
         *
         * Returns a boolean value indicating whether the operation succeeded.
         *
         * IMPORTANT: Beware that changing an allowance with this method brings the risk
         * that someone may use both the old and the new allowance by unfortunate
         * transaction ordering. One possible solution to mitigate this race
         * condition is to first reduce the spender's allowance to 0 and set the
         * desired value afterwards:
         * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
         *
         * Emits an {Approval} event.
         */
        function approve(address spender, uint256 amount) external returns (bool);
    
        /**
         * @dev Moves `amount` tokens from `sender` to `recipient` using the
         * allowance mechanism. `amount` is then deducted from the caller's
         * allowance.
         *
         * Returns a boolean value indicating whether the operation succeeded.
         *
         * Emits a {Transfer} event.
         */
        function transferFrom(address sender, address recipient, uint256 amount) external returns (bool);
    
        /**
         * @dev Emitted when `value` tokens are moved from one account (`from`) to
         * another (`to`).
         *
         * Note that `value` may be zero.
         */
        event Transfer(address indexed from, address indexed to, uint256 value);
    
        /**
         * @dev Emitted when the allowance of a `spender` for an `owner` is set by
         * a call to {approve}. `value` is the new allowance.
         */
        event Approval(address indexed owner, address indexed spender, uint256 value);
    }
    
    // File: @bancor/token-governance/contracts/IClaimable.sol
    
    
    pragma solidity 0.6.12;
    
    /// @title Claimable contract interface
    interface IClaimable {
        function owner() external view returns (address);
    
        function transferOwnership(address newOwner) external;
    
        function acceptOwnership() external;
    }
    
    // File: @bancor/token-governance/contracts/IMintableToken.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    /// @title Mintable Token interface
    interface IMintableToken is IERC20, IClaimable {
        function issue(address to, uint256 amount) external;
    
        function destroy(address from, uint256 amount) external;
    }
    
    // File: @bancor/token-governance/contracts/ITokenGovernance.sol
    
    
    pragma solidity 0.6.12;
    
    
    /// @title The interface for mintable/burnable token governance.
    interface ITokenGovernance {
        // The address of the mintable ERC20 token.
        function token() external view returns (IMintableToken);
    
        /// @dev Mints new tokens.
        ///
        /// @param to Account to receive the new amount.
        /// @param amount Amount to increase the supply by.
        ///
        function mint(address to, uint256 amount) external;
    
        /// @dev Burns tokens from the caller.
        ///
        /// @param amount Amount to decrease the supply by.
        ///
        function burn(uint256 amount) external;
    }
    
    // File: solidity/contracts/utility/interfaces/ICheckpointStore.sol
    
    
    pragma solidity 0.6.12;
    
    /**
     * @dev Checkpoint store contract interface
     */
    interface ICheckpointStore {
        function addCheckpoint(address _address) external;
    
        function addPastCheckpoint(address _address, uint256 _time) external;
    
        function addPastCheckpoints(address[] calldata _addresses, uint256[] calldata _times) external;
    
        function checkpoint(address _address) external view returns (uint256);
    }
    
    // File: solidity/contracts/utility/MathEx.sol
    
    
    pragma solidity 0.6.12;
    
    /**
     * @dev This library provides a set of complex math operations.
     */
    library MathEx {
        uint256 private constant MAX_EXP_BIT_LEN = 4;
        uint256 private constant MAX_EXP = 2**MAX_EXP_BIT_LEN - 1;
        uint256 private constant MAX_UINT128 = 2**128 - 1;
    
        /**
         * @dev returns the largest integer smaller than or equal to the square root of a positive integer
         *
         * @param _num a positive integer
         *
         * @return the largest integer smaller than or equal to the square root of the positive integer
         */
        function floorSqrt(uint256 _num) internal pure returns (uint256) {
            uint256 x = _num / 2 + 1;
            uint256 y = (x + _num / x) / 2;
            while (x > y) {
                x = y;
                y = (x + _num / x) / 2;
            }
            return x;
        }
    
        /**
         * @dev returns the smallest integer larger than or equal to the square root of a positive integer
         *
         * @param _num a positive integer
         *
         * @return the smallest integer larger than or equal to the square root of the positive integer
         */
        function ceilSqrt(uint256 _num) internal pure returns (uint256) {
            uint256 x = floorSqrt(_num);
            return x * x == _num ? x : x + 1;
        }
    
        /**
         * @dev computes a powered ratio
         *
         * @param _n   ratio numerator
         * @param _d   ratio denominator
         * @param _exp ratio exponent
         *
         * @return powered ratio's numerator and denominator
         */
        function poweredRatio(
            uint256 _n,
            uint256 _d,
            uint256 _exp
        ) internal pure returns (uint256, uint256) {
            require(_exp <= MAX_EXP, "ERR_EXP_TOO_LARGE");
    
            uint256[MAX_EXP_BIT_LEN] memory ns;
            uint256[MAX_EXP_BIT_LEN] memory ds;
    
            (ns[0], ds[0]) = reducedRatio(_n, _d, MAX_UINT128);
            for (uint256 i = 0; (_exp >> i) > 1; i++) {
                (ns[i + 1], ds[i + 1]) = reducedRatio(ns[i] ** 2, ds[i] ** 2, MAX_UINT128);
            }
    
            uint256 n = 1;
            uint256 d = 1;
    
            for (uint256 i = 0; (_exp >> i) > 0; i++) {
                if (((_exp >> i) & 1) > 0) {
                    (n, d) = reducedRatio(n * ns[i], d * ds[i], MAX_UINT128);
                }
            }
    
            return (n, d);
        }
    
        /**
         * @dev computes a reduced-scalar ratio
         *
         * @param _n   ratio numerator
         * @param _d   ratio denominator
         * @param _max maximum desired scalar
         *
         * @return ratio's numerator and denominator
         */
        function reducedRatio(
            uint256 _n,
            uint256 _d,
            uint256 _max
        ) internal pure returns (uint256, uint256) {
            (uint256 n, uint256 d) = (_n, _d);
            if (n > _max || d > _max) {
                (n, d) = normalizedRatio(n, d, _max);
            }
            if (n != d) {
                return (n, d);
            }
            return (1, 1);
        }
    
        /**
         * @dev computes "scale * a / (a + b)" and "scale * b / (a + b)".
         */
        function normalizedRatio(
            uint256 _a,
            uint256 _b,
            uint256 _scale
        ) internal pure returns (uint256, uint256) {
            if (_a <= _b) {
                return accurateRatio(_a, _b, _scale);
            }
            (uint256 y, uint256 x) = accurateRatio(_b, _a, _scale);
            return (x, y);
        }
    
        /**
         * @dev computes "scale * a / (a + b)" and "scale * b / (a + b)", assuming that "a <= b".
         */
        function accurateRatio(
            uint256 _a,
            uint256 _b,
            uint256 _scale
        ) internal pure returns (uint256, uint256) {
            uint256 maxVal = uint256(-1) / _scale;
            if (_a > maxVal) {
                uint256 c = _a / (maxVal + 1) + 1;
                _a /= c; // we can now safely compute `_a * _scale`
                _b /= c;
            }
            if (_a != _b) {
                uint256 n = _a * _scale;
                uint256 d = _a + _b; // can overflow
                if (d >= _a) {
                    // no overflow in `_a + _b`
                    uint256 x = roundDiv(n, d); // we can now safely compute `_scale - x`
                    uint256 y = _scale - x;
                    return (x, y);
                }
                if (n < _b - (_b - _a) / 2) {
                    return (0, _scale); // `_a * _scale < (_a + _b) / 2 < MAX_UINT256 < _a + _b`
                }
                return (1, _scale - 1); // `(_a + _b) / 2 < _a * _scale < MAX_UINT256 < _a + _b`
            }
            return (_scale / 2, _scale / 2); // allow reduction to `(1, 1)` in the calling function
        }
    
        /**
         * @dev computes the nearest integer to a given quotient without overflowing or underflowing.
         */
        function roundDiv(uint256 _n, uint256 _d) internal pure returns (uint256) {
            return _n / _d + (_n % _d) / (_d - _d / 2);
        }
    
        /**
         * @dev returns the average number of decimal digits in a given list of positive integers
         *
         * @param _values  list of positive integers
         *
         * @return the average number of decimal digits in the given list of positive integers
         */
        function geometricMean(uint256[] memory _values) internal pure returns (uint256) {
            uint256 numOfDigits = 0;
            uint256 length = _values.length;
            for (uint256 i = 0; i < length; i++) {
                numOfDigits += decimalLength(_values[i]);
            }
            return uint256(10)**(roundDivUnsafe(numOfDigits, length) - 1);
        }
    
        /**
         * @dev returns the number of decimal digits in a given positive integer
         *
         * @param _x   positive integer
         *
         * @return the number of decimal digits in the given positive integer
         */
        function decimalLength(uint256 _x) internal pure returns (uint256) {
            uint256 y = 0;
            for (uint256 x = _x; x > 0; x /= 10) {
                y++;
            }
            return y;
        }
    
        /**
         * @dev returns the nearest integer to a given quotient
         * the computation is overflow-safe assuming that the input is sufficiently small
         *
         * @param _n   quotient numerator
         * @param _d   quotient denominator
         *
         * @return the nearest integer to the given quotient
         */
        function roundDivUnsafe(uint256 _n, uint256 _d) internal pure returns (uint256) {
            return (_n + _d / 2) / _d;
        }
    
        /**
         * @dev returns the larger of two values
         *
         * @param _val1 the first value
         * @param _val2 the second value
         */
        function max(uint256 _val1, uint256 _val2) internal pure returns (uint256) {
            return _val1 > _val2 ? _val1 : _val2;
        }
    }
    
    // File: solidity/contracts/utility/ReentrancyGuard.sol
    
    
    pragma solidity 0.6.12;
    
    /**
     * @dev This contract provides protection against calling a function
     * (directly or indirectly) from within itself.
     */
    contract ReentrancyGuard {
        uint256 private constant UNLOCKED = 1;
        uint256 private constant LOCKED = 2;
    
        // LOCKED while protected code is being executed, UNLOCKED otherwise
        uint256 private state = UNLOCKED;
    
        /**
         * @dev ensures instantiation only by sub-contracts
         */
        constructor() internal {}
    
        // protects a function against reentrancy attacks
        modifier protected() {
            _protected();
            state = LOCKED;
            _;
            state = UNLOCKED;
        }
    
        // error message binary size optimization
        function _protected() internal view {
            require(state == UNLOCKED, "ERR_REENTRANCY");
        }
    }
    
    // File: solidity/contracts/utility/Types.sol
    
    
    pragma solidity 0.6.12;
    
    /**
     * @dev This contract provides types which can be used by various contracts.
     */
    
    struct Fraction {
        uint256 n; // numerator
        uint256 d; // denominator
    }
    
    // File: solidity/contracts/utility/Time.sol
    
    
    pragma solidity 0.6.12;
    
    /*
        Time implementing contract
    */
    contract Time {
        /**
         * @dev returns the current time
         */
        function time() internal view virtual returns (uint256) {
            return block.timestamp;
        }
    }
    
    // File: solidity/contracts/utility/Utils.sol
    
    
    pragma solidity 0.6.12;
    
    
    /**
     * @dev Utilities & Common Modifiers
     */
    contract Utils {
        uint32 internal constant PPM_RESOLUTION = 1000000;
    
        // verifies that a value is greater than zero
        modifier greaterThanZero(uint256 _value) {
            _greaterThanZero(_value);
            _;
        }
    
        // error message binary size optimization
        function _greaterThanZero(uint256 _value) internal pure {
            require(_value > 0, "ERR_ZERO_VALUE");
        }
    
        // validates an address - currently only checks that it isn't null
        modifier validAddress(address _address) {
            _validAddress(_address);
            _;
        }
    
        // error message binary size optimization
        function _validAddress(address _address) internal pure {
            require(_address != address(0), "ERR_INVALID_ADDRESS");
        }
    
        // ensures that the portion is valid
        modifier validPortion(uint32 _portion) {
            _validPortion(_portion);
            _;
        }
    
        // error message binary size optimization
        function _validPortion(uint32 _portion) internal pure {
            require(_portion > 0 && _portion <= PPM_RESOLUTION, "ERR_INVALID_PORTION");
        }
    
        // validates an external address - currently only checks that it isn't null or this
        modifier validExternalAddress(address _address) {
            _validExternalAddress(_address);
            _;
        }
    
        // error message binary size optimization
        function _validExternalAddress(address _address) internal view {
            require(_address != address(0) && _address != address(this), "ERR_INVALID_EXTERNAL_ADDRESS");
        }
    
        // ensures that the fee is valid
        modifier validFee(uint32 fee) {
            _validFee(fee);
            _;
        }
    
        // error message binary size optimization
        function _validFee(uint32 fee) internal pure {
            require(fee <= PPM_RESOLUTION, "ERR_INVALID_FEE");
        }
    }
    
    // File: solidity/contracts/utility/interfaces/IOwned.sol
    
    
    pragma solidity 0.6.12;
    
    /*
        Owned contract interface
    */
    interface IOwned {
        // this function isn't since the compiler emits automatically generated getter functions as external
        function owner() external view returns (address);
    
        function transferOwnership(address _newOwner) external;
    
        function acceptOwnership() external;
    }
    
    // File: solidity/contracts/utility/Owned.sol
    
    
    pragma solidity 0.6.12;
    
    
    /**
     * @dev This contract provides support and utilities for contract ownership.
     */
    contract Owned is IOwned {
        address public override owner;
        address public newOwner;
    
        /**
         * @dev triggered when the owner is updated
         *
         * @param _prevOwner previous owner
         * @param _newOwner  new owner
         */
        event OwnerUpdate(address indexed _prevOwner, address indexed _newOwner);
    
        /**
         * @dev initializes a new Owned instance
         */
        constructor() public {
            owner = msg.sender;
        }
    
        // allows execution by the owner only
        modifier ownerOnly {
            _ownerOnly();
            _;
        }
    
        // error message binary size optimization
        function _ownerOnly() internal view {
            require(msg.sender == owner, "ERR_ACCESS_DENIED");
        }
    
        /**
         * @dev allows transferring the contract ownership
         * the new owner still needs to accept the transfer
         * can only be called by the contract owner
         *
         * @param _newOwner    new contract owner
         */
        function transferOwnership(address _newOwner) public override ownerOnly {
            require(_newOwner != owner, "ERR_SAME_OWNER");
            newOwner = _newOwner;
        }
    
        /**
         * @dev used by a new owner to accept an ownership transfer
         */
        function acceptOwnership() public override {
            require(msg.sender == newOwner, "ERR_ACCESS_DENIED");
            emit OwnerUpdate(owner, newOwner);
            owner = newOwner;
            newOwner = address(0);
        }
    }
    
    // File: solidity/contracts/converter/interfaces/IConverterAnchor.sol
    
    
    pragma solidity 0.6.12;
    
    
    /*
        Converter Anchor interface
    */
    interface IConverterAnchor is IOwned {
    
    }
    
    // File: solidity/contracts/token/interfaces/IDSToken.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    /*
        DSToken interface
    */
    interface IDSToken is IConverterAnchor, IERC20 {
        function issue(address _to, uint256 _amount) external;
    
        function destroy(address _from, uint256 _amount) external;
    }
    
    // File: solidity/contracts/token/interfaces/IReserveToken.sol
    
    
    pragma solidity 0.6.12;
    
    /**
     * @dev This contract is used to represent reserve tokens, which are tokens that can either be regular ERC20 tokens or
     * native ETH (represented by the NATIVE_TOKEN_ADDRESS address)
     *
     * Please note that this interface is intentionally doesn't inherit from IERC20, so that it'd be possible to effectively
     * override its balanceOf() function in the ReserveToken library
     */
    interface IReserveToken {
    
    }
    
    // File: @openzeppelin/contracts/token/ERC20/SafeERC20.sol
    
    
    
    pragma solidity >=0.6.0 <0.8.0;
    
    
    
    
    /**
     * @title SafeERC20
     * @dev Wrappers around ERC20 operations that throw on failure (when the token
     * contract returns false). Tokens that return no value (and instead revert or
     * throw on failure) are also supported, non-reverting calls are assumed to be
     * successful.
     * To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract,
     * which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
     */
    library SafeERC20 {
        using SafeMath for uint256;
        using Address for address;
    
        function safeTransfer(IERC20 token, address to, uint256 value) internal {
            _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
        }
    
        function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal {
            _callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value));
        }
    
        /**
         * @dev Deprecated. This function has issues similar to the ones found in
         * {IERC20-approve}, and its usage is discouraged.
         *
         * Whenever possible, use {safeIncreaseAllowance} and
         * {safeDecreaseAllowance} instead.
         */
        function safeApprove(IERC20 token, address spender, uint256 value) internal {
            // safeApprove should only be called when setting an initial allowance,
            // or when resetting it to zero. To increase and decrease it, use
            // 'safeIncreaseAllowance' and 'safeDecreaseAllowance'
            // solhint-disable-next-line max-line-length
            require((value == 0) || (token.allowance(address(this), spender) == 0),
                "SafeERC20: approve from non-zero to non-zero allowance"
            );
            _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value));
        }
    
        function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
            uint256 newAllowance = token.allowance(address(this), spender).add(value);
            _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
        }
    
        function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal {
            uint256 newAllowance = token.allowance(address(this), spender).sub(value, "SafeERC20: decreased allowance below zero");
            _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
        }
    
        /**
         * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
         * on the return value: the return value is optional (but if data is returned, it must not be false).
         * @param token The token targeted by the call.
         * @param data The call data (encoded using abi.encode or one of its variants).
         */
        function _callOptionalReturn(IERC20 token, bytes memory data) private {
            // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
            // we're implementing it ourselves. We use {Address.functionCall} to perform this call, which verifies that
            // the target address contains contract code and also asserts for success in the low-level call.
    
            bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed");
            if (returndata.length > 0) { // Return data is optional
                // solhint-disable-next-line max-line-length
                require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed");
            }
        }
    }
    
    // File: solidity/contracts/token/SafeERC20Ex.sol
    
    
    pragma solidity 0.6.12;
    
    
    /**
     * @dev Extends the SafeERC20 library with additional operations
     */
    library SafeERC20Ex {
        using SafeERC20 for IERC20;
    
        /**
         * @dev ensures that the spender has sufficient allowance
         *
         * @param token the address of the token to ensure
         * @param spender the address allowed to spend
         * @param amount the allowed amount to spend
         */
        function ensureApprove(
            IERC20 token,
            address spender,
            uint256 amount
        ) internal {
            if (amount == 0) {
                return;
            }
    
            uint256 allowance = token.allowance(address(this), spender);
            if (allowance >= amount) {
                return;
            }
    
            if (allowance > 0) {
                token.safeApprove(spender, 0);
            }
            token.safeApprove(spender, amount);
        }
    }
    
    // File: solidity/contracts/token/ReserveToken.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    /**
     * @dev This library implements ERC20 and SafeERC20 utilities for reserve tokens, which can be either ERC20 tokens or ETH
     */
    library ReserveToken {
        using SafeERC20 for IERC20;
        using SafeERC20Ex for IERC20;
    
        // the address that represents an ETH reserve
        IReserveToken public constant NATIVE_TOKEN_ADDRESS = IReserveToken(0xEeeeeEeeeEeEeeEeEeEeeEEEeeeeEeeeeeeeEEeE);
    
        /**
         * @dev returns whether the provided token represents an ERC20 or ETH reserve
         *
         * @param reserveToken the address of the reserve token
         *
         * @return whether the provided token represents an ERC20 or ETH reserve
         */
        function isNativeToken(IReserveToken reserveToken) internal pure returns (bool) {
            return reserveToken == NATIVE_TOKEN_ADDRESS;
        }
    
        /**
         * @dev returns the balance of the reserve token
         *
         * @param reserveToken the address of the reserve token
         * @param account the address of the account to check
         *
         * @return the balance of the reserve token
         */
        function balanceOf(IReserveToken reserveToken, address account) internal view returns (uint256) {
            if (isNativeToken(reserveToken)) {
                return account.balance;
            }
    
            return toIERC20(reserveToken).balanceOf(account);
        }
    
        /**
         * @dev transfers a specific amount of the reserve token
         *
         * @param reserveToken the address of the reserve token
         * @param to the destination address to transfer the amount to
         * @param amount the amount to transfer
         */
        function safeTransfer(
            IReserveToken reserveToken,
            address to,
            uint256 amount
        ) internal {
            if (amount == 0) {
                return;
            }
    
            if (isNativeToken(reserveToken)) {
                payable(to).transfer(amount);
            } else {
                toIERC20(reserveToken).safeTransfer(to, amount);
            }
        }
    
        /**
         * @dev transfers a specific amount of the reserve token from a specific holder using the allowance mechanism
         * this function ignores a reserve token which represents an ETH reserve
         *
         * @param reserveToken the address of the reserve token
         * @param from the source address to transfer the amount from
         * @param to the destination address to transfer the amount to
         * @param amount the amount to transfer
         */
        function safeTransferFrom(
            IReserveToken reserveToken,
            address from,
            address to,
            uint256 amount
        ) internal {
            if (amount == 0 || isNativeToken(reserveToken)) {
                return;
            }
    
            toIERC20(reserveToken).safeTransferFrom(from, to, amount);
        }
    
        /**
         * @dev ensures that the spender has sufficient allowance
         * this function ignores a reserve token which represents an ETH reserve
         *
         * @param reserveToken the address of the reserve token
         * @param spender the address allowed to spend
         * @param amount the allowed amount to spend
         */
        function ensureApprove(
            IReserveToken reserveToken,
            address spender,
            uint256 amount
        ) internal {
            if (isNativeToken(reserveToken)) {
                return;
            }
    
            toIERC20(reserveToken).ensureApprove(spender, amount);
        }
    
        /**
         * @dev utility function that converts an IReserveToken to an IERC20
         *
         * @param reserveToken the address of the reserve token
         *
         * @return an IERC20
         */
        function toIERC20(IReserveToken reserveToken) private pure returns (IERC20) {
            return IERC20(address(reserveToken));
        }
    }
    
    // File: solidity/contracts/converter/interfaces/IConverter.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    
    /*
        Converter interface
    */
    interface IConverter is IOwned {
        function converterType() external pure returns (uint16);
    
        function anchor() external view returns (IConverterAnchor);
    
        function isActive() external view returns (bool);
    
        function targetAmountAndFee(
            IReserveToken _sourceToken,
            IReserveToken _targetToken,
            uint256 _amount
        ) external view returns (uint256, uint256);
    
        function convert(
            IReserveToken _sourceToken,
            IReserveToken _targetToken,
            uint256 _amount,
            address _trader,
            address payable _beneficiary
        ) external payable returns (uint256);
    
        function conversionFee() external view returns (uint32);
    
        function maxConversionFee() external view returns (uint32);
    
        function reserveBalance(IReserveToken _reserveToken) external view returns (uint256);
    
        receive() external payable;
    
        function transferAnchorOwnership(address _newOwner) external;
    
        function acceptAnchorOwnership() external;
    
        function setConversionFee(uint32 _conversionFee) external;
    
        function addReserve(IReserveToken _token, uint32 _weight) external;
    
        function transferReservesOnUpgrade(address _newConverter) external;
    
        function onUpgradeComplete() external;
    
        // deprecated, backward compatibility
        function token() external view returns (IConverterAnchor);
    
        function transferTokenOwnership(address _newOwner) external;
    
        function acceptTokenOwnership() external;
    
        function connectors(IReserveToken _address)
            external
            view
            returns (
                uint256,
                uint32,
                bool,
                bool,
                bool
            );
    
        function getConnectorBalance(IReserveToken _connectorToken) external view returns (uint256);
    
        function connectorTokens(uint256 _index) external view returns (IReserveToken);
    
        function connectorTokenCount() external view returns (uint16);
    
        /**
         * @dev triggered when the converter is activated
         *
         * @param _type        converter type
         * @param _anchor      converter anchor
         * @param _activated   true if the converter was activated, false if it was deactivated
         */
        event Activation(uint16 indexed _type, IConverterAnchor indexed _anchor, bool indexed _activated);
    
        /**
         * @dev triggered when a conversion between two tokens occurs
         *
         * @param _fromToken       source reserve token
         * @param _toToken         target reserve token
         * @param _trader          wallet that initiated the trade
         * @param _amount          input amount in units of the source token
         * @param _return          output amount minus conversion fee in units of the target token
         * @param _conversionFee   conversion fee in units of the target token
         */
        event Conversion(
            IReserveToken indexed _fromToken,
            IReserveToken indexed _toToken,
            address indexed _trader,
            uint256 _amount,
            uint256 _return,
            int256 _conversionFee
        );
    
        /**
         * @dev triggered when the rate between two tokens in the converter changes
         * note that the event might be dispatched for rate updates between any two tokens in the converter
         *
         * @param  _token1 address of the first token
         * @param  _token2 address of the second token
         * @param  _rateN  rate of 1 unit of `_token1` in `_token2` (numerator)
         * @param  _rateD  rate of 1 unit of `_token1` in `_token2` (denominator)
         */
        event TokenRateUpdate(address indexed _token1, address indexed _token2, uint256 _rateN, uint256 _rateD);
    
        /**
         * @dev triggered when the conversion fee is updated
         *
         * @param  _prevFee    previous fee percentage, represented in ppm
         * @param  _newFee     new fee percentage, represented in ppm
         */
        event ConversionFeeUpdate(uint32 _prevFee, uint32 _newFee);
    }
    
    // File: solidity/contracts/converter/interfaces/IConverterRegistry.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    interface IConverterRegistry {
        function getAnchorCount() external view returns (uint256);
    
        function getAnchors() external view returns (address[] memory);
    
        function getAnchor(uint256 _index) external view returns (IConverterAnchor);
    
        function isAnchor(address _value) external view returns (bool);
    
        function getLiquidityPoolCount() external view returns (uint256);
    
        function getLiquidityPools() external view returns (address[] memory);
    
        function getLiquidityPool(uint256 _index) external view returns (IConverterAnchor);
    
        function isLiquidityPool(address _value) external view returns (bool);
    
        function getConvertibleTokenCount() external view returns (uint256);
    
        function getConvertibleTokens() external view returns (address[] memory);
    
        function getConvertibleToken(uint256 _index) external view returns (IReserveToken);
    
        function isConvertibleToken(address _value) external view returns (bool);
    
        function getConvertibleTokenAnchorCount(IReserveToken _convertibleToken) external view returns (uint256);
    
        function getConvertibleTokenAnchors(IReserveToken _convertibleToken) external view returns (address[] memory);
    
        function getConvertibleTokenAnchor(IReserveToken _convertibleToken, uint256 _index)
            external
            view
            returns (IConverterAnchor);
    
        function isConvertibleTokenAnchor(IReserveToken _convertibleToken, address _value) external view returns (bool);
    
        function getLiquidityPoolByConfig(
            uint16 _type,
            IReserveToken[] memory _reserveTokens,
            uint32[] memory _reserveWeights
        ) external view returns (IConverterAnchor);
    }
    
    // File: solidity/contracts/liquidity-protection/interfaces/ILiquidityProtectionStore.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    
    /*
        Liquidity Protection Store interface
    */
    interface ILiquidityProtectionStore is IOwned {
        function withdrawTokens(
            IReserveToken _token,
            address _to,
            uint256 _amount
        ) external;
    
        function protectedLiquidity(uint256 _id)
            external
            view
            returns (
                address,
                IDSToken,
                IReserveToken,
                uint256,
                uint256,
                uint256,
                uint256,
                uint256
            );
    
        function addProtectedLiquidity(
            address _provider,
            IDSToken _poolToken,
            IReserveToken _reserveToken,
            uint256 _poolAmount,
            uint256 _reserveAmount,
            uint256 _reserveRateN,
            uint256 _reserveRateD,
            uint256 _timestamp
        ) external returns (uint256);
    
        function updateProtectedLiquidityAmounts(
            uint256 _id,
            uint256 _poolNewAmount,
            uint256 _reserveNewAmount
        ) external;
    
        function removeProtectedLiquidity(uint256 _id) external;
    
        function lockedBalance(address _provider, uint256 _index) external view returns (uint256, uint256);
    
        function lockedBalanceRange(
            address _provider,
            uint256 _startIndex,
            uint256 _endIndex
        ) external view returns (uint256[] memory, uint256[] memory);
    
        function addLockedBalance(
            address _provider,
            uint256 _reserveAmount,
            uint256 _expirationTime
        ) external returns (uint256);
    
        function removeLockedBalance(address _provider, uint256 _index) external;
    
        function systemBalance(IReserveToken _poolToken) external view returns (uint256);
    
        function incSystemBalance(IReserveToken _poolToken, uint256 _poolAmount) external;
    
        function decSystemBalance(IReserveToken _poolToken, uint256 _poolAmount) external;
    }
    
    // File: solidity/contracts/liquidity-protection/interfaces/ILiquidityProtectionStats.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    /*
        Liquidity Protection Stats interface
    */
    interface ILiquidityProtectionStats {
        function increaseTotalAmounts(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
    
        function decreaseTotalAmounts(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
    
        function addProviderPool(address provider, IDSToken poolToken) external returns (bool);
    
        function removeProviderPool(address provider, IDSToken poolToken) external returns (bool);
    
        function totalPoolAmount(IDSToken poolToken) external view returns (uint256);
    
        function totalReserveAmount(IDSToken poolToken, IReserveToken reserveToken) external view returns (uint256);
    
        function totalProviderAmount(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken
        ) external view returns (uint256);
    
        function providerPools(address provider) external view returns (IDSToken[] memory);
    }
    
    // File: solidity/contracts/liquidity-protection/interfaces/ILiquidityProvisionEventsSubscriber.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    /**
     * @dev Liquidity provision events subscriber interface
     */
    interface ILiquidityProvisionEventsSubscriber {
        function onAddingLiquidity(
            address provider,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
    
        function onRemovingLiquidity(
            uint256 id,
            address provider,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
    }
    
    // File: solidity/contracts/liquidity-protection/interfaces/ILiquidityProtectionSettings.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    /*
        Liquidity Protection Store Settings interface
    */
    interface ILiquidityProtectionSettings {
        function isPoolWhitelisted(IConverterAnchor poolAnchor) external view returns (bool);
    
        function poolWhitelist() external view returns (address[] memory);
    
        function subscribers() external view returns (address[] memory);
    
        function isPoolSupported(IConverterAnchor poolAnchor) external view returns (bool);
    
        function minNetworkTokenLiquidityForMinting() external view returns (uint256);
    
        function defaultNetworkTokenMintingLimit() external view returns (uint256);
    
        function networkTokenMintingLimits(IConverterAnchor poolAnchor) external view returns (uint256);
    
        function addLiquidityDisabled(IConverterAnchor poolAnchor, IReserveToken reserveToken) external view returns (bool);
    
        function minProtectionDelay() external view returns (uint256);
    
        function maxProtectionDelay() external view returns (uint256);
    
        function minNetworkCompensation() external view returns (uint256);
    
        function lockDuration() external view returns (uint256);
    
        function averageRateMaxDeviation() external view returns (uint32);
    }
    
    // File: solidity/contracts/liquidity-protection/interfaces/ILiquidityProtectionSystemStore.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    /*
        Liquidity Protection System Store interface
    */
    interface ILiquidityProtectionSystemStore {
        function systemBalance(IERC20 poolToken) external view returns (uint256);
    
        function incSystemBalance(IERC20 poolToken, uint256 poolAmount) external;
    
        function decSystemBalance(IERC20 poolToken, uint256 poolAmount) external;
    
        function networkTokensMinted(IConverterAnchor poolAnchor) external view returns (uint256);
    
        function incNetworkTokensMinted(IConverterAnchor poolAnchor, uint256 amount) external;
    
        function decNetworkTokensMinted(IConverterAnchor poolAnchor, uint256 amount) external;
    }
    
    // File: solidity/contracts/liquidity-protection/interfaces/ITransferPositionCallback.sol
    
    
    pragma solidity 0.6.12;
    
    /**
     * @dev Transfer position event callback interface
     */
    interface ITransferPositionCallback {
        function onTransferPosition(
            uint256 newId,
            address provider,
            bytes calldata data
        ) external;
    }
    
    // File: solidity/contracts/utility/interfaces/ITokenHolder.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    /*
        Token Holder interface
    */
    interface ITokenHolder is IOwned {
        receive() external payable;
    
        function withdrawTokens(
            IReserveToken reserveToken,
            address payable to,
            uint256 amount
        ) external;
    
        function withdrawTokensMultiple(
            IReserveToken[] calldata reserveTokens,
            address payable to,
            uint256[] calldata amounts
        ) external;
    }
    
    // File: solidity/contracts/liquidity-protection/interfaces/ILiquidityProtection.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    
    
    
    
    
    /*
        Liquidity Protection interface
    */
    interface ILiquidityProtection {
        function store() external view returns (ILiquidityProtectionStore);
    
        function stats() external view returns (ILiquidityProtectionStats);
    
        function settings() external view returns (ILiquidityProtectionSettings);
    
        function systemStore() external view returns (ILiquidityProtectionSystemStore);
    
        function wallet() external view returns (ITokenHolder);
    
        function addLiquidityFor(
            address owner,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 amount
        ) external payable returns (uint256);
    
        function addLiquidity(
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 amount
        ) external payable returns (uint256);
    
        function removeLiquidity(uint256 id, uint32 portion) external;
    
        function transferPosition(uint256 id, address newProvider) external returns (uint256);
    
        function transferPositionAndNotify(
            uint256 id,
            address newProvider,
            ITransferPositionCallback callback,
            bytes calldata data
        ) external returns (uint256);
    }
    
    // File: solidity/contracts/liquidity-protection/LiquidityProtection.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    
    
    
    
    
    
    
    
    
    
    
    
    
    interface ILiquidityPoolConverter is IConverter {
        function addLiquidity(
            IReserveToken[] memory reserveTokens,
            uint256[] memory reserveAmounts,
            uint256 _minReturn
        ) external payable;
    
        function removeLiquidity(
            uint256 amount,
            IReserveToken[] memory reserveTokens,
            uint256[] memory _reserveMinReturnAmounts
        ) external;
    
        function recentAverageRate(IReserveToken reserveToken) external view returns (uint256, uint256);
    }
    
    /**
     * @dev This contract implements the liquidity protection mechanism.
     */
    contract LiquidityProtection is ILiquidityProtection, Utils, Owned, ReentrancyGuard, Time {
        using SafeMath for uint256;
        using ReserveToken for IReserveToken;
        using SafeERC20 for IERC20;
        using SafeERC20 for IDSToken;
        using SafeERC20Ex for IERC20;
        using MathEx for *;
    
        struct Position {
            address provider; // liquidity provider
            IDSToken poolToken; // pool token address
            IReserveToken reserveToken; // reserve token address
            uint256 poolAmount; // pool token amount
            uint256 reserveAmount; // reserve token amount
            uint256 reserveRateN; // rate of 1 protected reserve token in units of the other reserve token (numerator)
            uint256 reserveRateD; // rate of 1 protected reserve token in units of the other reserve token (denominator)
            uint256 timestamp; // timestamp
        }
    
        // various rates between the two reserve tokens. the rate is of 1 unit of the protected reserve token in units of the other reserve token
        struct PackedRates {
            uint128 addSpotRateN; // spot rate of 1 A in units of B when liquidity was added (numerator)
            uint128 addSpotRateD; // spot rate of 1 A in units of B when liquidity was added (denominator)
            uint128 removeSpotRateN; // spot rate of 1 A in units of B when liquidity is removed (numerator)
            uint128 removeSpotRateD; // spot rate of 1 A in units of B when liquidity is removed (denominator)
            uint128 removeAverageRateN; // average rate of 1 A in units of B when liquidity is removed (numerator)
            uint128 removeAverageRateD; // average rate of 1 A in units of B when liquidity is removed (denominator)
        }
    
        uint256 internal constant MAX_UINT128 = 2**128 - 1;
        uint256 internal constant MAX_UINT256 = uint256(-1);
    
        ILiquidityProtectionSettings private immutable _settings;
        ILiquidityProtectionStore private immutable _store;
        ILiquidityProtectionStats private immutable _stats;
        ILiquidityProtectionSystemStore private immutable _systemStore;
        ITokenHolder private immutable _wallet;
        IERC20 private immutable _networkToken;
        ITokenGovernance private immutable _networkTokenGovernance;
        IERC20 private immutable _govToken;
        ITokenGovernance private immutable _govTokenGovernance;
        ICheckpointStore private immutable _lastRemoveCheckpointStore;
    
        /**
         * @dev initializes a new LiquidityProtection contract
         *
         * @param settings liquidity protection settings
         * @param store liquidity protection store
         * @param stats liquidity protection stats
         * @param systemStore liquidity protection system store
         * @param wallet liquidity protection wallet
         * @param networkTokenGovernance network token governance
         * @param govTokenGovernance governance token governance
         * @param lastRemoveCheckpointStore last liquidity removal/unprotection checkpoints store
         */
        constructor(
            ILiquidityProtectionSettings settings,
            ILiquidityProtectionStore store,
            ILiquidityProtectionStats stats,
            ILiquidityProtectionSystemStore systemStore,
            ITokenHolder wallet,
            ITokenGovernance networkTokenGovernance,
            ITokenGovernance govTokenGovernance,
            ICheckpointStore lastRemoveCheckpointStore
        )
            public
            validAddress(address(settings))
            validAddress(address(store))
            validAddress(address(stats))
            validAddress(address(systemStore))
            validAddress(address(wallet))
            validAddress(address(lastRemoveCheckpointStore))
        {
            _settings = settings;
            _store = store;
            _stats = stats;
            _systemStore = systemStore;
            _wallet = wallet;
            _networkTokenGovernance = networkTokenGovernance;
            _govTokenGovernance = govTokenGovernance;
            _lastRemoveCheckpointStore = lastRemoveCheckpointStore;
    
            _networkToken = networkTokenGovernance.token();
            _govToken = govTokenGovernance.token();
        }
    
        // ensures that the pool is supported and whitelisted
        modifier poolSupportedAndWhitelisted(IConverterAnchor poolAnchor) {
            _poolSupported(poolAnchor);
            _poolWhitelisted(poolAnchor);
    
            _;
        }
    
        // ensures that add liquidity is enabled
        modifier addLiquidityEnabled(IConverterAnchor poolAnchor, IReserveToken reserveToken) {
            _addLiquidityEnabled(poolAnchor, reserveToken);
    
            _;
        }
    
        // error message binary size optimization
        function _poolSupported(IConverterAnchor poolAnchor) internal view {
            require(_settings.isPoolSupported(poolAnchor), "ERR_POOL_NOT_SUPPORTED");
        }
    
        // error message binary size optimization
        function _poolWhitelisted(IConverterAnchor poolAnchor) internal view {
            require(_settings.isPoolWhitelisted(poolAnchor), "ERR_POOL_NOT_WHITELISTED");
        }
    
        // error message binary size optimization
        function _addLiquidityEnabled(IConverterAnchor poolAnchor, IReserveToken reserveToken) internal view {
            require(!_settings.addLiquidityDisabled(poolAnchor, reserveToken), "ERR_ADD_LIQUIDITY_DISABLED");
        }
    
        // error message binary size optimization
        function verifyEthAmount(uint256 value) internal view {
            require(msg.value == value, "ERR_ETH_AMOUNT_MISMATCH");
        }
    
        /**
         * @dev returns the LP store
         *
         * @return the LP store
         */
        function store() external view override returns (ILiquidityProtectionStore) {
            return _store;
        }
    
        /**
         * @dev returns the LP stats
         *
         * @return the LP stats
         */
        function stats() external view override returns (ILiquidityProtectionStats) {
            return _stats;
        }
    
        /**
         * @dev returns the LP settings
         *
         * @return the LP settings
         */
        function settings() external view override returns (ILiquidityProtectionSettings) {
            return _settings;
        }
    
        /**
         * @dev returns the LP system store
         *
         * @return the LP system store
         */
        function systemStore() external view override returns (ILiquidityProtectionSystemStore) {
            return _systemStore;
        }
    
        /**
         * @dev returns the LP wallet
         *
         * @return the LP wallet
         */
        function wallet() external view override returns (ITokenHolder) {
            return _wallet;
        }
    
        /**
         * @dev accept ETH
         */
        receive() external payable {}
    
        /**
         * @dev transfers the ownership of the store
         * can only be called by the contract owner
         *
         * @param newOwner the new owner of the store
         */
        function transferStoreOwnership(address newOwner) external ownerOnly {
            _store.transferOwnership(newOwner);
        }
    
        /**
         * @dev accepts the ownership of the store
         * can only be called by the contract owner
         */
        function acceptStoreOwnership() external ownerOnly {
            _store.acceptOwnership();
        }
    
        /**
         * @dev transfers the ownership of the wallet
         * can only be called by the contract owner
         *
         * @param newOwner the new owner of the wallet
         */
        function transferWalletOwnership(address newOwner) external ownerOnly {
            _wallet.transferOwnership(newOwner);
        }
    
        /**
         * @dev accepts the ownership of the wallet
         * can only be called by the contract owner
         */
        function acceptWalletOwnership() external ownerOnly {
            _wallet.acceptOwnership();
        }
    
        /**
         * @dev adds protected liquidity to a pool for a specific recipient
         * also mints new governance tokens for the caller if the caller adds network tokens
         *
         * @param owner position owner
         * @param poolAnchor anchor of the pool
         * @param reserveToken reserve token to add to the pool
         * @param amount amount of tokens to add to the pool
         *
         * @return new position id
         */
        function addLiquidityFor(
            address owner,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 amount
        )
            external
            payable
            override
            protected
            validAddress(owner)
            poolSupportedAndWhitelisted(poolAnchor)
            addLiquidityEnabled(poolAnchor, reserveToken)
            greaterThanZero(amount)
            returns (uint256)
        {
            return addLiquidity(owner, poolAnchor, reserveToken, amount);
        }
    
        /**
         * @dev adds protected liquidity to a pool
         * also mints new governance tokens for the caller if the caller adds network tokens
         *
         * @param poolAnchor anchor of the pool
         * @param reserveToken reserve token to add to the pool
         * @param amount amount of tokens to add to the pool
         *
         * @return new position id
         */
        function addLiquidity(
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 amount
        )
            external
            payable
            override
            protected
            poolSupportedAndWhitelisted(poolAnchor)
            addLiquidityEnabled(poolAnchor, reserveToken)
            greaterThanZero(amount)
            returns (uint256)
        {
            return addLiquidity(msg.sender, poolAnchor, reserveToken, amount);
        }
    
        /**
         * @dev adds protected liquidity to a pool for a specific recipient
         * also mints new governance tokens for the caller if the caller adds network tokens
         *
         * @param owner position owner
         * @param poolAnchor anchor of the pool
         * @param reserveToken reserve token to add to the pool
         * @param amount amount of tokens to add to the pool
         *
         * @return new position id
         */
        function addLiquidity(
            address owner,
            IConverterAnchor poolAnchor,
            IReserveToken reserveToken,
            uint256 amount
        ) private returns (uint256) {
            if (isNetworkToken(reserveToken)) {
                verifyEthAmount(0);
                return addNetworkTokenLiquidity(owner, poolAnchor, amount);
            }
    
            // verify that ETH was passed with the call if needed
            verifyEthAmount(reserveToken.isNativeToken() ? amount : 0);
            return addBaseTokenLiquidity(owner, poolAnchor, reserveToken, amount);
        }
    
        /**
         * @dev adds network token liquidity to a pool
         * also mints new governance tokens for the caller
         *
         * @param owner position owner
         * @param poolAnchor anchor of the pool
         * @param amount amount of tokens to add to the pool
         *
         * @return new position id
         */
        function addNetworkTokenLiquidity(
            address owner,
            IConverterAnchor poolAnchor,
            uint256 amount
        ) internal returns (uint256) {
            IDSToken poolToken = IDSToken(address(poolAnchor));
            IReserveToken networkToken = IReserveToken(address(_networkToken));
    
            // get the rate between the pool token and the reserve
            Fraction memory poolRate = poolTokenRate(poolToken, networkToken);
    
            // calculate the amount of pool tokens based on the amount of reserve tokens
            uint256 poolTokenAmount = amount.mul(poolRate.d).div(poolRate.n);
    
            // remove the pool tokens from the system's ownership (will revert if not enough tokens are available)
            _systemStore.decSystemBalance(poolToken, poolTokenAmount);
    
            // add the position for the recipient
            uint256 id = addPosition(owner, poolToken, networkToken, poolTokenAmount, amount, time());
    
            // burns the network tokens from the caller. we need to transfer the tokens to the contract itself, since only
            // token holders can burn their tokens
            _networkToken.safeTransferFrom(msg.sender, address(this), amount);
            burnNetworkTokens(poolAnchor, amount);
    
            // mint governance tokens to the recipient
            _govTokenGovernance.mint(owner, amount);
    
            return id;
        }
    
        /**
         * @dev adds base token liquidity to a pool
         *
         * @param owner position owner
         * @param poolAnchor anchor of the pool
         * @param baseToken the base reserve token of the pool
         * @param amount amount of tokens to add to the pool
         *
         * @return new position id
         */
        function addBaseTokenLiquidity(
            address owner,
            IConverterAnchor poolAnchor,
            IReserveToken baseToken,
            uint256 amount
        ) internal returns (uint256) {
            IDSToken poolToken = IDSToken(address(poolAnchor));
            IReserveToken networkToken = IReserveToken(address(_networkToken));
    
            // get the reserve balances
            ILiquidityPoolConverter converter = ILiquidityPoolConverter(payable(ownedBy(poolAnchor)));
            (uint256 reserveBalanceBase, uint256 reserveBalanceNetwork) =
                converterReserveBalances(converter, baseToken, networkToken);
    
            require(reserveBalanceNetwork >= _settings.minNetworkTokenLiquidityForMinting(), "ERR_NOT_ENOUGH_LIQUIDITY");
    
            // calculate and mint the required amount of network tokens for adding liquidity
            uint256 newNetworkLiquidityAmount = amount.mul(reserveBalanceNetwork).div(reserveBalanceBase);
    
            // verify network token minting limit
            uint256 mintingLimit = _settings.networkTokenMintingLimits(poolAnchor);
            if (mintingLimit == 0) {
                mintingLimit = _settings.defaultNetworkTokenMintingLimit();
            }
    
            uint256 newNetworkTokensMinted = _systemStore.networkTokensMinted(poolAnchor).add(newNetworkLiquidityAmount);
            require(newNetworkTokensMinted <= mintingLimit, "ERR_MAX_AMOUNT_REACHED");
    
            // issue new network tokens to the system
            mintNetworkTokens(address(this), poolAnchor, newNetworkLiquidityAmount);
    
            // transfer the base tokens from the caller and approve the converter
            networkToken.ensureApprove(address(converter), newNetworkLiquidityAmount);
    
            if (!baseToken.isNativeToken()) {
                baseToken.safeTransferFrom(msg.sender, address(this), amount);
                baseToken.ensureApprove(address(converter), amount);
            }
    
            // add the liquidity to the converter
            addLiquidity(converter, baseToken, networkToken, amount, newNetworkLiquidityAmount, msg.value);
    
            // transfer the new pool tokens to the wallet
            uint256 poolTokenAmount = poolToken.balanceOf(address(this));
            poolToken.safeTransfer(address(_wallet), poolTokenAmount);
    
            // the system splits the pool tokens with the caller
            // increase the system's pool token balance and add the position for the caller
            _systemStore.incSystemBalance(poolToken, poolTokenAmount - poolTokenAmount / 2); // account for rounding errors
    
            return addPosition(owner, poolToken, baseToken, poolTokenAmount / 2, amount, time());
        }
    
        /**
         * @dev returns the single-side staking limits of a given pool
         *
         * @param poolAnchor anchor of the pool
         *
         * @return maximum amount of base tokens that can be single-side staked in the pool
         * @return maximum amount of network tokens that can be single-side staked in the pool
         */
        function poolAvailableSpace(IConverterAnchor poolAnchor)
            external
            view
            poolSupportedAndWhitelisted(poolAnchor)
            returns (uint256, uint256)
        {
            return (baseTokenAvailableSpace(poolAnchor), networkTokenAvailableSpace(poolAnchor));
        }
    
        /**
         * @dev returns the base-token staking limits of a given pool
         *
         * @param poolAnchor anchor of the pool
         *
         * @return maximum amount of base tokens that can be single-side staked in the pool
         */
        function baseTokenAvailableSpace(IConverterAnchor poolAnchor) internal view returns (uint256) {
            // get the pool converter
            ILiquidityPoolConverter converter = ILiquidityPoolConverter(payable(ownedBy(poolAnchor)));
    
            // get the base token
            IReserveToken networkToken = IReserveToken(address(_networkToken));
            IReserveToken baseToken = converterOtherReserve(converter, networkToken);
    
            // get the reserve balances
            (uint256 reserveBalanceBase, uint256 reserveBalanceNetwork) =
                converterReserveBalances(converter, baseToken, networkToken);
    
            // get the network token minting limit
            uint256 mintingLimit = _settings.networkTokenMintingLimits(poolAnchor);
            if (mintingLimit == 0) {
                mintingLimit = _settings.defaultNetworkTokenMintingLimit();
            }
    
            // get the amount of network tokens already minted for the pool
            uint256 networkTokensMinted = _systemStore.networkTokensMinted(poolAnchor);
    
            // get the amount of network tokens which can minted for the pool
            uint256 networkTokensCanBeMinted = MathEx.max(mintingLimit, networkTokensMinted) - networkTokensMinted;
    
            // return the maximum amount of base token liquidity that can be single-sided staked in the pool
            return networkTokensCanBeMinted.mul(reserveBalanceBase).div(reserveBalanceNetwork);
        }
    
        /**
         * @dev returns the network-token staking limits of a given pool
         *
         * @param poolAnchor anchor of the pool
         *
         * @return maximum amount of network tokens that can be single-side staked in the pool
         */
        function networkTokenAvailableSpace(IConverterAnchor poolAnchor) internal view returns (uint256) {
            // get the pool token
            IDSToken poolToken = IDSToken(address(poolAnchor));
            IReserveToken networkToken = IReserveToken(address(_networkToken));
    
            // get the pool token rate
            Fraction memory poolRate = poolTokenRate(poolToken, networkToken);
    
            // return the maximum amount of network token liquidity that can be single-sided staked in the pool
            return _systemStore.systemBalance(poolToken).mul(poolRate.n).add(poolRate.n).sub(1).div(poolRate.d);
        }
    
        /**
         * @dev returns the expected/actual amounts the provider will receive for removing liquidity
         * it's also possible to provide the remove liquidity time to get an estimation
         * for the return at that given point
         *
         * @param id position id
         * @param portion portion of liquidity to remove, in PPM
         * @param removeTimestamp time at which the liquidity is removed
         *
         * @return expected return amount in the reserve token
         * @return actual return amount in the reserve token
         * @return compensation in the network token
         */
        function removeLiquidityReturn(
            uint256 id,
            uint32 portion,
            uint256 removeTimestamp
        )
            external
            view
            validPortion(portion)
            returns (
                uint256,
                uint256,
                uint256
            )
        {
            Position memory pos = position(id);
    
            // verify input
            require(pos.provider != address(0), "ERR_INVALID_ID");
            require(removeTimestamp >= pos.timestamp, "ERR_INVALID_TIMESTAMP");
    
            // calculate the portion of the liquidity to remove
            if (portion != PPM_RESOLUTION) {
                pos.poolAmount = pos.poolAmount.mul(portion) / PPM_RESOLUTION;
                pos.reserveAmount = pos.reserveAmount.mul(portion) / PPM_RESOLUTION;
            }
    
            // get the various rates between the reserves upon adding liquidity and now
            PackedRates memory packedRates = packRates(pos.poolToken, pos.reserveToken, pos.reserveRateN, pos.reserveRateD);
    
            uint256 targetAmount =
                removeLiquidityTargetAmount(
                    pos.poolToken,
                    pos.reserveToken,
                    pos.poolAmount,
                    pos.reserveAmount,
                    packedRates,
                    pos.timestamp,
                    removeTimestamp
                );
    
            // for network token, the return amount is identical to the target amount
            if (isNetworkToken(pos.reserveToken)) {
                return (targetAmount, targetAmount, 0);
            }
    
            // handle base token return
    
            // calculate the amount of pool tokens required for liquidation
            // note that the amount is doubled since it's not possible to liquidate one reserve only
            Fraction memory poolRate = poolTokenRate(pos.poolToken, pos.reserveToken);
            uint256 poolAmount = targetAmount.mul(poolRate.d).div(poolRate.n / 2);
    
            // limit the amount of pool tokens by the amount the system/caller holds
            uint256 availableBalance = _systemStore.systemBalance(pos.poolToken).add(pos.poolAmount);
            poolAmount = poolAmount > availableBalance ? availableBalance : poolAmount;
    
            // calculate the base token amount received by liquidating the pool tokens
            // note that the amount is divided by 2 since the pool amount represents both reserves
            uint256 baseAmount = poolAmount.mul(poolRate.n / 2).div(poolRate.d);
            uint256 networkAmount = networkCompensation(targetAmount, baseAmount, packedRates);
    
            return (targetAmount, baseAmount, networkAmount);
        }
    
        /**
         * @dev removes protected liquidity from a pool
         * also burns governance tokens from the caller if the caller removes network tokens
         *
         * @param id position id
         * @param portion portion of liquidity to remove, in PPM
         */
        function removeLiquidity(uint256 id, uint32 portion) external override protected validPortion(portion) {
            removeLiquidity(msg.sender, id, portion);
        }
    
        /**
         * @dev removes a position from a pool
         * also burns governance tokens from the caller if the caller removes network tokens
         *
         * @param provider liquidity provider
         * @param id position id
         * @param portion portion of liquidity to remove, in PPM
         */
        function removeLiquidity(
            address payable provider,
            uint256 id,
            uint32 portion
        ) internal {
            // remove the position from the store and update the stats and the last removal checkpoint
            Position memory removedPos = removePosition(provider, id, portion);
    
            // add the pool tokens to the system
            _systemStore.incSystemBalance(removedPos.poolToken, removedPos.poolAmount);
    
            // if removing network token liquidity, burn the governance tokens from the caller. we need to transfer the
            // tokens to the contract itself, since only token holders can burn their tokens
            if (isNetworkToken(removedPos.reserveToken)) {
                _govToken.safeTransferFrom(provider, address(this), removedPos.reserveAmount);
                _govTokenGovernance.burn(removedPos.reserveAmount);
            }
    
            // get the various rates between the reserves upon adding liquidity and now
            PackedRates memory packedRates =
                packRates(removedPos.poolToken, removedPos.reserveToken, removedPos.reserveRateN, removedPos.reserveRateD);
    
            // verify rate deviation as early as possible in order to reduce gas-cost for failing transactions
            verifyRateDeviation(
                packedRates.removeSpotRateN,
                packedRates.removeSpotRateD,
                packedRates.removeAverageRateN,
                packedRates.removeAverageRateD
            );
    
            // get the target token amount
            uint256 targetAmount =
                removeLiquidityTargetAmount(
                    removedPos.poolToken,
                    removedPos.reserveToken,
                    removedPos.poolAmount,
                    removedPos.reserveAmount,
                    packedRates,
                    removedPos.timestamp,
                    time()
                );
    
            // remove network token liquidity
            if (isNetworkToken(removedPos.reserveToken)) {
                // mint network tokens for the caller and lock them
                mintNetworkTokens(address(_wallet), removedPos.poolToken, targetAmount);
                lockTokens(provider, targetAmount);
    
                return;
            }
    
            // remove base token liquidity
    
            // calculate the amount of pool tokens required for liquidation
            // note that the amount is doubled since it's not possible to liquidate one reserve only
            Fraction memory poolRate = poolTokenRate(removedPos.poolToken, removedPos.reserveToken);
            uint256 poolAmount = targetAmount.mul(poolRate.d).div(poolRate.n / 2);
    
            // limit the amount of pool tokens by the amount the system holds
            uint256 systemBalance = _systemStore.systemBalance(removedPos.poolToken);
            poolAmount = poolAmount > systemBalance ? systemBalance : poolAmount;
    
            // withdraw the pool tokens from the wallet
            IReserveToken poolToken = IReserveToken(address(removedPos.poolToken));
            _systemStore.decSystemBalance(removedPos.poolToken, poolAmount);
            _wallet.withdrawTokens(poolToken, address(this), poolAmount);
    
            // remove liquidity
            removeLiquidity(
                removedPos.poolToken,
                poolAmount,
                removedPos.reserveToken,
                IReserveToken(address(_networkToken))
            );
    
            // transfer the base tokens to the caller
            uint256 baseBalance = removedPos.reserveToken.balanceOf(address(this));
            removedPos.reserveToken.safeTransfer(provider, baseBalance);
    
            // compensate the caller with network tokens if still needed
            uint256 delta = networkCompensation(targetAmount, baseBalance, packedRates);
            if (delta > 0) {
                // check if there's enough network token balance, otherwise mint more
                uint256 networkBalance = _networkToken.balanceOf(address(this));
                if (networkBalance < delta) {
                    _networkTokenGovernance.mint(address(this), delta - networkBalance);
                }
    
                // lock network tokens for the caller
                _networkToken.safeTransfer(address(_wallet), delta);
                lockTokens(provider, delta);
            }
    
            // if the contract still holds network tokens, burn them
            uint256 networkBalance = _networkToken.balanceOf(address(this));
            if (networkBalance > 0) {
                burnNetworkTokens(removedPos.poolToken, networkBalance);
            }
        }
    
        /**
         * @dev returns the amount the provider will receive for removing liquidity
         * it's also possible to provide the remove liquidity rate & time to get an estimation
         * for the return at that given point
         *
         * @param poolToken pool token
         * @param reserveToken reserve token
         * @param poolAmount pool token amount when the liquidity was added
         * @param reserveAmount reserve token amount that was added
         * @param packedRates see `struct PackedRates`
         * @param addTimestamp time at which the liquidity was added
         * @param removeTimestamp time at which the liquidity is removed
         *
         * @return amount received for removing liquidity
         */
        function removeLiquidityTargetAmount(
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount,
            PackedRates memory packedRates,
            uint256 addTimestamp,
            uint256 removeTimestamp
        ) internal view returns (uint256) {
            // get the rate between the pool token and the reserve token
            Fraction memory poolRate = poolTokenRate(poolToken, reserveToken);
    
            // get the rate between the reserves upon adding liquidity and now
            Fraction memory addSpotRate = Fraction({ n: packedRates.addSpotRateN, d: packedRates.addSpotRateD });
            Fraction memory removeSpotRate = Fraction({ n: packedRates.removeSpotRateN, d: packedRates.removeSpotRateD });
            Fraction memory removeAverageRate =
                Fraction({ n: packedRates.removeAverageRateN, d: packedRates.removeAverageRateD });
    
            // calculate the protected amount of reserve tokens plus accumulated fee before compensation
            uint256 total = protectedAmountPlusFee(poolAmount, poolRate, addSpotRate, removeSpotRate);
    
            // calculate the impermanent loss
            Fraction memory loss = impLoss(addSpotRate, removeAverageRate);
    
            // calculate the protection level
            Fraction memory level = protectionLevel(addTimestamp, removeTimestamp);
    
            // calculate the compensation amount
            return compensationAmount(reserveAmount, MathEx.max(reserveAmount, total), loss, level);
        }
    
        /**
         * @dev transfers a position to a new provider
         *
         * @param id position id
         * @param newProvider the new provider
         *
         * @return new position id
         */
        function transferPosition(uint256 id, address newProvider)
            external
            override
            protected
            validAddress(newProvider)
            returns (uint256)
        {
            return transferPosition(msg.sender, id, newProvider);
        }
    
        /**
         * @dev transfers a position to a new provider and optionally notifies another contract
         *
         * @param id position id
         * @param newProvider the new provider
         * @param callback the callback contract to notify
         * @param data custom data provided to the callback
         *
         * @return new position id
         */
        function transferPositionAndNotify(
            uint256 id,
            address newProvider,
            ITransferPositionCallback callback,
            bytes calldata data
        ) external override protected validAddress(newProvider) validAddress(address(callback)) returns (uint256) {
            uint256 newId = transferPosition(msg.sender, id, newProvider);
    
            callback.onTransferPosition(newId, msg.sender, data);
    
            return newId;
        }
    
        /**
         * @dev transfers a position to a new provider
         *
         * @param provider the existing provider
         * @param id position id
         * @param newProvider the new provider
         *
         * @return new position id
         */
        function transferPosition(
            address provider,
            uint256 id,
            address newProvider
        ) internal returns (uint256) {
            // remove the position from the store and update the stats and the last removal checkpoint
            Position memory removedPos = removePosition(provider, id, PPM_RESOLUTION);
    
            // add the position to the store, update the stats, and return the new id
            return
                addPosition(
                    newProvider,
                    removedPos.poolToken,
                    removedPos.reserveToken,
                    removedPos.poolAmount,
                    removedPos.reserveAmount,
                    removedPos.timestamp
                );
        }
    
        /**
         * @dev allows the caller to claim network token balance that is no longer locked
         * note that the function can revert if the range is too large
         *
         * @param startIndex start index in the caller's list of locked balances
         * @param endIndex end index in the caller's list of locked balances (exclusive)
         */
        function claimBalance(uint256 startIndex, uint256 endIndex) external protected {
            // get the locked balances from the store
            (uint256[] memory amounts, uint256[] memory expirationTimes) =
                _store.lockedBalanceRange(msg.sender, startIndex, endIndex);
    
            uint256 totalAmount = 0;
            uint256 length = amounts.length;
            assert(length == expirationTimes.length);
    
            // reverse iteration since we're removing from the list
            for (uint256 i = length; i > 0; i--) {
                uint256 index = i - 1;
                if (expirationTimes[index] > time()) {
                    continue;
                }
    
                // remove the locked balance item
                _store.removeLockedBalance(msg.sender, startIndex + index);
                totalAmount = totalAmount.add(amounts[index]);
            }
    
            if (totalAmount > 0) {
                // transfer the tokens to the caller in a single call
                _wallet.withdrawTokens(IReserveToken(address(_networkToken)), msg.sender, totalAmount);
            }
        }
    
        /**
         * @dev returns the ROI for removing liquidity in the current state after providing liquidity with the given args
         * the function assumes full protection is in effect
         * return value is in PPM and can be larger than PPM_RESOLUTION for positive ROI, 1M = 0% ROI
         *
         * @param poolToken pool token
         * @param reserveToken reserve token
         * @param reserveAmount reserve token amount that was added
         * @param poolRateN rate of 1 pool token in reserve token units when the liquidity was added (numerator)
         * @param poolRateD rate of 1 pool token in reserve token units when the liquidity was added (denominator)
         * @param reserveRateN rate of 1 reserve token in the other reserve token units when the liquidity was added (numerator)
         * @param reserveRateD rate of 1 reserve token in the other reserve token units when the liquidity was added (denominator)
         *
         * @return ROI in PPM
         */
        function poolROI(
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 reserveAmount,
            uint256 poolRateN,
            uint256 poolRateD,
            uint256 reserveRateN,
            uint256 reserveRateD
        ) external view returns (uint256) {
            // calculate the amount of pool tokens based on the amount of reserve tokens
            uint256 poolAmount = reserveAmount.mul(poolRateD).div(poolRateN);
    
            // get the various rates between the reserves upon adding liquidity and now
            PackedRates memory packedRates = packRates(poolToken, reserveToken, reserveRateN, reserveRateD);
    
            // get the current return
            uint256 protectedReturn =
                removeLiquidityTargetAmount(
                    poolToken,
                    reserveToken,
                    poolAmount,
                    reserveAmount,
                    packedRates,
                    time().sub(_settings.maxProtectionDelay()),
                    time()
                );
    
            // calculate the ROI as the ratio between the current fully protected return and the initial amount
            return protectedReturn.mul(PPM_RESOLUTION).div(reserveAmount);
        }
    
        /**
         * @dev adds the position to the store and updates the stats
         *
         * @param provider the provider
         * @param poolToken pool token
         * @param reserveToken reserve token
         * @param poolAmount amount of pool tokens to protect
         * @param reserveAmount amount of reserve tokens to protect
         * @param timestamp the timestamp of the position
         *
         * @return new position id
         */
        function addPosition(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount,
            uint256 timestamp
        ) internal returns (uint256) {
            // verify rate deviation as early as possible in order to reduce gas-cost for failing transactions
            (Fraction memory spotRate, Fraction memory averageRate) = reserveTokenRates(poolToken, reserveToken);
            verifyRateDeviation(spotRate.n, spotRate.d, averageRate.n, averageRate.d);
    
            notifyEventSubscribersOnAddingLiquidity(provider, poolToken, reserveToken, poolAmount, reserveAmount);
    
            _stats.increaseTotalAmounts(provider, poolToken, reserveToken, poolAmount, reserveAmount);
            _stats.addProviderPool(provider, poolToken);
    
            return
                _store.addProtectedLiquidity(
                    provider,
                    poolToken,
                    reserveToken,
                    poolAmount,
                    reserveAmount,
                    spotRate.n,
                    spotRate.d,
                    timestamp
                );
        }
    
        /**
         * @dev removes the position from the store and updates the stats and the last removal checkpoint
         *
         * @param provider the provider
         * @param id position id
         * @param portion portion of the position to remove, in PPM
         *
         * @return a Position struct representing the removed liquidity
         */
        function removePosition(
            address provider,
            uint256 id,
            uint32 portion
        ) private returns (Position memory) {
            Position memory pos = providerPosition(id, provider);
    
            // verify that the pool is whitelisted
            _poolWhitelisted(pos.poolToken);
    
            // verify that the position is not removed on the same block in which it was added
            require(pos.timestamp < time(), "ERR_TOO_EARLY");
    
            if (portion == PPM_RESOLUTION) {
                notifyEventSubscribersOnRemovingLiquidity(
                    id,
                    pos.provider,
                    pos.poolToken,
                    pos.reserveToken,
                    pos.poolAmount,
                    pos.reserveAmount
                );
    
                // remove the position from the provider
                _store.removeProtectedLiquidity(id);
            } else {
                // remove a portion of the position from the provider
                uint256 fullPoolAmount = pos.poolAmount;
                uint256 fullReserveAmount = pos.reserveAmount;
                pos.poolAmount = pos.poolAmount.mul(portion) / PPM_RESOLUTION;
                pos.reserveAmount = pos.reserveAmount.mul(portion) / PPM_RESOLUTION;
    
                notifyEventSubscribersOnRemovingLiquidity(
                    id,
                    pos.provider,
                    pos.poolToken,
                    pos.reserveToken,
                    pos.poolAmount,
                    pos.reserveAmount
                );
    
                _store.updateProtectedLiquidityAmounts(
                    id,
                    fullPoolAmount - pos.poolAmount,
                    fullReserveAmount - pos.reserveAmount
                );
            }
    
            // update the statistics
            _stats.decreaseTotalAmounts(pos.provider, pos.poolToken, pos.reserveToken, pos.poolAmount, pos.reserveAmount);
    
            // update last liquidity removal checkpoint
            _lastRemoveCheckpointStore.addCheckpoint(provider);
    
            return pos;
        }
    
        /**
         * @dev locks network tokens for the provider and emits the tokens locked event
         *
         * @param provider tokens provider
         * @param amount amount of network tokens
         */
        function lockTokens(address provider, uint256 amount) internal {
            uint256 expirationTime = time().add(_settings.lockDuration());
            _store.addLockedBalance(provider, amount, expirationTime);
        }
    
        /**
         * @dev returns the rate of 1 pool token in reserve token units
         *
         * @param poolToken pool token
         * @param reserveToken reserve token
         */
        function poolTokenRate(IDSToken poolToken, IReserveToken reserveToken)
            internal
            view
            virtual
            returns (Fraction memory)
        {
            // get the pool token supply
            uint256 poolTokenSupply = poolToken.totalSupply();
    
            // get the reserve balance
            IConverter converter = IConverter(payable(ownedBy(poolToken)));
            uint256 reserveBalance = converter.getConnectorBalance(reserveToken);
    
            // for standard pools, 50% of the pool supply value equals the value of each reserve
            return Fraction({ n: reserveBalance.mul(2), d: poolTokenSupply });
        }
    
        /**
         * @dev returns the spot rate and average rate of 1 reserve token in the other reserve token units
         *
         * @param poolToken pool token
         * @param reserveToken reserve token
         *
         * @return spot rate
         * @return average rate
         */
        function reserveTokenRates(IDSToken poolToken, IReserveToken reserveToken)
            internal
            view
            returns (Fraction memory, Fraction memory)
        {
            ILiquidityPoolConverter converter = ILiquidityPoolConverter(payable(ownedBy(poolToken)));
            IReserveToken otherReserve = converterOtherReserve(converter, reserveToken);
    
            (uint256 spotRateN, uint256 spotRateD) = converterReserveBalances(converter, otherReserve, reserveToken);
            (uint256 averageRateN, uint256 averageRateD) = converter.recentAverageRate(reserveToken);
    
            return (Fraction({ n: spotRateN, d: spotRateD }), Fraction({ n: averageRateN, d: averageRateD }));
        }
    
        /**
         * @dev returns the various rates between the reserves
         *
         * @param poolToken pool token
         * @param reserveToken reserve token
         * @param addSpotRateN add spot rate numerator
         * @param addSpotRateD add spot rate denominator
         *
         * @return see `struct PackedRates`
         */
        function packRates(
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 addSpotRateN,
            uint256 addSpotRateD
        ) internal view returns (PackedRates memory) {
            (Fraction memory removeSpotRate, Fraction memory removeAverageRate) =
                reserveTokenRates(poolToken, reserveToken);
    
            assert(
                addSpotRateN <= MAX_UINT128 &&
                    addSpotRateD <= MAX_UINT128 &&
                    removeSpotRate.n <= MAX_UINT128 &&
                    removeSpotRate.d <= MAX_UINT128 &&
                    removeAverageRate.n <= MAX_UINT128 &&
                    removeAverageRate.d <= MAX_UINT128
            );
    
            return
                PackedRates({
                    addSpotRateN: uint128(addSpotRateN),
                    addSpotRateD: uint128(addSpotRateD),
                    removeSpotRateN: uint128(removeSpotRate.n),
                    removeSpotRateD: uint128(removeSpotRate.d),
                    removeAverageRateN: uint128(removeAverageRate.n),
                    removeAverageRateD: uint128(removeAverageRate.d)
                });
        }
    
        /**
         * @dev verifies that the deviation of the average rate from the spot rate is within the permitted range
         * for example, if the maximum permitted deviation is 5%, then verify `95/100 <= average/spot <= 100/95`
         *
         * @param spotRateN spot rate numerator
         * @param spotRateD spot rate denominator
         * @param averageRateN average rate numerator
         * @param averageRateD average rate denominator
         */
        function verifyRateDeviation(
            uint256 spotRateN,
            uint256 spotRateD,
            uint256 averageRateN,
            uint256 averageRateD
        ) internal view {
            uint256 ppmDelta = PPM_RESOLUTION - _settings.averageRateMaxDeviation();
            uint256 min = spotRateN.mul(averageRateD).mul(ppmDelta).mul(ppmDelta);
            uint256 mid = spotRateD.mul(averageRateN).mul(ppmDelta).mul(PPM_RESOLUTION);
            uint256 max = spotRateN.mul(averageRateD).mul(PPM_RESOLUTION).mul(PPM_RESOLUTION);
            require(min <= mid && mid <= max, "ERR_INVALID_RATE");
        }
    
        /**
         * @dev utility to add liquidity to a converter
         *
         * @param converter converter
         * @param reserveToken1 reserve token 1
         * @param reserveToken2 reserve token 2
         * @param reserveAmount1 reserve amount 1
         * @param reserveAmount2 reserve amount 2
         * @param value ETH amount to add
         */
        function addLiquidity(
            ILiquidityPoolConverter converter,
            IReserveToken reserveToken1,
            IReserveToken reserveToken2,
            uint256 reserveAmount1,
            uint256 reserveAmount2,
            uint256 value
        ) internal {
            IReserveToken[] memory reserveTokens = new IReserveToken[](2);
            uint256[] memory amounts = new uint256[](2);
            reserveTokens[0] = reserveToken1;
            reserveTokens[1] = reserveToken2;
            amounts[0] = reserveAmount1;
            amounts[1] = reserveAmount2;
            converter.addLiquidity{ value: value }(reserveTokens, amounts, 1);
        }
    
        /**
         * @dev utility to remove liquidity from a converter
         *
         * @param poolToken pool token of the converter
         * @param poolAmount amount of pool tokens to remove
         * @param reserveToken1 reserve token 1
         * @param reserveToken2 reserve token 2
         */
        function removeLiquidity(
            IDSToken poolToken,
            uint256 poolAmount,
            IReserveToken reserveToken1,
            IReserveToken reserveToken2
        ) internal {
            ILiquidityPoolConverter converter = ILiquidityPoolConverter(payable(ownedBy(poolToken)));
    
            IReserveToken[] memory reserveTokens = new IReserveToken[](2);
            uint256[] memory minReturns = new uint256[](2);
            reserveTokens[0] = reserveToken1;
            reserveTokens[1] = reserveToken2;
            minReturns[0] = 1;
            minReturns[1] = 1;
            converter.removeLiquidity(poolAmount, reserveTokens, minReturns);
        }
    
        /**
         * @dev returns a position from the store
         *
         * @param id position id
         *
         * @return a position
         */
        function position(uint256 id) internal view returns (Position memory) {
            Position memory pos;
            (
                pos.provider,
                pos.poolToken,
                pos.reserveToken,
                pos.poolAmount,
                pos.reserveAmount,
                pos.reserveRateN,
                pos.reserveRateD,
                pos.timestamp
            ) = _store.protectedLiquidity(id);
    
            return pos;
        }
    
        /**
         * @dev returns a position from the store
         *
         * @param id position id
         * @param provider authorized provider
         *
         * @return a position
         */
        function providerPosition(uint256 id, address provider) internal view returns (Position memory) {
            Position memory pos = position(id);
            require(pos.provider == provider, "ERR_ACCESS_DENIED");
    
            return pos;
        }
    
        /**
         * @dev returns the protected amount of reserve tokens plus accumulated fee before compensation
         *
         * @param poolAmount pool token amount when the liquidity was added
         * @param poolRate rate of 1 pool token in the related reserve token units
         * @param addRate rate of 1 reserve token in the other reserve token units when the liquidity was added
         * @param removeRate rate of 1 reserve token in the other reserve token units when the liquidity is removed
         *
         * @return protected amount of reserve tokens plus accumulated fee = sqrt(removeRate / addRate) * poolRate * poolAmount
         */
        function protectedAmountPlusFee(
            uint256 poolAmount,
            Fraction memory poolRate,
            Fraction memory addRate,
            Fraction memory removeRate
        ) internal pure returns (uint256) {
            uint256 n = MathEx.ceilSqrt(addRate.d.mul(removeRate.n)).mul(poolRate.n);
            uint256 d = MathEx.floorSqrt(addRate.n.mul(removeRate.d)).mul(poolRate.d);
    
            uint256 x = n * poolAmount;
            if (x / n == poolAmount) {
                return x / d;
            }
    
            (uint256 hi, uint256 lo) = n > poolAmount ? (n, poolAmount) : (poolAmount, n);
            (uint256 p, uint256 q) = MathEx.reducedRatio(hi, d, MAX_UINT256 / lo);
            uint256 min = (hi / d).mul(lo);
    
            if (q > 0) {
                return MathEx.max(min, (p * lo) / q);
            }
            return min;
        }
    
        /**
         * @dev returns the impermanent loss incurred due to the change in rates between the reserve tokens
         *
         * @param prevRate previous rate between the reserves
         * @param newRate new rate between the reserves
         *
         * @return impermanent loss (as a ratio)
         */
        function impLoss(Fraction memory prevRate, Fraction memory newRate) internal pure returns (Fraction memory) {
            uint256 ratioN = newRate.n.mul(prevRate.d);
            uint256 ratioD = newRate.d.mul(prevRate.n);
    
            uint256 prod = ratioN * ratioD;
            uint256 root =
                prod / ratioN == ratioD ? MathEx.floorSqrt(prod) : MathEx.floorSqrt(ratioN) * MathEx.floorSqrt(ratioD);
            uint256 sum = ratioN.add(ratioD);
    
            // the arithmetic below is safe because `x + y >= sqrt(x * y) * 2`
            if (sum % 2 == 0) {
                sum /= 2;
                return Fraction({ n: sum - root, d: sum });
            }
            return Fraction({ n: sum - root * 2, d: sum });
        }
    
        /**
         * @dev returns the protection level based on the timestamp and protection delays
         *
         * @param addTimestamp time at which the liquidity was added
         * @param removeTimestamp time at which the liquidity is removed
         *
         * @return protection level (as a ratio)
         */
        function protectionLevel(uint256 addTimestamp, uint256 removeTimestamp) internal view returns (Fraction memory) {
            uint256 timeElapsed = removeTimestamp.sub(addTimestamp);
            uint256 minProtectionDelay = _settings.minProtectionDelay();
            uint256 maxProtectionDelay = _settings.maxProtectionDelay();
            if (timeElapsed < minProtectionDelay) {
                return Fraction({ n: 0, d: 1 });
            }
    
            if (timeElapsed >= maxProtectionDelay) {
                return Fraction({ n: 1, d: 1 });
            }
    
            return Fraction({ n: timeElapsed, d: maxProtectionDelay });
        }
    
        /**
         * @dev returns the compensation amount based on the impermanent loss and the protection level
         *
         * @param amount protected amount in units of the reserve token
         * @param total amount plus fee in units of the reserve token
         * @param loss protection level (as a ratio between 0 and 1)
         * @param level impermanent loss (as a ratio between 0 and 1)
         *
         * @return compensation amount
         */
        function compensationAmount(
            uint256 amount,
            uint256 total,
            Fraction memory loss,
            Fraction memory level
        ) internal pure returns (uint256) {
            uint256 levelN = level.n.mul(amount);
            uint256 levelD = level.d;
            uint256 maxVal = MathEx.max(MathEx.max(levelN, levelD), total);
            (uint256 lossN, uint256 lossD) = MathEx.reducedRatio(loss.n, loss.d, MAX_UINT256 / maxVal);
            return total.mul(lossD.sub(lossN)).div(lossD).add(lossN.mul(levelN).div(lossD.mul(levelD)));
        }
    
        function networkCompensation(
            uint256 targetAmount,
            uint256 baseAmount,
            PackedRates memory packedRates
        ) internal view returns (uint256) {
            if (targetAmount <= baseAmount) {
                return 0;
            }
    
            // calculate the delta in network tokens
            uint256 delta =
                (targetAmount - baseAmount).mul(packedRates.removeAverageRateN).div(packedRates.removeAverageRateD);
    
            // the delta might be very small due to precision loss
            // in which case no compensation will take place (gas optimization)
            if (delta >= _settings.minNetworkCompensation()) {
                return delta;
            }
    
            return 0;
        }
    
        // utility to mint network tokens
        function mintNetworkTokens(
            address owner,
            IConverterAnchor poolAnchor,
            uint256 amount
        ) private {
            _systemStore.incNetworkTokensMinted(poolAnchor, amount);
            _networkTokenGovernance.mint(owner, amount);
        }
    
        // utility to burn network tokens
        function burnNetworkTokens(IConverterAnchor poolAnchor, uint256 amount) private {
            _systemStore.decNetworkTokensMinted(poolAnchor, amount);
            _networkTokenGovernance.burn(amount);
        }
    
        /**
         * @dev notify event subscribers on adding liquidity
         *
         * @param provider liquidity provider
         * @param poolToken pool token
         * @param reserveToken reserve token
         * @param poolAmount amount of pool tokens to protect
         * @param reserveAmount amount of reserve tokens to protect
         */
        function notifyEventSubscribersOnAddingLiquidity(
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) private {
            address[] memory subscribers = _settings.subscribers();
            uint256 length = subscribers.length;
            for (uint256 i = 0; i < length; i++) {
                ILiquidityProvisionEventsSubscriber(subscribers[i]).onAddingLiquidity(
                    provider,
                    poolToken,
                    reserveToken,
                    poolAmount,
                    reserveAmount
                );
            }
        }
    
        /**
         * @dev notify event subscribers on removing liquidity
         *
         * @param id position id
         * @param provider liquidity provider
         * @param poolToken pool token
         * @param reserveToken reserve token
         * @param poolAmount amount of pool tokens to protect
         * @param reserveAmount amount of reserve tokens to protect
         */
        function notifyEventSubscribersOnRemovingLiquidity(
            uint256 id,
            address provider,
            IDSToken poolToken,
            IReserveToken reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) private {
            address[] memory subscribers = _settings.subscribers();
            uint256 length = subscribers.length;
            for (uint256 i = 0; i < length; i++) {
                ILiquidityProvisionEventsSubscriber(subscribers[i]).onRemovingLiquidity(
                    id,
                    provider,
                    poolToken,
                    reserveToken,
                    poolAmount,
                    reserveAmount
                );
            }
        }
    
        // utility to get the reserve balances
        function converterReserveBalances(
            IConverter converter,
            IReserveToken reserveToken1,
            IReserveToken reserveToken2
        ) private view returns (uint256, uint256) {
            return (converter.getConnectorBalance(reserveToken1), converter.getConnectorBalance(reserveToken2));
        }
    
        // utility to get the other reserve
        function converterOtherReserve(IConverter converter, IReserveToken thisReserve)
            private
            view
            returns (IReserveToken)
        {
            IReserveToken otherReserve = converter.connectorTokens(0);
            return otherReserve != thisReserve ? otherReserve : converter.connectorTokens(1);
        }
    
        // utility to get the owner
        function ownedBy(IOwned owned) private view returns (address) {
            return owned.owner();
        }
    
        /**
         * @dev returns whether the provided reserve token is the network token
         *
         * @return whether the provided reserve token is the network token
         */
        function isNetworkToken(IReserveToken reserveToken) private view returns (bool) {
            return address(reserveToken) == address(_networkToken);
        }
    }
    

    File 4 of 5: LiquidityProtectionStats
    // File: @openzeppelin/contracts/utils/EnumerableSet.sol
    
    // SPDX-License-Identifier: MIT
    
    pragma solidity ^0.6.0;
    
    /**
     * @dev Library for managing
     * https://en.wikipedia.org/wiki/Set_(abstract_data_type)[sets] of primitive
     * types.
     *
     * Sets have the following properties:
     *
     * - Elements are added, removed, and checked for existence in constant time
     * (O(1)).
     * - Elements are enumerated in O(n). No guarantees are made on the ordering.
     *
     * ```
     * contract Example {
     *     // Add the library methods
     *     using EnumerableSet for EnumerableSet.AddressSet;
     *
     *     // Declare a set state variable
     *     EnumerableSet.AddressSet private mySet;
     * }
     * ```
     *
     * As of v3.0.0, only sets of type `address` (`AddressSet`) and `uint256`
     * (`UintSet`) are supported.
     */
    library EnumerableSet {
        // To implement this library for multiple types with as little code
        // repetition as possible, we write it in terms of a generic Set type with
        // bytes32 values.
        // The Set implementation uses private functions, and user-facing
        // implementations (such as AddressSet) are just wrappers around the
        // underlying Set.
        // This means that we can only create new EnumerableSets for types that fit
        // in bytes32.
    
        struct Set {
            // Storage of set values
            bytes32[] _values;
    
            // Position of the value in the `values` array, plus 1 because index 0
            // means a value is not in the set.
            mapping (bytes32 => uint256) _indexes;
        }
    
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function _add(Set storage set, bytes32 value) private returns (bool) {
            if (!_contains(set, value)) {
                set._values.push(value);
                // The value is stored at length-1, but we add 1 to all indexes
                // and use 0 as a sentinel value
                set._indexes[value] = set._values.length;
                return true;
            } else {
                return false;
            }
        }
    
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function _remove(Set storage set, bytes32 value) private returns (bool) {
            // We read and store the value's index to prevent multiple reads from the same storage slot
            uint256 valueIndex = set._indexes[value];
    
            if (valueIndex != 0) { // Equivalent to contains(set, value)
                // To delete an element from the _values array in O(1), we swap the element to delete with the last one in
                // the array, and then remove the last element (sometimes called as 'swap and pop').
                // This modifies the order of the array, as noted in {at}.
    
                uint256 toDeleteIndex = valueIndex - 1;
                uint256 lastIndex = set._values.length - 1;
    
                // When the value to delete is the last one, the swap operation is unnecessary. However, since this occurs
                // so rarely, we still do the swap anyway to avoid the gas cost of adding an 'if' statement.
    
                bytes32 lastvalue = set._values[lastIndex];
    
                // Move the last value to the index where the value to delete is
                set._values[toDeleteIndex] = lastvalue;
                // Update the index for the moved value
                set._indexes[lastvalue] = toDeleteIndex + 1; // All indexes are 1-based
    
                // Delete the slot where the moved value was stored
                set._values.pop();
    
                // Delete the index for the deleted slot
                delete set._indexes[value];
    
                return true;
            } else {
                return false;
            }
        }
    
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function _contains(Set storage set, bytes32 value) private view returns (bool) {
            return set._indexes[value] != 0;
        }
    
        /**
         * @dev Returns the number of values on the set. O(1).
         */
        function _length(Set storage set) private view returns (uint256) {
            return set._values.length;
        }
    
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function _at(Set storage set, uint256 index) private view returns (bytes32) {
            require(set._values.length > index, "EnumerableSet: index out of bounds");
            return set._values[index];
        }
    
        // AddressSet
    
        struct AddressSet {
            Set _inner;
        }
    
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function add(AddressSet storage set, address value) internal returns (bool) {
            return _add(set._inner, bytes32(uint256(value)));
        }
    
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function remove(AddressSet storage set, address value) internal returns (bool) {
            return _remove(set._inner, bytes32(uint256(value)));
        }
    
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function contains(AddressSet storage set, address value) internal view returns (bool) {
            return _contains(set._inner, bytes32(uint256(value)));
        }
    
        /**
         * @dev Returns the number of values in the set. O(1).
         */
        function length(AddressSet storage set) internal view returns (uint256) {
            return _length(set._inner);
        }
    
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function at(AddressSet storage set, uint256 index) internal view returns (address) {
            return address(uint256(_at(set._inner, index)));
        }
    
    
        // UintSet
    
        struct UintSet {
            Set _inner;
        }
    
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function add(UintSet storage set, uint256 value) internal returns (bool) {
            return _add(set._inner, bytes32(value));
        }
    
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function remove(UintSet storage set, uint256 value) internal returns (bool) {
            return _remove(set._inner, bytes32(value));
        }
    
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function contains(UintSet storage set, uint256 value) internal view returns (bool) {
            return _contains(set._inner, bytes32(value));
        }
    
        /**
         * @dev Returns the number of values on the set. O(1).
         */
        function length(UintSet storage set) internal view returns (uint256) {
            return _length(set._inner);
        }
    
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function at(UintSet storage set, uint256 index) internal view returns (uint256) {
            return uint256(_at(set._inner, index));
        }
    }
    
    // File: @openzeppelin/contracts/utils/Address.sol
    
    
    
    pragma solidity ^0.6.2;
    
    /**
     * @dev Collection of functions related to the address type
     */
    library Address {
        /**
         * @dev Returns true if `account` is a contract.
         *
         * [IMPORTANT]
         * ====
         * It is unsafe to assume that an address for which this function returns
         * false is an externally-owned account (EOA) and not a contract.
         *
         * Among others, `isContract` will return false for the following
         * types of addresses:
         *
         *  - an externally-owned account
         *  - a contract in construction
         *  - an address where a contract will be created
         *  - an address where a contract lived, but was destroyed
         * ====
         */
        function isContract(address account) internal view returns (bool) {
            // This method relies in extcodesize, which returns 0 for contracts in
            // construction, since the code is only stored at the end of the
            // constructor execution.
    
            uint256 size;
            // solhint-disable-next-line no-inline-assembly
            assembly { size := extcodesize(account) }
            return size > 0;
        }
    
        /**
         * @dev Replacement for Solidity's `transfer`: sends `amount` wei to
         * `recipient`, forwarding all available gas and reverting on errors.
         *
         * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
         * of certain opcodes, possibly making contracts go over the 2300 gas limit
         * imposed by `transfer`, making them unable to receive funds via
         * `transfer`. {sendValue} removes this limitation.
         *
         * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
         *
         * IMPORTANT: because control is transferred to `recipient`, care must be
         * taken to not create reentrancy vulnerabilities. Consider using
         * {ReentrancyGuard} or the
         * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
         */
        function sendValue(address payable recipient, uint256 amount) internal {
            require(address(this).balance >= amount, "Address: insufficient balance");
    
            // solhint-disable-next-line avoid-low-level-calls, avoid-call-value
            (bool success, ) = recipient.call{ value: amount }("");
            require(success, "Address: unable to send value, recipient may have reverted");
        }
    
        /**
         * @dev Performs a Solidity function call using a low level `call`. A
         * plain`call` is an unsafe replacement for a function call: use this
         * function instead.
         *
         * If `target` reverts with a revert reason, it is bubbled up by this
         * function (like regular Solidity function calls).
         *
         * Returns the raw returned data. To convert to the expected return value,
         * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`].
         *
         * Requirements:
         *
         * - `target` must be a contract.
         * - calling `target` with `data` must not revert.
         *
         * _Available since v3.1._
         */
        function functionCall(address target, bytes memory data) internal returns (bytes memory) {
          return functionCall(target, data, "Address: low-level call failed");
        }
    
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
         * `errorMessage` as a fallback revert reason when `target` reverts.
         *
         * _Available since v3.1._
         */
        function functionCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) {
            return _functionCallWithValue(target, data, 0, errorMessage);
        }
    
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but also transferring `value` wei to `target`.
         *
         * Requirements:
         *
         * - the calling contract must have an ETH balance of at least `value`.
         * - the called Solidity function must be `payable`.
         *
         * _Available since v3.1._
         */
        function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) {
            return functionCallWithValue(target, data, value, "Address: low-level call with value failed");
        }
    
        /**
         * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but
         * with `errorMessage` as a fallback revert reason when `target` reverts.
         *
         * _Available since v3.1._
         */
        function functionCallWithValue(address target, bytes memory data, uint256 value, string memory errorMessage) internal returns (bytes memory) {
            require(address(this).balance >= value, "Address: insufficient balance for call");
            return _functionCallWithValue(target, data, value, errorMessage);
        }
    
        function _functionCallWithValue(address target, bytes memory data, uint256 weiValue, string memory errorMessage) private returns (bytes memory) {
            require(isContract(target), "Address: call to non-contract");
    
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.call{ value: weiValue }(data);
            if (success) {
                return returndata;
            } else {
                // Look for revert reason and bubble it up if present
                if (returndata.length > 0) {
                    // The easiest way to bubble the revert reason is using memory via assembly
    
                    // solhint-disable-next-line no-inline-assembly
                    assembly {
                        let returndata_size := mload(returndata)
                        revert(add(32, returndata), returndata_size)
                    }
                } else {
                    revert(errorMessage);
                }
            }
        }
    }
    
    // File: @openzeppelin/contracts/GSN/Context.sol
    
    
    
    pragma solidity ^0.6.0;
    
    /*
     * @dev Provides information about the current execution context, including the
     * sender of the transaction and its data. While these are generally available
     * via msg.sender and msg.data, they should not be accessed in such a direct
     * manner, since when dealing with GSN meta-transactions the account sending and
     * paying for execution may not be the actual sender (as far as an application
     * is concerned).
     *
     * This contract is only required for intermediate, library-like contracts.
     */
    abstract contract Context {
        function _msgSender() internal view virtual returns (address payable) {
            return msg.sender;
        }
    
        function _msgData() internal view virtual returns (bytes memory) {
            this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691
            return msg.data;
        }
    }
    
    // File: @openzeppelin/contracts/access/AccessControl.sol
    
    
    
    pragma solidity ^0.6.0;
    
    
    
    
    /**
     * @dev Contract module that allows children to implement role-based access
     * control mechanisms.
     *
     * Roles are referred to by their `bytes32` identifier. These should be exposed
     * in the external API and be unique. The best way to achieve this is by
     * using `public constant` hash digests:
     *
     * ```
     * bytes32 public constant MY_ROLE = keccak256("MY_ROLE");
     * ```
     *
     * Roles can be used to represent a set of permissions. To restrict access to a
     * function call, use {hasRole}:
     *
     * ```
     * function foo() public {
     *     require(hasRole(MY_ROLE, msg.sender));
     *     ...
     * }
     * ```
     *
     * Roles can be granted and revoked dynamically via the {grantRole} and
     * {revokeRole} functions. Each role has an associated admin role, and only
     * accounts that have a role's admin role can call {grantRole} and {revokeRole}.
     *
     * By default, the admin role for all roles is `DEFAULT_ADMIN_ROLE`, which means
     * that only accounts with this role will be able to grant or revoke other
     * roles. More complex role relationships can be created by using
     * {_setRoleAdmin}.
     *
     * WARNING: The `DEFAULT_ADMIN_ROLE` is also its own admin: it has permission to
     * grant and revoke this role. Extra precautions should be taken to secure
     * accounts that have been granted it.
     */
    abstract contract AccessControl is Context {
        using EnumerableSet for EnumerableSet.AddressSet;
        using Address for address;
    
        struct RoleData {
            EnumerableSet.AddressSet members;
            bytes32 adminRole;
        }
    
        mapping (bytes32 => RoleData) private _roles;
    
        bytes32 public constant DEFAULT_ADMIN_ROLE = 0x00;
    
        /**
         * @dev Emitted when `newAdminRole` is set as ``role``'s admin role, replacing `previousAdminRole`
         *
         * `DEFAULT_ADMIN_ROLE` is the starting admin for all roles, despite
         * {RoleAdminChanged} not being emitted signaling this.
         *
         * _Available since v3.1._
         */
        event RoleAdminChanged(bytes32 indexed role, bytes32 indexed previousAdminRole, bytes32 indexed newAdminRole);
    
        /**
         * @dev Emitted when `account` is granted `role`.
         *
         * `sender` is the account that originated the contract call, an admin role
         * bearer except when using {_setupRole}.
         */
        event RoleGranted(bytes32 indexed role, address indexed account, address indexed sender);
    
        /**
         * @dev Emitted when `account` is revoked `role`.
         *
         * `sender` is the account that originated the contract call:
         *   - if using `revokeRole`, it is the admin role bearer
         *   - if using `renounceRole`, it is the role bearer (i.e. `account`)
         */
        event RoleRevoked(bytes32 indexed role, address indexed account, address indexed sender);
    
        /**
         * @dev Returns `true` if `account` has been granted `role`.
         */
        function hasRole(bytes32 role, address account) public view returns (bool) {
            return _roles[role].members.contains(account);
        }
    
        /**
         * @dev Returns the number of accounts that have `role`. Can be used
         * together with {getRoleMember} to enumerate all bearers of a role.
         */
        function getRoleMemberCount(bytes32 role) public view returns (uint256) {
            return _roles[role].members.length();
        }
    
        /**
         * @dev Returns one of the accounts that have `role`. `index` must be a
         * value between 0 and {getRoleMemberCount}, non-inclusive.
         *
         * Role bearers are not sorted in any particular way, and their ordering may
         * change at any point.
         *
         * WARNING: When using {getRoleMember} and {getRoleMemberCount}, make sure
         * you perform all queries on the same block. See the following
         * https://forum.openzeppelin.com/t/iterating-over-elements-on-enumerableset-in-openzeppelin-contracts/2296[forum post]
         * for more information.
         */
        function getRoleMember(bytes32 role, uint256 index) public view returns (address) {
            return _roles[role].members.at(index);
        }
    
        /**
         * @dev Returns the admin role that controls `role`. See {grantRole} and
         * {revokeRole}.
         *
         * To change a role's admin, use {_setRoleAdmin}.
         */
        function getRoleAdmin(bytes32 role) public view returns (bytes32) {
            return _roles[role].adminRole;
        }
    
        /**
         * @dev Grants `role` to `account`.
         *
         * If `account` had not been already granted `role`, emits a {RoleGranted}
         * event.
         *
         * Requirements:
         *
         * - the caller must have ``role``'s admin role.
         */
        function grantRole(bytes32 role, address account) public virtual {
            require(hasRole(_roles[role].adminRole, _msgSender()), "AccessControl: sender must be an admin to grant");
    
            _grantRole(role, account);
        }
    
        /**
         * @dev Revokes `role` from `account`.
         *
         * If `account` had been granted `role`, emits a {RoleRevoked} event.
         *
         * Requirements:
         *
         * - the caller must have ``role``'s admin role.
         */
        function revokeRole(bytes32 role, address account) public virtual {
            require(hasRole(_roles[role].adminRole, _msgSender()), "AccessControl: sender must be an admin to revoke");
    
            _revokeRole(role, account);
        }
    
        /**
         * @dev Revokes `role` from the calling account.
         *
         * Roles are often managed via {grantRole} and {revokeRole}: this function's
         * purpose is to provide a mechanism for accounts to lose their privileges
         * if they are compromised (such as when a trusted device is misplaced).
         *
         * If the calling account had been granted `role`, emits a {RoleRevoked}
         * event.
         *
         * Requirements:
         *
         * - the caller must be `account`.
         */
        function renounceRole(bytes32 role, address account) public virtual {
            require(account == _msgSender(), "AccessControl: can only renounce roles for self");
    
            _revokeRole(role, account);
        }
    
        /**
         * @dev Grants `role` to `account`.
         *
         * If `account` had not been already granted `role`, emits a {RoleGranted}
         * event. Note that unlike {grantRole}, this function doesn't perform any
         * checks on the calling account.
         *
         * [WARNING]
         * ====
         * This function should only be called from the constructor when setting
         * up the initial roles for the system.
         *
         * Using this function in any other way is effectively circumventing the admin
         * system imposed by {AccessControl}.
         * ====
         */
        function _setupRole(bytes32 role, address account) internal virtual {
            _grantRole(role, account);
        }
    
        /**
         * @dev Sets `adminRole` as ``role``'s admin role.
         *
         * Emits a {RoleAdminChanged} event.
         */
        function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual {
            emit RoleAdminChanged(role, _roles[role].adminRole, adminRole);
            _roles[role].adminRole = adminRole;
        }
    
        function _grantRole(bytes32 role, address account) private {
            if (_roles[role].members.add(account)) {
                emit RoleGranted(role, account, _msgSender());
            }
        }
    
        function _revokeRole(bytes32 role, address account) private {
            if (_roles[role].members.remove(account)) {
                emit RoleRevoked(role, account, _msgSender());
            }
        }
    }
    
    // File: @openzeppelin/contracts/math/SafeMath.sol
    
    
    
    pragma solidity ^0.6.0;
    
    /**
     * @dev Wrappers over Solidity's arithmetic operations with added overflow
     * checks.
     *
     * Arithmetic operations in Solidity wrap on overflow. This can easily result
     * in bugs, because programmers usually assume that an overflow raises an
     * error, which is the standard behavior in high level programming languages.
     * `SafeMath` restores this intuition by reverting the transaction when an
     * operation overflows.
     *
     * Using this library instead of the unchecked operations eliminates an entire
     * class of bugs, so it's recommended to use it always.
     */
    library SafeMath {
        /**
         * @dev Returns the addition of two unsigned integers, reverting on
         * overflow.
         *
         * Counterpart to Solidity's `+` operator.
         *
         * Requirements:
         *
         * - Addition cannot overflow.
         */
        function add(uint256 a, uint256 b) internal pure returns (uint256) {
            uint256 c = a + b;
            require(c >= a, "SafeMath: addition overflow");
    
            return c;
        }
    
        /**
         * @dev Returns the subtraction of two unsigned integers, reverting on
         * overflow (when the result is negative).
         *
         * Counterpart to Solidity's `-` operator.
         *
         * Requirements:
         *
         * - Subtraction cannot overflow.
         */
        function sub(uint256 a, uint256 b) internal pure returns (uint256) {
            return sub(a, b, "SafeMath: subtraction overflow");
        }
    
        /**
         * @dev Returns the subtraction of two unsigned integers, reverting with custom message on
         * overflow (when the result is negative).
         *
         * Counterpart to Solidity's `-` operator.
         *
         * Requirements:
         *
         * - Subtraction cannot overflow.
         */
        function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b <= a, errorMessage);
            uint256 c = a - b;
    
            return c;
        }
    
        /**
         * @dev Returns the multiplication of two unsigned integers, reverting on
         * overflow.
         *
         * Counterpart to Solidity's `*` operator.
         *
         * Requirements:
         *
         * - Multiplication cannot overflow.
         */
        function mul(uint256 a, uint256 b) internal pure returns (uint256) {
            // Gas optimization: this is cheaper than requiring 'a' not being zero, but the
            // benefit is lost if 'b' is also tested.
            // See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522
            if (a == 0) {
                return 0;
            }
    
            uint256 c = a * b;
            require(c / a == b, "SafeMath: multiplication overflow");
    
            return c;
        }
    
        /**
         * @dev Returns the integer division of two unsigned integers. Reverts on
         * division by zero. The result is rounded towards zero.
         *
         * Counterpart to Solidity's `/` operator. Note: this function uses a
         * `revert` opcode (which leaves remaining gas untouched) while Solidity
         * uses an invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function div(uint256 a, uint256 b) internal pure returns (uint256) {
            return div(a, b, "SafeMath: division by zero");
        }
    
        /**
         * @dev Returns the integer division of two unsigned integers. Reverts with custom message on
         * division by zero. The result is rounded towards zero.
         *
         * Counterpart to Solidity's `/` operator. Note: this function uses a
         * `revert` opcode (which leaves remaining gas untouched) while Solidity
         * uses an invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b > 0, errorMessage);
            uint256 c = a / b;
            // assert(a == b * c + a % b); // There is no case in which this doesn't hold
    
            return c;
        }
    
        /**
         * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
         * Reverts when dividing by zero.
         *
         * Counterpart to Solidity's `%` operator. This function uses a `revert`
         * opcode (which leaves remaining gas untouched) while Solidity uses an
         * invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function mod(uint256 a, uint256 b) internal pure returns (uint256) {
            return mod(a, b, "SafeMath: modulo by zero");
        }
    
        /**
         * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
         * Reverts with custom message when dividing by zero.
         *
         * Counterpart to Solidity's `%` operator. This function uses a `revert`
         * opcode (which leaves remaining gas untouched) while Solidity uses an
         * invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b != 0, errorMessage);
            return a % b;
        }
    }
    
    // File: solidity/contracts/utility/interfaces/IOwned.sol
    
    
    pragma solidity 0.6.12;
    
    /*
        Owned contract interface
    */
    interface IOwned {
        // this function isn't since the compiler emits automatically generated getter functions as external
        function owner() external view returns (address);
    
        function transferOwnership(address _newOwner) external;
    
        function acceptOwnership() external;
    }
    
    // File: solidity/contracts/converter/interfaces/IConverterAnchor.sol
    
    
    pragma solidity 0.6.12;
    
    
    /*
        Converter Anchor interface
    */
    interface IConverterAnchor is IOwned {
    
    }
    
    // File: solidity/contracts/token/interfaces/IERC20Token.sol
    
    
    pragma solidity 0.6.12;
    
    /*
        ERC20 Standard Token interface
    */
    interface IERC20Token {
        function name() external view returns (string memory);
    
        function symbol() external view returns (string memory);
    
        function decimals() external view returns (uint8);
    
        function totalSupply() external view returns (uint256);
    
        function balanceOf(address _owner) external view returns (uint256);
    
        function allowance(address _owner, address _spender) external view returns (uint256);
    
        function transfer(address _to, uint256 _value) external returns (bool);
    
        function transferFrom(
            address _from,
            address _to,
            uint256 _value
        ) external returns (bool);
    
        function approve(address _spender, uint256 _value) external returns (bool);
    }
    
    // File: solidity/contracts/token/interfaces/IDSToken.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    /*
        DSToken interface
    */
    interface IDSToken is IConverterAnchor, IERC20Token {
        function issue(address _to, uint256 _amount) external;
    
        function destroy(address _from, uint256 _amount) external;
    }
    
    // File: solidity/contracts/liquidity-protection/interfaces/ILiquidityProtectionStats.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    /*
        Liquidity Protection Stats interface
    */
    interface ILiquidityProtectionStats {
        function increaseTotalAmounts(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
    
        function decreaseTotalAmounts(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external;
    
        function addProviderPool(address provider, IDSToken poolToken) external returns (bool);
    
        function removeProviderPool(address provider, IDSToken poolToken) external returns (bool);
    
        function totalPoolAmount(IDSToken poolToken) external view returns (uint256);
    
        function totalReserveAmount(IDSToken poolToken, IERC20Token reserveToken) external view returns (uint256);
    
        function totalProviderAmount(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken
        ) external view returns (uint256);
    
        function providerPools(address provider) external view returns (IDSToken[] memory);
    }
    
    // File: solidity/contracts/liquidity-protection/LiquidityProtectionStats.sol
    
    
    pragma solidity 0.6.12;
    
    
    
    
    
    
    
    /**
     * @dev This contract aggregates the statistics of the liquidity protection mechanism.
     */
    contract LiquidityProtectionStats is ILiquidityProtectionStats, AccessControl {
        using EnumerableSet for EnumerableSet.AddressSet;
        using SafeMath for uint256;
    
        bytes32 public constant ROLE_SUPERVISOR = keccak256("ROLE_SUPERVISOR");
        bytes32 public constant ROLE_SEEDER = keccak256("ROLE_SEEDER");
        bytes32 public constant ROLE_OWNER = keccak256("ROLE_OWNER");
    
        mapping(IDSToken => uint256) private _totalPoolAmounts;
        mapping(IDSToken => mapping(IERC20Token => uint256)) private _totalReserveAmounts;
        mapping(address => mapping(IDSToken => mapping(IERC20Token => uint256))) private _totalProviderAmounts;
    
        mapping(address => EnumerableSet.AddressSet) private _providerPools;
    
        // allows execution only by an owner
        modifier ownerOnly {
            _hasRole(ROLE_OWNER);
            _;
        }
    
        // allows execution only by a seeder
        modifier seederOnly {
            _hasRole(ROLE_SEEDER);
            _;
        }
    
        // error message binary size optimization
        function _hasRole(bytes32 role) internal view {
            require(hasRole(role, msg.sender), "ERR_ACCESS_DENIED");
        }
    
        constructor() public {
            // set up administrative roles
            _setRoleAdmin(ROLE_SUPERVISOR, ROLE_SUPERVISOR);
            _setRoleAdmin(ROLE_SEEDER, ROLE_SUPERVISOR);
            _setRoleAdmin(ROLE_OWNER, ROLE_SUPERVISOR);
    
            // allow the deployer to initially govern the contract
            _setupRole(ROLE_SUPERVISOR, msg.sender);
        }
    
        /**
         * @dev increases the total amounts
         * can only be executed only by an owner
         *
         * @param provider          liquidity provider address
         * @param poolToken         pool token address
         * @param reserveToken      reserve token address
         * @param poolAmount        pool token amount
         * @param reserveAmount     reserve token amount
         */
        function increaseTotalAmounts(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external override ownerOnly {
            _totalPoolAmounts[poolToken] = _totalPoolAmounts[poolToken].add(poolAmount);
            _totalReserveAmounts[poolToken][reserveToken] = _totalReserveAmounts[poolToken][reserveToken].add(
                reserveAmount
            );
            _totalProviderAmounts[provider][poolToken][reserveToken] = _totalProviderAmounts[provider][poolToken][
                reserveToken
            ]
                .add(reserveAmount);
        }
    
        /**
         * @dev decreases the total amounts
         * can only be executed only by an owner
         *
         * @param provider          liquidity provider address
         * @param poolToken         pool token address
         * @param reserveToken      reserve token address
         * @param poolAmount        pool token amount
         * @param reserveAmount     reserve token amount
         */
        function decreaseTotalAmounts(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken,
            uint256 poolAmount,
            uint256 reserveAmount
        ) external override ownerOnly {
            _totalPoolAmounts[poolToken] = _totalPoolAmounts[poolToken].sub(poolAmount);
            _totalReserveAmounts[poolToken][reserveToken] = _totalReserveAmounts[poolToken][reserveToken].sub(
                reserveAmount
            );
            _totalProviderAmounts[provider][poolToken][reserveToken] = _totalProviderAmounts[provider][poolToken][
                reserveToken
            ]
                .sub(reserveAmount);
        }
    
        /**
         * @dev adds a pool to the list of pools of a liquidity provider
         * can only be executed only by an owner
         *
         * @param provider  liquidity provider address
         * @param poolToken pool token address
         */
        function addProviderPool(address provider, IDSToken poolToken) external override ownerOnly returns (bool) {
            return _providerPools[provider].add(address(poolToken));
        }
    
        /**
         * @dev removes a pool from the list of pools of a liquidity provider
         * can only be executed only by an owner
         *
         * @param provider  liquidity provider address
         * @param poolToken pool token address
         */
        function removeProviderPool(address provider, IDSToken poolToken) external override ownerOnly returns (bool) {
            return _providerPools[provider].remove(address(poolToken));
        }
    
        /**
         * @dev returns the total amount of protected pool tokens
         *
         * @param poolToken pool token address
         * @return total amount of protected pool tokens
         */
        function totalPoolAmount(IDSToken poolToken) external view override returns (uint256) {
            return _totalPoolAmounts[poolToken];
        }
    
        /**
         * @dev returns the total amount of protected reserve tokens
         *
         * @param poolToken     pool token address
         * @param reserveToken  reserve token address
         * @return total amount of protected reserve tokens
         */
        function totalReserveAmount(IDSToken poolToken, IERC20Token reserveToken) external view override returns (uint256) {
            return _totalReserveAmounts[poolToken][reserveToken];
        }
    
        /**
         * @dev returns the total amount of a liquidity provider's protected reserve tokens
         *
         * @param provider      liquidity provider address
         * @param poolToken     pool token address
         * @param reserveToken  reserve token address
         * @return total amount of the liquidity provider's protected reserve tokens
         */
        function totalProviderAmount(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken
        ) external view override returns (uint256) {
            return _totalProviderAmounts[provider][poolToken][reserveToken];
        }
    
        /**
         * @dev returns the list of pools of a liquidity provider
         *
         * @param provider  liquidity provider address
         * @return pool tokens
         */
        function providerPools(address provider) external view override returns (IDSToken[] memory) {
            EnumerableSet.AddressSet storage set = _providerPools[provider];
            uint256 length = set.length();
            IDSToken[] memory arr = new IDSToken[](length);
            for (uint256 i = 0; i < length; i++) {
                arr[i] = IDSToken(set.at(i));
            }
            return arr;
        }
    
        /**
         * @dev seeds the total amount of protected pool tokens
         * can only be executed only by a seeder
         *
         * @param poolTokens    pool token addresses
         * @param poolAmounts   pool token amounts
         */
        function seedPoolAmounts(IDSToken[] calldata poolTokens, uint256[] calldata poolAmounts) external seederOnly {
            uint256 length = poolTokens.length;
            for (uint256 i = 0; i < length; i++) {
                _totalPoolAmounts[poolTokens[i]] = poolAmounts[i];
            }
        }
    
        /**
         * @dev seeds the total amount of protected reserve tokens
         * can only be executed only by a seeder
         *
         * @param poolTokens        pool token addresses
         * @param reserveTokens     reserve token addresses
         * @param reserveAmounts    reserve token amounts
         */
        function seedReserveAmounts(
            IDSToken[] calldata poolTokens,
            IERC20Token[] calldata reserveTokens,
            uint256[] calldata reserveAmounts
        ) external seederOnly {
            uint256 length = poolTokens.length;
            for (uint256 i = 0; i < length; i++) {
                _totalReserveAmounts[poolTokens[i]][reserveTokens[i]] = reserveAmounts[i];
            }
        }
    
        /**
         * @dev seeds the total amount of protected reserve tokens per liquidity provider
         * can only be executed only by a seeder
         *
         * @param providers         liquidity provider addresses
         * @param poolTokens        pool token addresses
         * @param reserveTokens     reserve token addresses
         * @param reserveAmounts    reserve token amounts
         */
        function seedProviderAmounts(
            address[] calldata providers,
            IDSToken[] calldata poolTokens,
            IERC20Token[] calldata reserveTokens,
            uint256[] calldata reserveAmounts
        ) external seederOnly {
            uint256 length = providers.length;
            for (uint256 i = 0; i < length; i++) {
                _totalProviderAmounts[providers[i]][poolTokens[i]][reserveTokens[i]] = reserveAmounts[i];
            }
        }
    
        /**
         * @dev seeds the list of pools per liquidity provider
         * can only be executed only by a seeder
         *
         * @param providers     liquidity provider addresses
         * @param poolTokens    pool token addresses
         */
        function seedProviderPools(address[] calldata providers, IDSToken[] calldata poolTokens) external seederOnly {
            uint256 length = providers.length;
            for (uint256 i = 0; i < length; i++) {
                _providerPools[providers[i]].add(address(poolTokens[i]));
            }
        }
    }
    

    File 5 of 5: StakingRewardsStore
    // SPDX-License-Identifier: MIT
    pragma solidity 0.6.12;
    import "@bancor/contracts/solidity/contracts/token/interfaces/IDSToken.sol";
    import "@bancor/contracts/solidity/contracts/token/interfaces/IERC20Token.sol";
    struct PoolProgram {
        uint256 startTime;
        uint256 endTime;
        uint256 rewardRate;
        IERC20Token[2] reserveTokens;
        uint32[2] rewardShares;
    }
    struct PoolRewards {
        uint256 lastUpdateTime;
        uint256 rewardPerToken;
        uint256 totalClaimedRewards;
    }
    struct ProviderRewards {
        uint256 rewardPerToken;
        uint256 pendingBaseRewards;
        uint256 totalClaimedRewards;
        uint256 effectiveStakingTime;
        uint256 baseRewardsDebt;
        uint32 baseRewardsDebtMultiplier;
    }
    interface IStakingRewardsStore {
        function isPoolParticipating(IDSToken poolToken) external view returns (bool);
        function isReserveParticipating(IDSToken poolToken, IERC20Token reserveToken) external view returns (bool);
        function addPoolProgram(
            IDSToken poolToken,
            IERC20Token[2] calldata reserveTokens,
            uint32[2] calldata rewardShares,
            uint256 endTime,
            uint256 rewardRate
        ) external;
        function removePoolProgram(IDSToken poolToken) external;
        function setPoolProgramEndTime(IDSToken poolToken, uint256 newEndTime) external;
        function poolProgram(IDSToken poolToken)
            external
            view
            returns (
                uint256,
                uint256,
                uint256,
                IERC20Token[2] memory,
                uint32[2] memory
            );
        function poolPrograms()
            external
            view
            returns (
                IDSToken[] memory,
                uint256[] memory,
                uint256[] memory,
                uint256[] memory,
                IERC20Token[2][] memory,
                uint32[2][] memory
            );
        function poolRewards(IDSToken poolToken, IERC20Token reserveToken)
            external
            view
            returns (
                uint256,
                uint256,
                uint256
            );
        function updatePoolRewardsData(
            IDSToken poolToken,
            IERC20Token reserveToken,
            uint256 lastUpdateTime,
            uint256 rewardPerToken,
            uint256 totalClaimedRewards
        ) external;
        function providerRewards(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken
        )
            external
            view
            returns (
                uint256,
                uint256,
                uint256,
                uint256,
                uint256,
                uint32
            );
        function updateProviderRewardsData(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken,
            uint256 rewardPerToken,
            uint256 pendingBaseRewards,
            uint256 totalClaimedRewards,
            uint256 effectiveStakingTime,
            uint256 baseRewardsDebt,
            uint32 baseRewardsDebtMultiplier
        ) external;
        function updateProviderLastClaimTime(address provider) external;
        function providerLastClaimTime(address provider) external view returns (uint256);
    }
    // SPDX-License-Identifier: MIT
    pragma solidity 0.6.12;
    import "@openzeppelin/contracts/math/SafeMath.sol";
    import "@openzeppelin/contracts/access/AccessControl.sol";
    import "@openzeppelin/contracts/utils/EnumerableSet.sol";
    import "@bancor/contracts/solidity/contracts/utility/Utils.sol";
    import "@bancor/contracts/solidity/contracts/utility/Time.sol";
    import "@bancor/contracts/solidity/contracts/utility/interfaces/IOwned.sol";
    import "@bancor/contracts/solidity/contracts/converter/interfaces/IConverter.sol";
    import "@bancor/contracts/solidity/contracts/token/interfaces/IDSToken.sol";
    import "@bancor/contracts/solidity/contracts/token/interfaces/IERC20Token.sol";
    import "./IStakingRewardsStore.sol";
    /**
     * @dev This contract stores staking rewards liquidity and pool specific data
     */
    contract StakingRewardsStore is IStakingRewardsStore, AccessControl, Utils, Time {
        using SafeMath for uint32;
        using SafeMath for uint256;
        using EnumerableSet for EnumerableSet.AddressSet;
        // the supervisor role is used to globally govern the contract and its governing roles.
        bytes32 public constant ROLE_SUPERVISOR = keccak256("ROLE_SUPERVISOR");
        // the owner role is used to set the values in the store.
        bytes32 public constant ROLE_OWNER = keccak256("ROLE_OWNER");
        // the manager role is used to manage the programs in the store.
        bytes32 public constant ROLE_MANAGER = keccak256("ROLE_MANAGER");
        // the seeder roles is used to seed the store with past values.
        bytes32 public constant ROLE_SEEDER = keccak256("ROLE_SEEDER");
        uint32 private constant PPM_RESOLUTION = 1000000;
        // the mapping between pool tokens and their respective rewards program information.
        mapping(IDSToken => PoolProgram) private _programs;
        // the set of participating pools.
        EnumerableSet.AddressSet private _pools;
        // the mapping between pools, reserve tokens, and their rewards.
        mapping(IDSToken => mapping(IERC20Token => PoolRewards)) internal _poolRewards;
        // the mapping between pools, reserve tokens, and provider specific rewards.
        mapping(address => mapping(IDSToken => mapping(IERC20Token => ProviderRewards))) internal _providerRewards;
        // the mapping between providers and their respective last claim times.
        mapping(address => uint256) private _providerLastClaimTimes;
        /**
         * @dev triggered when a program is being added
         *
         * @param poolToken the pool token representing the rewards pool
         * @param startTime the starting time of the program
         * @param endTime the ending time of the program
         * @param rewardRate the program's rewards rate per-second
         */
        event PoolProgramAdded(IDSToken indexed poolToken, uint256 startTime, uint256 endTime, uint256 rewardRate);
        /**
         * @dev triggered when a program is being removed
         *
         * @param poolToken the pool token representing the rewards pool
         */
        event PoolProgramRemoved(IDSToken indexed poolToken);
        /**
         * @dev triggered when provider's last claim time is being updated
         *
         * @param provider the owner of the liquidity
         * @param claimTime the time of the last claim
         */
        event ProviderLastClaimTimeUpdated(address indexed provider, uint256 claimTime);
        /**
         * @dev initializes a new StakingRewardsStore contract
         */
        constructor() public {
            // set up administrative roles.
            _setRoleAdmin(ROLE_SUPERVISOR, ROLE_SUPERVISOR);
            _setRoleAdmin(ROLE_OWNER, ROLE_SUPERVISOR);
            _setRoleAdmin(ROLE_MANAGER, ROLE_SUPERVISOR);
            _setRoleAdmin(ROLE_SEEDER, ROLE_SUPERVISOR);
            // allow the deployer to initially govern the contract.
            _setupRole(ROLE_SUPERVISOR, _msgSender());
        }
        // allows execution only by an owner
        modifier onlyOwner {
            _hasRole(ROLE_OWNER);
            _;
        }
        // allows execution only by an manager
        modifier onlyManager {
            _hasRole(ROLE_MANAGER);
            _;
        }
        // allows execution only by a seeder
        modifier onlySeeder {
            _hasRole(ROLE_SEEDER);
            _;
        }
        // error message binary size optimization
        function _hasRole(bytes32 role) internal view {
            require(hasRole(role, msg.sender), "ERR_ACCESS_DENIED");
        }
        /**
         * @dev returns whether the specified pool is participating in the rewards program
         *
         * @param poolToken the pool token representing the rewards pool
         *
         * @return whether the specified pool is participating in the rewards program
         */
        function isPoolParticipating(IDSToken poolToken) public view override returns (bool) {
            PoolProgram memory program = _programs[poolToken];
            return program.endTime > time();
        }
        /**
         * @dev returns whether the specified reserve is participating in the rewards program
         *
         * @param poolToken the pool token representing the rewards pool
         * @param reserveToken the reserve token of the added liquidity
         *
         * @return whether the specified reserve is participating in the rewards program
         */
        function isReserveParticipating(IDSToken poolToken, IERC20Token reserveToken) public view override returns (bool) {
            if (!isPoolParticipating(poolToken)) {
                return false;
            }
            PoolProgram memory program = _programs[poolToken];
            return program.reserveTokens[0] == reserveToken || program.reserveTokens[1] == reserveToken;
        }
        /**
         * @dev adds a program
         *
         * @param poolToken the pool token representing the rewards pool
         * @param reserveTokens the reserve tokens representing the liquidity in the pool
         * @param rewardShares reserve reward shares
         * @param endTime the ending time of the program
         * @param rewardRate the program's rewards rate per-second
         */
        function addPoolProgram(
            IDSToken poolToken,
            IERC20Token[2] calldata reserveTokens,
            uint32[2] calldata rewardShares,
            uint256 endTime,
            uint256 rewardRate
        ) external override onlyManager validAddress(address(poolToken)) {
            uint256 currentTime = time();
            addPoolProgram(poolToken, reserveTokens, rewardShares, currentTime, endTime, rewardRate);
            emit PoolProgramAdded(poolToken, currentTime, endTime, rewardRate);
        }
        /**
         * @dev adds past programs
         *
         * @param poolTokens pool tokens representing the rewards pool
         * @param reserveTokens reserve tokens representing the liquidity in the pool
         * @param rewardShares reserve reward shares
         * @param startTime starting times of the program
         * @param endTimes ending times of the program
         * @param rewardRates program's rewards rate per-second
         */
        function addPastPoolPrograms(
            IDSToken[] calldata poolTokens,
            IERC20Token[2][] calldata reserveTokens,
            uint32[2][] calldata rewardShares,
            uint256[] calldata startTime,
            uint256[] calldata endTimes,
            uint256[] calldata rewardRates
        ) external onlySeeder {
            uint256 length = poolTokens.length;
            require(
                length == reserveTokens.length &&
                    length == rewardShares.length &&
                    length == startTime.length &&
                    length == endTimes.length &&
                    length == rewardRates.length,
                "ERR_INVALID_LENGTH"
            );
            for (uint256 i = 0; i < length; ++i) {
                addPastPoolProgram(
                    poolTokens[i],
                    reserveTokens[i],
                    rewardShares[i],
                    startTime[i],
                    endTimes[i],
                    rewardRates[i]
                );
            }
        }
        /**
         * @dev adds a past program
         *
         * @param poolToken the pool token representing the rewards pool
         * @param reserveTokens the reserve tokens representing the liquidity in the pool
         * @param rewardShares reserve reward shares
         * @param startTime the starting time of the program
         * @param endTime the ending time of the program
         * @param rewardRate the program's rewards rate per-second
         */
        function addPastPoolProgram(
            IDSToken poolToken,
            IERC20Token[2] calldata reserveTokens,
            uint32[2] calldata rewardShares,
            uint256 startTime,
            uint256 endTime,
            uint256 rewardRate
        ) private validAddress(address(poolToken)) {
            require(startTime < time(), "ERR_INVALID_TIME");
            addPoolProgram(poolToken, reserveTokens, rewardShares, startTime, endTime, rewardRate);
        }
        /**
         * @dev adds a program
         *
         * @param poolToken the pool token representing the rewards pool
         * @param reserveTokens the reserve tokens representing the liquidity in the pool
         * @param rewardShares reserve reward shares
         * @param endTime the ending time of the program
         * @param rewardRate the program's rewards rate per-second
         */
        function addPoolProgram(
            IDSToken poolToken,
            IERC20Token[2] calldata reserveTokens,
            uint32[2] calldata rewardShares,
            uint256 startTime,
            uint256 endTime,
            uint256 rewardRate
        ) private {
            require(startTime < endTime && endTime > time(), "ERR_INVALID_DURATION");
            require(rewardRate > 0, "ERR_ZERO_VALUE");
            require(rewardShares[0].add(rewardShares[1]) == PPM_RESOLUTION, "ERR_INVALID_REWARD_SHARES");
            require(_pools.add(address(poolToken)), "ERR_ALREADY_PARTICIPATING");
            PoolProgram storage program = _programs[poolToken];
            program.startTime = startTime;
            program.endTime = endTime;
            program.rewardRate = rewardRate;
            program.rewardShares = rewardShares;
            // verify that reserve tokens correspond to the pool.
            IConverter converter = IConverter(payable(IConverterAnchor(poolToken).owner()));
            uint256 length = converter.connectorTokenCount();
            require(length == 2, "ERR_POOL_NOT_SUPPORTED");
            require(
                (address(converter.connectorTokens(0)) == address(reserveTokens[0]) &&
                    address(converter.connectorTokens(1)) == address(reserveTokens[1])) ||
                    (address(converter.connectorTokens(0)) == address(reserveTokens[1]) &&
                        address(converter.connectorTokens(1)) == address(reserveTokens[0])),
                "ERR_INVALID_RESERVE_TOKENS"
            );
            program.reserveTokens = reserveTokens;
        }
        /**
         * @dev removes a program
         *
         * @param poolToken the pool token representing the rewards pool
         */
        function removePoolProgram(IDSToken poolToken) external override onlyManager {
            require(_pools.remove(address(poolToken)), "ERR_POOL_NOT_PARTICIPATING");
            delete _programs[poolToken];
            emit PoolProgramRemoved(poolToken);
        }
        /**
         * @dev updates the ending time of a program
         * note that the new ending time must be in the future
         *
         * @param poolToken the pool token representing the rewards pool
         * @param newEndTime the new ending time of the program
         */
        function setPoolProgramEndTime(IDSToken poolToken, uint256 newEndTime) external override onlyManager {
            require(isPoolParticipating(poolToken), "ERR_POOL_NOT_PARTICIPATING");
            PoolProgram storage program = _programs[poolToken];
            require(newEndTime > time(), "ERR_INVALID_DURATION");
            program.endTime = newEndTime;
        }
        /**
         * @dev returns a program
         *
         * @return the program's starting and ending times
         */
        function poolProgram(IDSToken poolToken)
            external
            view
            override
            returns (
                uint256,
                uint256,
                uint256,
                IERC20Token[2] memory,
                uint32[2] memory
            )
        {
            PoolProgram memory program = _programs[poolToken];
            return (program.startTime, program.endTime, program.rewardRate, program.reserveTokens, program.rewardShares);
        }
        /**
         * @dev returns all programs
         *
         * @return all programs
         */
        function poolPrograms()
            external
            view
            override
            returns (
                IDSToken[] memory,
                uint256[] memory,
                uint256[] memory,
                uint256[] memory,
                IERC20Token[2][] memory,
                uint32[2][] memory
            )
        {
            uint256 length = _pools.length();
            IDSToken[] memory poolTokens = new IDSToken[](length);
            uint256[] memory startTimes = new uint256[](length);
            uint256[] memory endTimes = new uint256[](length);
            uint256[] memory rewardRates = new uint256[](length);
            IERC20Token[2][] memory reserveTokens = new IERC20Token[2][](length);
            uint32[2][] memory rewardShares = new uint32[2][](length);
            for (uint256 i = 0; i < length; ++i) {
                IDSToken poolToken = IDSToken(_pools.at(i));
                PoolProgram memory program = _programs[poolToken];
                poolTokens[i] = poolToken;
                startTimes[i] = program.startTime;
                endTimes[i] = program.endTime;
                rewardRates[i] = program.rewardRate;
                reserveTokens[i] = program.reserveTokens;
                rewardShares[i] = program.rewardShares;
            }
            return (poolTokens, startTimes, endTimes, rewardRates, reserveTokens, rewardShares);
        }
        /**
         * @dev returns the rewards data of a specific reserve in a specific pool
         *
         * @param poolToken the pool token representing the rewards pool
         * @param reserveToken the reserve token in the rewards pool
         *
         * @return rewards data
         */
        function poolRewards(IDSToken poolToken, IERC20Token reserveToken)
            external
            view
            override
            returns (
                uint256,
                uint256,
                uint256
            )
        {
            PoolRewards memory data = _poolRewards[poolToken][reserveToken];
            return (data.lastUpdateTime, data.rewardPerToken, data.totalClaimedRewards);
        }
        /**
         * @dev updates the reward data of a specific reserve in a specific pool
         *
         * @param poolToken the pool token representing the rewards pool
         * @param reserveToken the reserve token in the rewards pool
         * @param lastUpdateTime the last update time
         * @param rewardPerToken the new reward rate per-token
         * @param totalClaimedRewards the total claimed rewards up until now
         */
        function updatePoolRewardsData(
            IDSToken poolToken,
            IERC20Token reserveToken,
            uint256 lastUpdateTime,
            uint256 rewardPerToken,
            uint256 totalClaimedRewards
        ) external override onlyOwner {
            PoolRewards storage data = _poolRewards[poolToken][reserveToken];
            data.lastUpdateTime = lastUpdateTime;
            data.rewardPerToken = rewardPerToken;
            data.totalClaimedRewards = totalClaimedRewards;
        }
        /**
         * @dev seeds pool rewards data for multiple pools
         *
         * @param poolTokens pool tokens representing the rewards pool
         * @param reserveTokens reserve tokens representing the liquidity in the pool
         * @param lastUpdateTimes last update times (for both the network and reserve tokens)
         * @param rewardsPerToken reward rates per-token (for both the network and reserve tokens)
         * @param totalClaimedRewards total claimed rewards up until now (for both the network and reserve tokens)
         */
        function setPoolsRewardData(
            IDSToken[] calldata poolTokens,
            IERC20Token[] calldata reserveTokens,
            uint256[] calldata lastUpdateTimes,
            uint256[] calldata rewardsPerToken,
            uint256[] calldata totalClaimedRewards
        ) external onlySeeder {
            uint256 length = poolTokens.length;
            require(
                length == reserveTokens.length && length == lastUpdateTimes.length && length == rewardsPerToken.length,
                "ERR_INVALID_LENGTH"
            );
            for (uint256 i = 0; i < length; ++i) {
                IDSToken poolToken = poolTokens[i];
                _validAddress(address(poolToken));
                IERC20Token reserveToken = reserveTokens[i];
                _validAddress(address(reserveToken));
                PoolRewards storage data = _poolRewards[poolToken][reserveToken];
                data.lastUpdateTime = lastUpdateTimes[i];
                data.rewardPerToken = rewardsPerToken[i];
                data.totalClaimedRewards = totalClaimedRewards[i];
            }
        }
        /**
         * @dev returns rewards data of a specific provider
         *
         * @param provider the owner of the liquidity
         * @param poolToken the pool token representing the rewards pool
         * @param reserveToken the reserve token in the rewards pool
         *
         * @return rewards data
         */
        function providerRewards(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken
        )
            external
            view
            override
            returns (
                uint256,
                uint256,
                uint256,
                uint256,
                uint256,
                uint32
            )
        {
            ProviderRewards memory data = _providerRewards[provider][poolToken][reserveToken];
            return (
                data.rewardPerToken,
                data.pendingBaseRewards,
                data.totalClaimedRewards,
                data.effectiveStakingTime,
                data.baseRewardsDebt,
                data.baseRewardsDebtMultiplier
            );
        }
        /**
         * @dev updates provider rewards data
         *
         * @param provider the owner of the liquidity
         * @param poolToken the pool token representing the rewards pool
         * @param reserveToken the reserve token in the rewards pool
         * @param rewardPerToken the new reward rate per-token
         * @param pendingBaseRewards the updated pending base rewards
         * @param totalClaimedRewards the total claimed rewards up until now
         * @param effectiveStakingTime the new effective staking time
         * @param baseRewardsDebt the updated base rewards debt
         * @param baseRewardsDebtMultiplier the updated base rewards debt multiplier
         */
        function updateProviderRewardsData(
            address provider,
            IDSToken poolToken,
            IERC20Token reserveToken,
            uint256 rewardPerToken,
            uint256 pendingBaseRewards,
            uint256 totalClaimedRewards,
            uint256 effectiveStakingTime,
            uint256 baseRewardsDebt,
            uint32 baseRewardsDebtMultiplier
        ) external override onlyOwner {
            ProviderRewards storage data = _providerRewards[provider][poolToken][reserveToken];
            data.rewardPerToken = rewardPerToken;
            data.pendingBaseRewards = pendingBaseRewards;
            data.totalClaimedRewards = totalClaimedRewards;
            data.effectiveStakingTime = effectiveStakingTime;
            data.baseRewardsDebt = baseRewardsDebt;
            data.baseRewardsDebtMultiplier = baseRewardsDebtMultiplier;
        }
        /**
         * @dev seeds specific provider's reward data for multiple providers
         *
         * @param poolToken the pool token representing the rewards pool
         * @param reserveToken the reserve token in the rewards pool
         * @param providers owners of the liquidity
         * @param rewardsPerToken new reward rates per-token
         * @param pendingBaseRewards updated pending base rewards
         * @param totalClaimedRewards total claimed rewards up until now
         * @param effectiveStakingTimes new effective staking times
         * @param baseRewardsDebts updated base rewards debts
         * @param baseRewardsDebtMultipliers updated base rewards debt multipliers
         */
        function setProviderRewardData(
            IDSToken poolToken,
            IERC20Token reserveToken,
            address[] memory providers,
            uint256[] memory rewardsPerToken,
            uint256[] memory pendingBaseRewards,
            uint256[] memory totalClaimedRewards,
            uint256[] memory effectiveStakingTimes,
            uint256[] memory baseRewardsDebts,
            uint32[] memory baseRewardsDebtMultipliers
        ) external onlySeeder validAddress(address(poolToken)) validAddress(address(reserveToken)) {
            uint256 length = providers.length;
            require(
                length == rewardsPerToken.length &&
                    length == pendingBaseRewards.length &&
                    length == totalClaimedRewards.length &&
                    length == effectiveStakingTimes.length &&
                    length == baseRewardsDebts.length &&
                    length == baseRewardsDebtMultipliers.length,
                "ERR_INVALID_LENGTH"
            );
            for (uint256 i = 0; i < length; ++i) {
                ProviderRewards storage data = _providerRewards[providers[i]][poolToken][reserveToken];
                uint256 baseRewardsDebt = baseRewardsDebts[i];
                uint32 baseRewardsDebtMultiplier = baseRewardsDebtMultipliers[i];
                require(
                    baseRewardsDebt == 0 ||
                        (baseRewardsDebtMultiplier >= PPM_RESOLUTION && baseRewardsDebtMultiplier <= 2 * PPM_RESOLUTION),
                    "ERR_INVALID_MULTIPLIER"
                );
                data.rewardPerToken = rewardsPerToken[i];
                data.pendingBaseRewards = pendingBaseRewards[i];
                data.totalClaimedRewards = totalClaimedRewards[i];
                data.effectiveStakingTime = effectiveStakingTimes[i];
                data.baseRewardsDebt = baseRewardsDebts[i];
                data.baseRewardsDebtMultiplier = baseRewardsDebtMultiplier;
            }
        }
        /**
         * @dev updates provider's last claim time
         *
         * @param provider the owner of the liquidity
         */
        function updateProviderLastClaimTime(address provider) external override onlyOwner {
            uint256 time = time();
            _providerLastClaimTimes[provider] = time;
            emit ProviderLastClaimTimeUpdated(provider, time);
        }
        /**
         * @dev returns provider's last claim time
         *
         * @param provider the owner of the liquidity
         *
         * @return provider's last claim time
         */
        function providerLastClaimTime(address provider) external view override returns (uint256) {
            return _providerLastClaimTimes[provider];
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "./IConverterAnchor.sol";
    import "../../token/interfaces/IERC20Token.sol";
    import "../../utility/interfaces/IOwned.sol";
    /*
        Converter interface
    */
    interface IConverter is IOwned {
        function converterType() external pure returns (uint16);
        function anchor() external view returns (IConverterAnchor);
        function isActive() external view returns (bool);
        function targetAmountAndFee(
            IERC20Token _sourceToken,
            IERC20Token _targetToken,
            uint256 _amount
        ) external view returns (uint256, uint256);
        function convert(
            IERC20Token _sourceToken,
            IERC20Token _targetToken,
            uint256 _amount,
            address _trader,
            address payable _beneficiary
        ) external payable returns (uint256);
        function conversionFee() external view returns (uint32);
        function maxConversionFee() external view returns (uint32);
        function reserveBalance(IERC20Token _reserveToken) external view returns (uint256);
        receive() external payable;
        function transferAnchorOwnership(address _newOwner) external;
        function acceptAnchorOwnership() external;
        function setConversionFee(uint32 _conversionFee) external;
        function withdrawTokens(
            IERC20Token _token,
            address _to,
            uint256 _amount
        ) external;
        function withdrawETH(address payable _to) external;
        function addReserve(IERC20Token _token, uint32 _ratio) external;
        // deprecated, backward compatibility
        function token() external view returns (IConverterAnchor);
        function transferTokenOwnership(address _newOwner) external;
        function acceptTokenOwnership() external;
        function connectors(IERC20Token _address)
            external
            view
            returns (
                uint256,
                uint32,
                bool,
                bool,
                bool
            );
        function getConnectorBalance(IERC20Token _connectorToken) external view returns (uint256);
        function connectorTokens(uint256 _index) external view returns (IERC20Token);
        function connectorTokenCount() external view returns (uint16);
        /**
         * @dev triggered when the converter is activated
         *
         * @param _type        converter type
         * @param _anchor      converter anchor
         * @param _activated   true if the converter was activated, false if it was deactivated
         */
        event Activation(uint16 indexed _type, IConverterAnchor indexed _anchor, bool indexed _activated);
        /**
         * @dev triggered when a conversion between two tokens occurs
         *
         * @param _fromToken       source ERC20 token
         * @param _toToken         target ERC20 token
         * @param _trader          wallet that initiated the trade
         * @param _amount          input amount in units of the source token
         * @param _return          output amount minus conversion fee in units of the target token
         * @param _conversionFee   conversion fee in units of the target token
         */
        event Conversion(
            IERC20Token indexed _fromToken,
            IERC20Token indexed _toToken,
            address indexed _trader,
            uint256 _amount,
            uint256 _return,
            int256 _conversionFee
        );
        /**
         * @dev triggered when the rate between two tokens in the converter changes
         * note that the event might be dispatched for rate updates between any two tokens in the converter
         *
         * @param  _token1 address of the first token
         * @param  _token2 address of the second token
         * @param  _rateN  rate of 1 unit of `_token1` in `_token2` (numerator)
         * @param  _rateD  rate of 1 unit of `_token1` in `_token2` (denominator)
         */
        event TokenRateUpdate(IERC20Token indexed _token1, IERC20Token indexed _token2, uint256 _rateN, uint256 _rateD);
        /**
         * @dev triggered when the conversion fee is updated
         *
         * @param  _prevFee    previous fee percentage, represented in ppm
         * @param  _newFee     new fee percentage, represented in ppm
         */
        event ConversionFeeUpdate(uint32 _prevFee, uint32 _newFee);
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "../../utility/interfaces/IOwned.sol";
    /*
        Converter Anchor interface
    */
    interface IConverterAnchor is IOwned {
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    import "./IERC20Token.sol";
    import "../../converter/interfaces/IConverterAnchor.sol";
    import "../../utility/interfaces/IOwned.sol";
    /*
        DSToken interface
    */
    interface IDSToken is IConverterAnchor, IERC20Token {
        function issue(address _to, uint256 _amount) external;
        function destroy(address _from, uint256 _amount) external;
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /*
        ERC20 Standard Token interface
    */
    interface IERC20Token {
        function name() external view returns (string memory);
        function symbol() external view returns (string memory);
        function decimals() external view returns (uint8);
        function totalSupply() external view returns (uint256);
        function balanceOf(address _owner) external view returns (uint256);
        function allowance(address _owner, address _spender) external view returns (uint256);
        function transfer(address _to, uint256 _value) external returns (bool);
        function transferFrom(
            address _from,
            address _to,
            uint256 _value
        ) external returns (bool);
        function approve(address _spender, uint256 _value) external returns (bool);
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /*
        Time implementing contract
    */
    contract Time {
        /**
         * @dev returns the current time
         */
        function time() internal view virtual returns (uint256) {
            return block.timestamp;
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /**
     * @dev Utilities & Common Modifiers
     */
    contract Utils {
        // verifies that a value is greater than zero
        modifier greaterThanZero(uint256 _value) {
            _greaterThanZero(_value);
            _;
        }
        // error message binary size optimization
        function _greaterThanZero(uint256 _value) internal pure {
            require(_value > 0, "ERR_ZERO_VALUE");
        }
        // validates an address - currently only checks that it isn't null
        modifier validAddress(address _address) {
            _validAddress(_address);
            _;
        }
        // error message binary size optimization
        function _validAddress(address _address) internal pure {
            require(_address != address(0), "ERR_INVALID_ADDRESS");
        }
        // verifies that the address is different than this contract address
        modifier notThis(address _address) {
            _notThis(_address);
            _;
        }
        // error message binary size optimization
        function _notThis(address _address) internal view {
            require(_address != address(this), "ERR_ADDRESS_IS_SELF");
        }
        // validates an external address - currently only checks that it isn't null or this
        modifier validExternalAddress(address _address) {
            _validExternalAddress(_address);
            _;
        }
        // error message binary size optimization
        function _validExternalAddress(address _address) internal view {
            require(_address != address(0) && _address != address(this), "ERR_INVALID_EXTERNAL_ADDRESS");
        }
    }
    // SPDX-License-Identifier: SEE LICENSE IN LICENSE
    pragma solidity 0.6.12;
    /*
        Owned contract interface
    */
    interface IOwned {
        // this function isn't since the compiler emits automatically generated getter functions as external
        function owner() external view returns (address);
        function transferOwnership(address _newOwner) external;
        function acceptOwnership() external;
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    /*
     * @dev Provides information about the current execution context, including the
     * sender of the transaction and its data. While these are generally available
     * via msg.sender and msg.data, they should not be accessed in such a direct
     * manner, since when dealing with GSN meta-transactions the account sending and
     * paying for execution may not be the actual sender (as far as an application
     * is concerned).
     *
     * This contract is only required for intermediate, library-like contracts.
     */
    abstract contract Context {
        function _msgSender() internal view virtual returns (address payable) {
            return msg.sender;
        }
        function _msgData() internal view virtual returns (bytes memory) {
            this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691
            return msg.data;
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    import "../utils/EnumerableSet.sol";
    import "../utils/Address.sol";
    import "../GSN/Context.sol";
    /**
     * @dev Contract module that allows children to implement role-based access
     * control mechanisms.
     *
     * Roles are referred to by their `bytes32` identifier. These should be exposed
     * in the external API and be unique. The best way to achieve this is by
     * using `public constant` hash digests:
     *
     * ```
     * bytes32 public constant MY_ROLE = keccak256("MY_ROLE");
     * ```
     *
     * Roles can be used to represent a set of permissions. To restrict access to a
     * function call, use {hasRole}:
     *
     * ```
     * function foo() public {
     *     require(hasRole(MY_ROLE, msg.sender));
     *     ...
     * }
     * ```
     *
     * Roles can be granted and revoked dynamically via the {grantRole} and
     * {revokeRole} functions. Each role has an associated admin role, and only
     * accounts that have a role's admin role can call {grantRole} and {revokeRole}.
     *
     * By default, the admin role for all roles is `DEFAULT_ADMIN_ROLE`, which means
     * that only accounts with this role will be able to grant or revoke other
     * roles. More complex role relationships can be created by using
     * {_setRoleAdmin}.
     *
     * WARNING: The `DEFAULT_ADMIN_ROLE` is also its own admin: it has permission to
     * grant and revoke this role. Extra precautions should be taken to secure
     * accounts that have been granted it.
     */
    abstract contract AccessControl is Context {
        using EnumerableSet for EnumerableSet.AddressSet;
        using Address for address;
        struct RoleData {
            EnumerableSet.AddressSet members;
            bytes32 adminRole;
        }
        mapping (bytes32 => RoleData) private _roles;
        bytes32 public constant DEFAULT_ADMIN_ROLE = 0x00;
        /**
         * @dev Emitted when `newAdminRole` is set as ``role``'s admin role, replacing `previousAdminRole`
         *
         * `DEFAULT_ADMIN_ROLE` is the starting admin for all roles, despite
         * {RoleAdminChanged} not being emitted signaling this.
         *
         * _Available since v3.1._
         */
        event RoleAdminChanged(bytes32 indexed role, bytes32 indexed previousAdminRole, bytes32 indexed newAdminRole);
        /**
         * @dev Emitted when `account` is granted `role`.
         *
         * `sender` is the account that originated the contract call, an admin role
         * bearer except when using {_setupRole}.
         */
        event RoleGranted(bytes32 indexed role, address indexed account, address indexed sender);
        /**
         * @dev Emitted when `account` is revoked `role`.
         *
         * `sender` is the account that originated the contract call:
         *   - if using `revokeRole`, it is the admin role bearer
         *   - if using `renounceRole`, it is the role bearer (i.e. `account`)
         */
        event RoleRevoked(bytes32 indexed role, address indexed account, address indexed sender);
        /**
         * @dev Returns `true` if `account` has been granted `role`.
         */
        function hasRole(bytes32 role, address account) public view returns (bool) {
            return _roles[role].members.contains(account);
        }
        /**
         * @dev Returns the number of accounts that have `role`. Can be used
         * together with {getRoleMember} to enumerate all bearers of a role.
         */
        function getRoleMemberCount(bytes32 role) public view returns (uint256) {
            return _roles[role].members.length();
        }
        /**
         * @dev Returns one of the accounts that have `role`. `index` must be a
         * value between 0 and {getRoleMemberCount}, non-inclusive.
         *
         * Role bearers are not sorted in any particular way, and their ordering may
         * change at any point.
         *
         * WARNING: When using {getRoleMember} and {getRoleMemberCount}, make sure
         * you perform all queries on the same block. See the following
         * https://forum.openzeppelin.com/t/iterating-over-elements-on-enumerableset-in-openzeppelin-contracts/2296[forum post]
         * for more information.
         */
        function getRoleMember(bytes32 role, uint256 index) public view returns (address) {
            return _roles[role].members.at(index);
        }
        /**
         * @dev Returns the admin role that controls `role`. See {grantRole} and
         * {revokeRole}.
         *
         * To change a role's admin, use {_setRoleAdmin}.
         */
        function getRoleAdmin(bytes32 role) public view returns (bytes32) {
            return _roles[role].adminRole;
        }
        /**
         * @dev Grants `role` to `account`.
         *
         * If `account` had not been already granted `role`, emits a {RoleGranted}
         * event.
         *
         * Requirements:
         *
         * - the caller must have ``role``'s admin role.
         */
        function grantRole(bytes32 role, address account) public virtual {
            require(hasRole(_roles[role].adminRole, _msgSender()), "AccessControl: sender must be an admin to grant");
            _grantRole(role, account);
        }
        /**
         * @dev Revokes `role` from `account`.
         *
         * If `account` had been granted `role`, emits a {RoleRevoked} event.
         *
         * Requirements:
         *
         * - the caller must have ``role``'s admin role.
         */
        function revokeRole(bytes32 role, address account) public virtual {
            require(hasRole(_roles[role].adminRole, _msgSender()), "AccessControl: sender must be an admin to revoke");
            _revokeRole(role, account);
        }
        /**
         * @dev Revokes `role` from the calling account.
         *
         * Roles are often managed via {grantRole} and {revokeRole}: this function's
         * purpose is to provide a mechanism for accounts to lose their privileges
         * if they are compromised (such as when a trusted device is misplaced).
         *
         * If the calling account had been granted `role`, emits a {RoleRevoked}
         * event.
         *
         * Requirements:
         *
         * - the caller must be `account`.
         */
        function renounceRole(bytes32 role, address account) public virtual {
            require(account == _msgSender(), "AccessControl: can only renounce roles for self");
            _revokeRole(role, account);
        }
        /**
         * @dev Grants `role` to `account`.
         *
         * If `account` had not been already granted `role`, emits a {RoleGranted}
         * event. Note that unlike {grantRole}, this function doesn't perform any
         * checks on the calling account.
         *
         * [WARNING]
         * ====
         * This function should only be called from the constructor when setting
         * up the initial roles for the system.
         *
         * Using this function in any other way is effectively circumventing the admin
         * system imposed by {AccessControl}.
         * ====
         */
        function _setupRole(bytes32 role, address account) internal virtual {
            _grantRole(role, account);
        }
        /**
         * @dev Sets `adminRole` as ``role``'s admin role.
         *
         * Emits a {RoleAdminChanged} event.
         */
        function _setRoleAdmin(bytes32 role, bytes32 adminRole) internal virtual {
            emit RoleAdminChanged(role, _roles[role].adminRole, adminRole);
            _roles[role].adminRole = adminRole;
        }
        function _grantRole(bytes32 role, address account) private {
            if (_roles[role].members.add(account)) {
                emit RoleGranted(role, account, _msgSender());
            }
        }
        function _revokeRole(bytes32 role, address account) private {
            if (_roles[role].members.remove(account)) {
                emit RoleRevoked(role, account, _msgSender());
            }
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    /**
     * @dev Wrappers over Solidity's arithmetic operations with added overflow
     * checks.
     *
     * Arithmetic operations in Solidity wrap on overflow. This can easily result
     * in bugs, because programmers usually assume that an overflow raises an
     * error, which is the standard behavior in high level programming languages.
     * `SafeMath` restores this intuition by reverting the transaction when an
     * operation overflows.
     *
     * Using this library instead of the unchecked operations eliminates an entire
     * class of bugs, so it's recommended to use it always.
     */
    library SafeMath {
        /**
         * @dev Returns the addition of two unsigned integers, reverting on
         * overflow.
         *
         * Counterpart to Solidity's `+` operator.
         *
         * Requirements:
         *
         * - Addition cannot overflow.
         */
        function add(uint256 a, uint256 b) internal pure returns (uint256) {
            uint256 c = a + b;
            require(c >= a, "SafeMath: addition overflow");
            return c;
        }
        /**
         * @dev Returns the subtraction of two unsigned integers, reverting on
         * overflow (when the result is negative).
         *
         * Counterpart to Solidity's `-` operator.
         *
         * Requirements:
         *
         * - Subtraction cannot overflow.
         */
        function sub(uint256 a, uint256 b) internal pure returns (uint256) {
            return sub(a, b, "SafeMath: subtraction overflow");
        }
        /**
         * @dev Returns the subtraction of two unsigned integers, reverting with custom message on
         * overflow (when the result is negative).
         *
         * Counterpart to Solidity's `-` operator.
         *
         * Requirements:
         *
         * - Subtraction cannot overflow.
         */
        function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b <= a, errorMessage);
            uint256 c = a - b;
            return c;
        }
        /**
         * @dev Returns the multiplication of two unsigned integers, reverting on
         * overflow.
         *
         * Counterpart to Solidity's `*` operator.
         *
         * Requirements:
         *
         * - Multiplication cannot overflow.
         */
        function mul(uint256 a, uint256 b) internal pure returns (uint256) {
            // Gas optimization: this is cheaper than requiring 'a' not being zero, but the
            // benefit is lost if 'b' is also tested.
            // See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522
            if (a == 0) {
                return 0;
            }
            uint256 c = a * b;
            require(c / a == b, "SafeMath: multiplication overflow");
            return c;
        }
        /**
         * @dev Returns the integer division of two unsigned integers. Reverts on
         * division by zero. The result is rounded towards zero.
         *
         * Counterpart to Solidity's `/` operator. Note: this function uses a
         * `revert` opcode (which leaves remaining gas untouched) while Solidity
         * uses an invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function div(uint256 a, uint256 b) internal pure returns (uint256) {
            return div(a, b, "SafeMath: division by zero");
        }
        /**
         * @dev Returns the integer division of two unsigned integers. Reverts with custom message on
         * division by zero. The result is rounded towards zero.
         *
         * Counterpart to Solidity's `/` operator. Note: this function uses a
         * `revert` opcode (which leaves remaining gas untouched) while Solidity
         * uses an invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b > 0, errorMessage);
            uint256 c = a / b;
            // assert(a == b * c + a % b); // There is no case in which this doesn't hold
            return c;
        }
        /**
         * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
         * Reverts when dividing by zero.
         *
         * Counterpart to Solidity's `%` operator. This function uses a `revert`
         * opcode (which leaves remaining gas untouched) while Solidity uses an
         * invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function mod(uint256 a, uint256 b) internal pure returns (uint256) {
            return mod(a, b, "SafeMath: modulo by zero");
        }
        /**
         * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo),
         * Reverts with custom message when dividing by zero.
         *
         * Counterpart to Solidity's `%` operator. This function uses a `revert`
         * opcode (which leaves remaining gas untouched) while Solidity uses an
         * invalid opcode to revert (consuming all remaining gas).
         *
         * Requirements:
         *
         * - The divisor cannot be zero.
         */
        function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) {
            require(b != 0, errorMessage);
            return a % b;
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.2 <0.8.0;
    /**
     * @dev Collection of functions related to the address type
     */
    library Address {
        /**
         * @dev Returns true if `account` is a contract.
         *
         * [IMPORTANT]
         * ====
         * It is unsafe to assume that an address for which this function returns
         * false is an externally-owned account (EOA) and not a contract.
         *
         * Among others, `isContract` will return false for the following
         * types of addresses:
         *
         *  - an externally-owned account
         *  - a contract in construction
         *  - an address where a contract will be created
         *  - an address where a contract lived, but was destroyed
         * ====
         */
        function isContract(address account) internal view returns (bool) {
            // This method relies on extcodesize, which returns 0 for contracts in
            // construction, since the code is only stored at the end of the
            // constructor execution.
            uint256 size;
            // solhint-disable-next-line no-inline-assembly
            assembly { size := extcodesize(account) }
            return size > 0;
        }
        /**
         * @dev Replacement for Solidity's `transfer`: sends `amount` wei to
         * `recipient`, forwarding all available gas and reverting on errors.
         *
         * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
         * of certain opcodes, possibly making contracts go over the 2300 gas limit
         * imposed by `transfer`, making them unable to receive funds via
         * `transfer`. {sendValue} removes this limitation.
         *
         * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
         *
         * IMPORTANT: because control is transferred to `recipient`, care must be
         * taken to not create reentrancy vulnerabilities. Consider using
         * {ReentrancyGuard} or the
         * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
         */
        function sendValue(address payable recipient, uint256 amount) internal {
            require(address(this).balance >= amount, "Address: insufficient balance");
            // solhint-disable-next-line avoid-low-level-calls, avoid-call-value
            (bool success, ) = recipient.call{ value: amount }("");
            require(success, "Address: unable to send value, recipient may have reverted");
        }
        /**
         * @dev Performs a Solidity function call using a low level `call`. A
         * plain`call` is an unsafe replacement for a function call: use this
         * function instead.
         *
         * If `target` reverts with a revert reason, it is bubbled up by this
         * function (like regular Solidity function calls).
         *
         * Returns the raw returned data. To convert to the expected return value,
         * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`].
         *
         * Requirements:
         *
         * - `target` must be a contract.
         * - calling `target` with `data` must not revert.
         *
         * _Available since v3.1._
         */
        function functionCall(address target, bytes memory data) internal returns (bytes memory) {
          return functionCall(target, data, "Address: low-level call failed");
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
         * `errorMessage` as a fallback revert reason when `target` reverts.
         *
         * _Available since v3.1._
         */
        function functionCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) {
            return functionCallWithValue(target, data, 0, errorMessage);
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but also transferring `value` wei to `target`.
         *
         * Requirements:
         *
         * - the calling contract must have an ETH balance of at least `value`.
         * - the called Solidity function must be `payable`.
         *
         * _Available since v3.1._
         */
        function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) {
            return functionCallWithValue(target, data, value, "Address: low-level call with value failed");
        }
        /**
         * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but
         * with `errorMessage` as a fallback revert reason when `target` reverts.
         *
         * _Available since v3.1._
         */
        function functionCallWithValue(address target, bytes memory data, uint256 value, string memory errorMessage) internal returns (bytes memory) {
            require(address(this).balance >= value, "Address: insufficient balance for call");
            require(isContract(target), "Address: call to non-contract");
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.call{ value: value }(data);
            return _verifyCallResult(success, returndata, errorMessage);
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
         * but performing a static call.
         *
         * _Available since v3.3._
         */
        function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) {
            return functionStaticCall(target, data, "Address: low-level static call failed");
        }
        /**
         * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
         * but performing a static call.
         *
         * _Available since v3.3._
         */
        function functionStaticCall(address target, bytes memory data, string memory errorMessage) internal view returns (bytes memory) {
            require(isContract(target), "Address: static call to non-contract");
            // solhint-disable-next-line avoid-low-level-calls
            (bool success, bytes memory returndata) = target.staticcall(data);
            return _verifyCallResult(success, returndata, errorMessage);
        }
        function _verifyCallResult(bool success, bytes memory returndata, string memory errorMessage) private pure returns(bytes memory) {
            if (success) {
                return returndata;
            } else {
                // Look for revert reason and bubble it up if present
                if (returndata.length > 0) {
                    // The easiest way to bubble the revert reason is using memory via assembly
                    // solhint-disable-next-line no-inline-assembly
                    assembly {
                        let returndata_size := mload(returndata)
                        revert(add(32, returndata), returndata_size)
                    }
                } else {
                    revert(errorMessage);
                }
            }
        }
    }
    // SPDX-License-Identifier: MIT
    pragma solidity >=0.6.0 <0.8.0;
    /**
     * @dev Library for managing
     * https://en.wikipedia.org/wiki/Set_(abstract_data_type)[sets] of primitive
     * types.
     *
     * Sets have the following properties:
     *
     * - Elements are added, removed, and checked for existence in constant time
     * (O(1)).
     * - Elements are enumerated in O(n). No guarantees are made on the ordering.
     *
     * ```
     * contract Example {
     *     // Add the library methods
     *     using EnumerableSet for EnumerableSet.AddressSet;
     *
     *     // Declare a set state variable
     *     EnumerableSet.AddressSet private mySet;
     * }
     * ```
     *
     * As of v3.3.0, sets of type `bytes32` (`Bytes32Set`), `address` (`AddressSet`)
     * and `uint256` (`UintSet`) are supported.
     */
    library EnumerableSet {
        // To implement this library for multiple types with as little code
        // repetition as possible, we write it in terms of a generic Set type with
        // bytes32 values.
        // The Set implementation uses private functions, and user-facing
        // implementations (such as AddressSet) are just wrappers around the
        // underlying Set.
        // This means that we can only create new EnumerableSets for types that fit
        // in bytes32.
        struct Set {
            // Storage of set values
            bytes32[] _values;
            // Position of the value in the `values` array, plus 1 because index 0
            // means a value is not in the set.
            mapping (bytes32 => uint256) _indexes;
        }
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function _add(Set storage set, bytes32 value) private returns (bool) {
            if (!_contains(set, value)) {
                set._values.push(value);
                // The value is stored at length-1, but we add 1 to all indexes
                // and use 0 as a sentinel value
                set._indexes[value] = set._values.length;
                return true;
            } else {
                return false;
            }
        }
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function _remove(Set storage set, bytes32 value) private returns (bool) {
            // We read and store the value's index to prevent multiple reads from the same storage slot
            uint256 valueIndex = set._indexes[value];
            if (valueIndex != 0) { // Equivalent to contains(set, value)
                // To delete an element from the _values array in O(1), we swap the element to delete with the last one in
                // the array, and then remove the last element (sometimes called as 'swap and pop').
                // This modifies the order of the array, as noted in {at}.
                uint256 toDeleteIndex = valueIndex - 1;
                uint256 lastIndex = set._values.length - 1;
                // When the value to delete is the last one, the swap operation is unnecessary. However, since this occurs
                // so rarely, we still do the swap anyway to avoid the gas cost of adding an 'if' statement.
                bytes32 lastvalue = set._values[lastIndex];
                // Move the last value to the index where the value to delete is
                set._values[toDeleteIndex] = lastvalue;
                // Update the index for the moved value
                set._indexes[lastvalue] = toDeleteIndex + 1; // All indexes are 1-based
                // Delete the slot where the moved value was stored
                set._values.pop();
                // Delete the index for the deleted slot
                delete set._indexes[value];
                return true;
            } else {
                return false;
            }
        }
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function _contains(Set storage set, bytes32 value) private view returns (bool) {
            return set._indexes[value] != 0;
        }
        /**
         * @dev Returns the number of values on the set. O(1).
         */
        function _length(Set storage set) private view returns (uint256) {
            return set._values.length;
        }
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function _at(Set storage set, uint256 index) private view returns (bytes32) {
            require(set._values.length > index, "EnumerableSet: index out of bounds");
            return set._values[index];
        }
        // Bytes32Set
        struct Bytes32Set {
            Set _inner;
        }
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function add(Bytes32Set storage set, bytes32 value) internal returns (bool) {
            return _add(set._inner, value);
        }
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function remove(Bytes32Set storage set, bytes32 value) internal returns (bool) {
            return _remove(set._inner, value);
        }
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function contains(Bytes32Set storage set, bytes32 value) internal view returns (bool) {
            return _contains(set._inner, value);
        }
        /**
         * @dev Returns the number of values in the set. O(1).
         */
        function length(Bytes32Set storage set) internal view returns (uint256) {
            return _length(set._inner);
        }
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function at(Bytes32Set storage set, uint256 index) internal view returns (bytes32) {
            return _at(set._inner, index);
        }
        // AddressSet
        struct AddressSet {
            Set _inner;
        }
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function add(AddressSet storage set, address value) internal returns (bool) {
            return _add(set._inner, bytes32(uint256(value)));
        }
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function remove(AddressSet storage set, address value) internal returns (bool) {
            return _remove(set._inner, bytes32(uint256(value)));
        }
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function contains(AddressSet storage set, address value) internal view returns (bool) {
            return _contains(set._inner, bytes32(uint256(value)));
        }
        /**
         * @dev Returns the number of values in the set. O(1).
         */
        function length(AddressSet storage set) internal view returns (uint256) {
            return _length(set._inner);
        }
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function at(AddressSet storage set, uint256 index) internal view returns (address) {
            return address(uint256(_at(set._inner, index)));
        }
        // UintSet
        struct UintSet {
            Set _inner;
        }
        /**
         * @dev Add a value to a set. O(1).
         *
         * Returns true if the value was added to the set, that is if it was not
         * already present.
         */
        function add(UintSet storage set, uint256 value) internal returns (bool) {
            return _add(set._inner, bytes32(value));
        }
        /**
         * @dev Removes a value from a set. O(1).
         *
         * Returns true if the value was removed from the set, that is if it was
         * present.
         */
        function remove(UintSet storage set, uint256 value) internal returns (bool) {
            return _remove(set._inner, bytes32(value));
        }
        /**
         * @dev Returns true if the value is in the set. O(1).
         */
        function contains(UintSet storage set, uint256 value) internal view returns (bool) {
            return _contains(set._inner, bytes32(value));
        }
        /**
         * @dev Returns the number of values on the set. O(1).
         */
        function length(UintSet storage set) internal view returns (uint256) {
            return _length(set._inner);
        }
       /**
        * @dev Returns the value stored at position `index` in the set. O(1).
        *
        * Note that there are no guarantees on the ordering of values inside the
        * array, and it may change when more values are added or removed.
        *
        * Requirements:
        *
        * - `index` must be strictly less than {length}.
        */
        function at(UintSet storage set, uint256 index) internal view returns (uint256) {
            return uint256(_at(set._inner, index));
        }
    }