ETH Price: $4,007.48 (+3.01%)

Transaction Decoder

Block:
19484234 at Mar-21-2024 04:31:23 PM +UTC
Transaction Fee:
0.00377016383117187 ETH $15.11
Gas Used:
98,923 Gas / 38.11210569 Gwei

Emitted Events:

45 ERC721DeterministicCollection.Transfer( from=0xd5a5286682cb89519d33108d4acd99c2b1df0827, to=0xaAe8a1c9...cD1CfbfC8, tokenId=77509846668058089409667668375181438186706790214804145883172879490621 )

Account State Difference:

  Address   Before After State Difference Code
21.302652878904131284 Eth21.302801263404131284 Eth0.0001483845
0xD5b0F341...4870a510c
0xdDB3cC4D...C40aA023A
18.712421178005001754 Eth
Nonce: 196056
18.708651014173829884 Eth
Nonce: 196057
0.00377016383117187

Execution Trace

Vault.sendERC721( _token=0xD5b0F341CB6Db2A8022e1e1c13Dc4404870a510c, _from=20324, _to=0xaAe8a1c93842D07768Bd2A8cea87329cD1CfbfC8, _id=77509846668058089409667668375181438186706790214804145883172879490621 )
  • 0xd5a5286682cb89519d33108d4acd99c2b1df0827.b61d27f6( )
    • 0xbfac0f451e63d2d639b05bbea3e72318ac5abc09.b61d27f6( )
      • ERC721DeterministicCollection.transferFrom( from=0xd5a5286682CB89519d33108d4Acd99c2b1dF0827, to=0xaAe8a1c93842D07768Bd2A8cea87329cD1CfbfC8, tokenId=77509846668058089409667668375181438186706790214804145883172879490621 )
        File 1 of 2: Vault
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/VaultERC20.sol";
        import "src/VaultERC721.sol";
        import "src/VaultETH.sol";
        import "src/VaultExecute.sol";
        import "src/VaultNewReceivers.sol";
        import "src/VaultIssueERC721.sol";
        contract Vault is
          VaultERC20,
          VaultERC721,
          VaultETH,
          VaultExecute,
          VaultNewReceivers,
          VaultIssueERC721
        {
          constructor()
            VaultERC20(1, 2, 11)
            VaultERC721(3)
            VaultETH(4, 5)
            VaultExecute(6, 7)
            VaultNewReceivers(8)
            VaultIssueERC721(9)
            Pausable(10)
          {}
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/commons/Ownable.sol";
        contract Limits is Ownable {
          error ExceededLimit(uint256 _amount, uint256 _limit);
          uint256 public ERC20Limit;
          event UpdateERC20Limit(uint256 _limit);
          modifier underLimit(uint256 _amount) {
            if (!isUnderLimit(_amount)) {
              revert ExceededLimit(_amount, ERC20Limit);
            }
            _;
          }
          function isUnderLimit(uint256 _amount) public view returns (bool) {
            return _amount <= ERC20Limit;
          }
          function updateERC20Limit(uint256 _limit) external virtual onlyOwner {
            _updateERC20Limit(_limit);
          }
          function _updateERC20Limit(uint256 _limit) internal {
            ERC20Limit = _limit;
            emit UpdateERC20Limit(_limit);
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/interfaces/IERC173.sol";
        contract Ownable is IERC173 {
          error NotOwner(address _sender, address _owner);
          error InvalidNewOwner();
          address public owner;
          constructor() {
            owner = msg.sender;
            emit OwnershipTransferred(address(0), msg.sender);
          }
          modifier onlyOwner() {
            if (!isOwner(msg.sender)) revert NotOwner(msg.sender, owner);
            _;
          }
          function isOwner(address _owner) public view returns (bool) {
            return _owner == owner && _owner != address(0);
          }
          function transferOwnership(address _newOwner) external onlyOwner {
            if (_newOwner == address(0)) revert InvalidNewOwner();
            owner = _newOwner;
            emit OwnershipTransferred(msg.sender, _newOwner);
          }
          function rennounceOwnership() external onlyOwner {
            owner = address(0);
            emit OwnershipTransferred(msg.sender, address(0));
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/commons/Ownable.sol";
        import "src/commons/Permissions.sol";
        contract Pausable is Ownable, Permissions {
          error ContractPaused();
          event Unpaused(address _sender);
          event Paused(address _sender);
          enum State { Invalid, Unpaused, Paused }
          State internal _state = State.Unpaused;
          uint8 public immutable PERMISSION_PAUSE;
          constructor(uint8 _permissionPause) {
            PERMISSION_PAUSE = _permissionPause;
          }
          modifier notPaused() {
            if (_state == State.Paused) {
              revert ContractPaused();
            }
            _;
          }
          function isPaused() public view returns (bool) {
            return _state == State.Paused;
          }
          function pause() external onlyPermissioned(PERMISSION_PAUSE) {
            _state = State.Paused;
            emit Paused(msg.sender);
          }
          function unpause() external onlyOwner {
            _state = State.Unpaused;
            emit Unpaused(msg.sender);
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/commons/Ownable.sol";
        contract Permissions is Ownable {
          error PermissionDenied(address _sender, uint8 _permission);
          error DuplicatedPermission(uint8 _permission);
          mapping (address => bytes32) public permissions;
          mapping (uint8 => bool) public permissionExists;
          event AddPermission(address indexed _addr, uint8 _permission);
          event DelPermission(address indexed _addr, uint8 _permission);
          event ClearPermissions(address indexed _addr);
          modifier onlyPermissioned(uint8 _permission) {
            if (!hasPermission(msg.sender, _permission) && !isOwner(msg.sender)) {
              revert PermissionDenied(msg.sender, _permission);
            }
            _;
          }
          function _registerPermission(uint8 _permission) internal {
            if (permissionExists[_permission]) {
              revert DuplicatedPermission(_permission);
            }
            permissionExists[_permission] = true;
          }
          function hasPermission(address _addr, uint8 _permission) public view returns (bool) {
            return (permissions[_addr] & _maskForPermission(_permission)) != 0;
          }
          function addPermission(address _addr, uint8 _permission) external virtual onlyOwner {
            _addPermission(_addr, _permission);
          }
          function addPermissions(address _addr, uint8[] calldata _permissions) external virtual onlyOwner {
            _addPermissions(_addr, _permissions);
          }
          function delPermission(address _addr, uint8 _permission) external virtual onlyOwner {
            _delPermission(_addr, _permission);
          }
          function clearPermissions(address _addr) external virtual onlyOwner {
            _clearPermissions(_addr);
          }
          function _maskForPermission(uint8 _permission) internal pure returns (bytes32) {
            return bytes32(1 << _permission);
          }
          function _addPermission(address _addr, uint8 _permission) internal {
            permissions[_addr] |= _maskForPermission(_permission);
            emit AddPermission(_addr, _permission);
          }
          function _addPermissions(address _addr, uint8[] calldata _permissions) internal {
            unchecked {
              for (uint256 i = 0; i < _permissions.length; ++i) {
                _addPermission(_addr, _permissions[i]);
              }
            }
          }
          function _delPermission(address _addr, uint8 _permission) internal {
            permissions[_addr] &= ~_maskForPermission(_permission);
            emit DelPermission(_addr, _permission);
          }
          function _clearPermissions(address _addr) internal {
            delete permissions[_addr];
            emit ClearPermissions(_addr);
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/interfaces/IERC721Receiver.sol";
        contract Receiver is IERC721Receiver {
          error NotAuthorized(address _sender);
          address immutable private owner;
          constructor () {
            owner = msg.sender;
          }
          function execute(address payable _to, uint256 _value, bytes calldata _data) external returns (bool, bytes memory) {
            if (msg.sender != owner) revert NotAuthorized(msg.sender);
            return _to.call{ value: _value }(_data);
          }
          function onERC721Received(address, address, uint256, bytes calldata) external pure returns (bytes4) {
            // return bytes4(keccak256("onERC721Received(address,address,uint256,bytes)"))
            return 0x150b7a02;
          }
          receive() external payable { }
          fallback() external payable { }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/libs/CREATE2.sol";
        import "src/utils/Proxy.sol";
        import "src/commons/receiver/Receiver.sol";
        contract ReceiverHub {
          error ReceiverCallError(address _receiver, address _to, uint256 _value, bytes _data, bytes _result);
          
          address immutable public receiverTemplate;
          bytes32 immutable private receiverTemplateCreationCodeHash;
          constructor () {
            receiverTemplate = address(new Receiver());
            receiverTemplateCreationCodeHash = keccak256(Proxy.creationCode(address(receiverTemplate)));
          }
          function receiverFor(uint256 _id) public view returns (Receiver) {
            return Receiver(CREATE2.addressOf(address(this), _id, receiverTemplateCreationCodeHash));
          }
          function createReceiver(uint256 _id) internal returns (Receiver) {
            return Receiver(CREATE2.deploy(_id, Proxy.creationCode(receiverTemplate)));
          }
          function createIfNeeded(Receiver receiver, uint256 _id) internal returns (Receiver) {
            uint256 receiverCodeSize; assembly { receiverCodeSize := extcodesize(receiver) }
            if (receiverCodeSize != 0) {
              return receiver;
            }
            return createReceiver(_id);
          }
          function useReceiver(uint256 _id) internal returns (Receiver) {
            return createIfNeeded(receiverFor(_id), _id);
          }
          function executeOnReceiver(uint256 _id, address _to, uint256 _value, bytes memory _data) internal returns (bytes memory) {
            return executeOnReceiver(useReceiver(_id), _to, _value, _data);
          }
          function executeOnReceiver(Receiver _receiver, address _to, uint256 _value, bytes memory _data) internal returns (bytes memory) {
            (bool succeed, bytes memory result) = _receiver.execute(payable(_to), _value, _data);
            if (!succeed) revert ReceiverCallError(address(_receiver), _to, _value, _data, result);
            return result;
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        interface IERC173 {
          event OwnershipTransferred(address indexed _previousOwner, address indexed _newOwner);
          function owner() view external returns(address);
          function transferOwnership(address _newOwner) external;\t
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        interface IERC20 {
          event Transfer(address indexed _from, address indexed _to, uint256 _value);
          event Approval(address indexed _owner, address indexed _spender, uint256 _value);
          function totalSupply() external view returns (uint256);
          function balanceOf(address _account) external view returns (uint256);
          function transfer(address _to, uint256 _amount) external returns (bool);
          function allowance(address _owner, address _spender) external view returns (uint256);
          function approve(address _spender, uint256 _amount) external returns (bool);
          function transferFrom(address _from, address _to, uint256 _amount) external returns (bool);
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        interface IERC721 {
          event Transfer(address indexed _from, address indexed _to, uint256 indexed _tokenId);
          event Approval(address indexed _owner, address indexed _approved, uint256 indexed _tokenId);
          event ApprovalForAll(address indexed _owner, address indexed _operator, bool _approved);
          function balanceOf(address _owner) external view returns (uint256);
          function ownerOf(uint256 _tokenId) external view returns (address);
          function safeTransferFrom(address _from, address _to, uint256 _tokenId, bytes calldata data) external payable;
          function safeTransferFrom(address _from, address _to, uint256 _tokenId) external payable;
          function transferFrom(address _from, address _to, uint256 _tokenId) external payable;
          function approve(address _approved, uint256 _tokenId) external payable;
          function setApprovalForAll(address _operator, bool _approved) external;
          function getApproved(uint256 _tokenId) external view returns (address);
          function isApprovedForAll(address _owner, address _operator) external view returns (bool);
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        interface IERC721Deterministic {
          function issueToken(address _beneficiary, uint256 _optionId, uint256 _issuedId) external;
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        interface IERC721Receiver {
          function onERC721Received(address _operator, address _from, uint256 _tokenId, bytes calldata _data) external returns(bytes4);
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        library CREATE2 {
          error ContractNotCreated();
          function addressOf(address _creator, uint256 _salt, bytes32 _creationCodeHash) internal pure returns (address payable) {
            return payable(
                address(
                uint160(
                  uint256(
                    keccak256(
                      abi.encodePacked(
                        bytes1(0xff),
                        _creator,
                        _salt,
                        _creationCodeHash
                      )
                    )
                  )
                )
              )
            );
          }
          function deploy(uint256 _salt, bytes memory _creationCode) internal returns (address payable _contract) {
            assembly {
              _contract := create2(callvalue(), add(_creationCode, 32), mload(_creationCode), _salt)
            }
            if (_contract == address(0)) {
              revert ContractNotCreated();
            }
          }
        }
        // SPDX-License-Identifier: MIT
        pragma solidity ^0.8.16;
        /*
        The MIT License (MIT)
        Copyright (c) 2018 Murray Software, LLC.
        Permission is hereby granted, free of charge, to any person obtaining
        a copy of this software and associated documentation files (the
        "Software"), to deal in the Software without restriction, including
        without limitation the rights to use, copy, modify, merge, publish,
        distribute, sublicense, and/or sell copies of the Software, and to
        permit persons to whom the Software is furnished to do so, subject to
        the following conditions:
        The above copyright notice and this permission notice shall be included
        in all copies or substantial portions of the Software.
        THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
        OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
        MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
        IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY
        CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,
        TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
        SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
        */
        //solhint-disable max-line-length
        //solhint-disable no-inline-assembly
        library Proxy {
          function creationCode(address _target) internal pure returns (bytes memory result) {
            return abi.encodePacked(
              hex'3d602d80600a3d3981f3363d3d373d3d3d363d73',
              _target,
              hex'5af43d82803e903d91602b57fd5bf3'
            );
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/interfaces/IERC20.sol";
        library SafeERC20 {
          error ErrorSendingERC20(address _token, address _to, uint256 _amount, bytes _result);
          function safeTransfer(IERC20 _token, address _to, uint256 _amount) internal {
            (bool success, bytes memory result) = address(_token).call(abi.encodeWithSelector(
              IERC20.transfer.selector,
              _to,
              _amount
            ));
            if (!success || !optionalReturnsTrue(result)) {
              revert ErrorSendingERC20(address(_token), _to, _amount, result);
            }
          }
          function optionalReturnsTrue(bytes memory _return) internal pure returns (bool) {
            return _return.length == 0 || abi.decode(_return, (bool));
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/interfaces/IERC20.sol";
        import "src/commons/receiver/ReceiverHub.sol";
        import "src/commons/Limits.sol";
        import "src/commons/Permissions.sol";
        import "src/commons/Pausable.sol";
        import "src/utils/SafeERC20.sol";
        abstract contract VaultERC20 is ReceiverHub, Limits, Permissions, Pausable {
          using SafeERC20 for IERC20;
          error ErrorSweepingERC20(address _token, address _receiver, uint256 _amount, bytes _result);
          error ArrayLengthMismatchERC20(uint256 _array1, uint256 _array2);
          uint8 public immutable PERMISSION_SWEEP_ERC20;
          uint8 public immutable PERMISSION_SEND_ERC20;
          uint8 public immutable PERMISSION_SEND_ERC20_LIMIT;
          constructor (uint8 _sweepErc20Permission, uint8 _sendErc20Permission, uint8 _sendErc20LimitPermission) {
            PERMISSION_SWEEP_ERC20 = _sweepErc20Permission;
            PERMISSION_SEND_ERC20 = _sendErc20Permission;
            PERMISSION_SEND_ERC20_LIMIT = _sendErc20LimitPermission;
            _registerPermission(PERMISSION_SWEEP_ERC20);
            _registerPermission(PERMISSION_SEND_ERC20);
            _registerPermission(PERMISSION_SEND_ERC20_LIMIT);
          }
          function sweepERC20(
            IERC20 _token,
            uint256 _id
          ) external notPaused onlyPermissioned(PERMISSION_SWEEP_ERC20) {
            _sweepERC20(_token, _id);
          }
          function sweepBatchERC20(
            IERC20 _token,
            uint256[] calldata _ids
          ) external notPaused onlyPermissioned(PERMISSION_SWEEP_ERC20) {
            unchecked {
              uint256 idsLength = _ids.length;
              for (uint256 i = 0; i < idsLength; ++i) {
                _sweepERC20(_token, _ids[i]);
              }
            }
          }
          function _sweepERC20(
            IERC20 _token,
            uint256 _id
          ) internal {
            Receiver receiver = receiverFor(_id);
            uint256 balance = _token.balanceOf(address(receiver));
            if (balance != 0) {
              createIfNeeded(receiver, _id);
              bytes memory res = executeOnReceiver(receiver, address(_token), 0, abi.encodeWithSelector(
                IERC20.transfer.selector,
                address(this),
                balance
              ));
              if (!SafeERC20.optionalReturnsTrue(res)) {
                revert ErrorSweepingERC20(address(_token), address(receiver), balance, res);
              }
            }
          }
          function sendERC20(
            IERC20 _token,
            address _to,
            uint256 _amount
          ) external notPaused onlyPermissioned(PERMISSION_SEND_ERC20) {
            _token.safeTransfer(_to, _amount);
          }
          function sendBatchERC20(
            IERC20 _token,
            address[] calldata _to,
            uint256[] calldata _amounts
          ) external notPaused onlyPermissioned(PERMISSION_SEND_ERC20) {
            uint256 toLength = _to.length;
            if (toLength != _amounts.length) {
              revert ArrayLengthMismatchERC20(toLength, _amounts.length);
            }
            unchecked {
              for (uint256 i = 0; i < toLength; ++i) {
                _token.safeTransfer(_to[i], _amounts[i]);
              }
            }
          }
          function sendERC20WithLimit(
            IERC20 _token,
            address _to,
            uint256 _amount
          ) external notPaused onlyPermissioned(PERMISSION_SEND_ERC20_LIMIT) underLimit(_amount) {
            _token.safeTransfer(_to, _amount);
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/interfaces/IERC721.sol";
        import "src/commons/receiver/ReceiverHub.sol";
        import "src/commons/Permissions.sol";
        import "src/commons/Pausable.sol";
        abstract contract VaultERC721 is ReceiverHub, Permissions, Pausable {
          uint8 public immutable PERMISSION_SEND_ERC721;
          error ArrayLengthMismatchERC721(uint256 _array1, uint256 _array2, uint256 _array3);
          constructor (uint8 _sendErc721Permission) {
            PERMISSION_SEND_ERC721 = _sendErc721Permission;
            _registerPermission(PERMISSION_SEND_ERC721);
          }
          function sendERC721(
            IERC721 _token,
            uint256 _from,
            address _to,
            uint256 _id
          ) external notPaused onlyPermissioned(PERMISSION_SEND_ERC721) {
            Receiver receiver = useReceiver(_from);
            executeOnReceiver(receiver, address(_token), 0, abi.encodeWithSelector(
                _token.transferFrom.selector,
                address(receiver),
                _to,
                _id
              )
            );
          }
          function sendBatchERC721(
            IERC721 _token,
            uint256[] calldata _ids,
            address[] calldata _tos,
            uint256[] calldata _tokenIds
          ) external notPaused onlyPermissioned(PERMISSION_SEND_ERC721) {
            unchecked {
              uint256 idsLength = _ids.length;
              if (idsLength != _tos.length || idsLength != _tokenIds.length) {
                revert ArrayLengthMismatchERC721(idsLength, _tos.length, _tokenIds.length);
              }
              for (uint256 i = 0; i < idsLength; ++i) {
                Receiver receiver = useReceiver(_ids[i]);
                executeOnReceiver(receiver, address(_token), 0, abi.encodeWithSelector(
                    _token.transferFrom.selector,
                    address(receiver),
                    _tos[i],
                    _tokenIds[i]
                  )
                );
              }
            }
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/commons/receiver/ReceiverHub.sol";
        import "src/commons/Permissions.sol";
        import "src/commons/Pausable.sol";
        abstract contract VaultETH is ReceiverHub, Permissions, Pausable {
          error ErrorSendingETH(address _to, uint256 _amount, bytes _result);
          error ArrayLengthMismatchETH(uint256 _array1, uint256 _array2);
          uint8 public immutable PERMISSION_SWEEP_ETH;
          uint8 public immutable PERMISSION_SEND_ETH;
          constructor (uint8 _sweepETHPermission, uint8 _sendETHPermission) {
            PERMISSION_SWEEP_ETH = _sweepETHPermission;
            PERMISSION_SEND_ETH = _sendETHPermission;
            _registerPermission(PERMISSION_SWEEP_ETH);
            _registerPermission(PERMISSION_SEND_ETH);
          }
          function sweepETH(
            uint256 _id
          ) external notPaused onlyPermissioned(PERMISSION_SWEEP_ETH) {
            _sweepETH(_id);
          }
          function sweepBatchETH(
            uint256[] calldata _ids
          ) external notPaused onlyPermissioned(PERMISSION_SWEEP_ETH) {
            unchecked {
              uint256 idsLength = _ids.length;
              for (uint256 i = 0; i < idsLength; ++i) {
                _sweepETH(_ids[i]);
              }
            }
          }
          function _sweepETH(uint256 _id) internal {
            Receiver receiver = receiverFor(_id);
            uint256 balance = address(receiver).balance;
            if (balance != 0) {
              createIfNeeded(receiver, _id);
              executeOnReceiver(receiver, address(this), balance, bytes(""));
            }
          }
          function sendETH(
            address payable _to,
            uint256 _amount
          ) external notPaused onlyPermissioned(PERMISSION_SEND_ETH) {
            (bool succeed, bytes memory result) = _to.call{ value: _amount }("");
            if (!succeed) { revert ErrorSendingETH(_to, _amount, result); }
          }
          function sendBatchETH(
            address payable[] calldata  _tos,
            uint256[] calldata _amounts
          ) external notPaused onlyPermissioned(PERMISSION_SEND_ETH) {
            uint256 toLength = _tos.length;
            if (toLength != _amounts.length) {
              revert ArrayLengthMismatchETH(toLength, _amounts.length);
            }
            unchecked {
              for (uint256 i = 0; i < toLength; ++i) {
                (bool succeed, bytes memory result) = _tos[i].call{ value: _amounts[i] }("");
                if (!succeed) { revert ErrorSendingETH(_tos[i], _amounts[i], result); }
              }
            }
          }
          receive() external payable {}
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/commons/receiver/ReceiverHub.sol";
        import "src/commons/Permissions.sol";
        import "src/commons/Pausable.sol";
        abstract contract VaultExecute is ReceiverHub, Permissions, Pausable {
          uint8 public immutable PERMISSION_EXECUTE_ON_RECEIVER;
          uint8 public immutable PERMISSION_EXECUTE;
          error CallError(address _to, uint256 _value, bytes _data, bytes _result);
          constructor(
            uint8 _executeOnReceiverPermission,
            uint8 _executePermission
          ) {
            PERMISSION_EXECUTE_ON_RECEIVER = _executeOnReceiverPermission;
            PERMISSION_EXECUTE = _executePermission;
            _registerPermission(PERMISSION_EXECUTE_ON_RECEIVER);
            _registerPermission(PERMISSION_EXECUTE);
          }
          function executeOnReceiver(
            uint256 _id,
            address payable _to,
            uint256 _value,
            bytes calldata _data
          ) external notPaused onlyPermissioned(PERMISSION_EXECUTE_ON_RECEIVER) returns (bytes memory) {
            return executeOnReceiver(_id, _to, _value, _data);
          }
          function execute(
            address payable _to,
            uint256 _value,
            bytes calldata _data
          ) external notPaused onlyPermissioned(PERMISSION_EXECUTE) returns (bytes memory) {
            (bool res, bytes memory result) = _to.call{ value: _value }(_data);
            if (!res) revert CallError(_to, _value, _data, result);
            return result;
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/commons/Permissions.sol";
        import "src/commons/Pausable.sol";
        import "src/interfaces/IERC721Deterministic.sol";
        abstract contract VaultIssueERC721 is Permissions, Pausable {
          uint8 public immutable PERMISSION_ISSUE_ERC721;
          error ArrayLengthMismatchIssueERC721(uint256 _array1, uint256 _array2, uint256 _array3);
          constructor (uint8 _issueERC721Permission) {
            PERMISSION_ISSUE_ERC721 = _issueERC721Permission;
            _registerPermission(PERMISSION_ISSUE_ERC721);
          }
          function issueERC721(
            address _beneficiary,
            IERC721Deterministic _contract,
            uint256 _optionId,
            uint256 _issuedId
          ) external notPaused onlyPermissioned(PERMISSION_ISSUE_ERC721) {
            _contract.issueToken(_beneficiary, _optionId, _issuedId);
          }
          function issueBatchERC721(
            address _beneficiary,
            IERC721Deterministic[] calldata _contracts,
            uint256[] calldata _optionIds,
            uint256[] calldata _issuedIds
          ) external notPaused onlyPermissioned(PERMISSION_ISSUE_ERC721) {
            unchecked {
              uint256 contractsLength = _contracts.length;
              if (contractsLength != _optionIds.length || contractsLength != _issuedIds.length) {
                revert ArrayLengthMismatchIssueERC721(contractsLength, _optionIds.length, _issuedIds.length);
              }
              for (uint256 i = 0; i < contractsLength; ++i) {
                _contracts[i].issueToken(_beneficiary, _optionIds[i], _issuedIds[i]);
              }
            }
          }
        }
        // SPDX-License-Identifier: UNLICENSED
        pragma solidity ^0.8.16;
        import "src/commons/receiver/ReceiverHub.sol";
        import "src/commons/Permissions.sol";
        import "src/commons/Pausable.sol";
        abstract contract VaultNewReceivers is ReceiverHub, Permissions, Pausable {
          uint8 public immutable PERMISSION_DEPLOY_RECEIVER;
          constructor (uint8 _deployReceiverPermission) {
            PERMISSION_DEPLOY_RECEIVER = _deployReceiverPermission;
            _registerPermission(PERMISSION_DEPLOY_RECEIVER);
          }
          function deployReceivers(
            uint256[] calldata _receivers
          ) external notPaused onlyPermissioned(PERMISSION_DEPLOY_RECEIVER) {
            unchecked {
              uint256 receiversLength = _receivers.length;
              for (uint256 i = 0; i < receiversLength; ++i) {
                useReceiver(_receivers[i]);
              }
            }
          }
          function deployReceiversRange(
            uint256 _from,
            uint256 _to
          ) external notPaused onlyPermissioned(PERMISSION_DEPLOY_RECEIVER) {
            unchecked {
              for (uint256 i = _from; i < _to; ++i) {
                useReceiver(i);
              }
            }
          }
        }
        

        File 2 of 2: ERC721DeterministicCollection
        // File: @openzeppelin/contracts/ownership/Ownable.sol
        
        pragma solidity ^0.5.0;
        
        /**
         * @dev Contract module which provides a basic access control mechanism, where
         * there is an account (an owner) that can be granted exclusive access to
         * specific functions.
         *
         * This module is used through inheritance. It will make available the modifier
         * `onlyOwner`, which can be aplied to your functions to restrict their use to
         * the owner.
         */
        contract Ownable {
            address private _owner;
        
            event OwnershipTransferred(address indexed previousOwner, address indexed newOwner);
        
            /**
             * @dev Initializes the contract setting the deployer as the initial owner.
             */
            constructor () internal {
                _owner = msg.sender;
                emit OwnershipTransferred(address(0), _owner);
            }
        
            /**
             * @dev Returns the address of the current owner.
             */
            function owner() public view returns (address) {
                return _owner;
            }
        
            /**
             * @dev Throws if called by any account other than the owner.
             */
            modifier onlyOwner() {
                require(isOwner(), "Ownable: caller is not the owner");
                _;
            }
        
            /**
             * @dev Returns true if the caller is the current owner.
             */
            function isOwner() public view returns (bool) {
                return msg.sender == _owner;
            }
        
            /**
             * @dev Leaves the contract without owner. It will not be possible to call
             * `onlyOwner` functions anymore. Can only be called by the current owner.
             *
             * > Note: Renouncing ownership will leave the contract without an owner,
             * thereby removing any functionality that is only available to the owner.
             */
            function renounceOwnership() public onlyOwner {
                emit OwnershipTransferred(_owner, address(0));
                _owner = address(0);
            }
        
            /**
             * @dev Transfers ownership of the contract to a new account (`newOwner`).
             * Can only be called by the current owner.
             */
            function transferOwnership(address newOwner) public onlyOwner {
                _transferOwnership(newOwner);
            }
        
            /**
             * @dev Transfers ownership of the contract to a new account (`newOwner`).
             */
            function _transferOwnership(address newOwner) internal {
                require(newOwner != address(0), "Ownable: new owner is the zero address");
                emit OwnershipTransferred(_owner, newOwner);
                _owner = newOwner;
            }
        }
        
        // File: @openzeppelin/contracts/introspection/IERC165.sol
        
        pragma solidity ^0.5.0;
        
        /**
         * @dev Interface of the ERC165 standard, as defined in the
         * [EIP](https://eips.ethereum.org/EIPS/eip-165).
         *
         * Implementers can declare support of contract interfaces, which can then be
         * queried by others (`ERC165Checker`).
         *
         * For an implementation, see `ERC165`.
         */
        interface IERC165 {
            /**
             * @dev Returns true if this contract implements the interface defined by
             * `interfaceId`. See the corresponding
             * [EIP section](https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified)
             * to learn more about how these ids are created.
             *
             * This function call must use less than 30 000 gas.
             */
            function supportsInterface(bytes4 interfaceId) external view returns (bool);
        }
        
        // File: @openzeppelin/contracts/token/ERC721/IERC721.sol
        
        pragma solidity ^0.5.0;
        
        
        /**
         * @dev Required interface of an ERC721 compliant contract.
         */
        contract IERC721 is IERC165 {
            event Transfer(address indexed from, address indexed to, uint256 indexed tokenId);
            event Approval(address indexed owner, address indexed approved, uint256 indexed tokenId);
            event ApprovalForAll(address indexed owner, address indexed operator, bool approved);
        
            /**
             * @dev Returns the number of NFTs in `owner`'s account.
             */
            function balanceOf(address owner) public view returns (uint256 balance);
        
            /**
             * @dev Returns the owner of the NFT specified by `tokenId`.
             */
            function ownerOf(uint256 tokenId) public view returns (address owner);
        
            /**
             * @dev Transfers a specific NFT (`tokenId`) from one account (`from`) to
             * another (`to`).
             *
             * 
             *
             * Requirements:
             * - `from`, `to` cannot be zero.
             * - `tokenId` must be owned by `from`.
             * - If the caller is not `from`, it must be have been allowed to move this
             * NFT by either `approve` or `setApproveForAll`.
             */
            function safeTransferFrom(address from, address to, uint256 tokenId) public;
            /**
             * @dev Transfers a specific NFT (`tokenId`) from one account (`from`) to
             * another (`to`).
             *
             * Requirements:
             * - If the caller is not `from`, it must be approved to move this NFT by
             * either `approve` or `setApproveForAll`.
             */
            function transferFrom(address from, address to, uint256 tokenId) public;
            function approve(address to, uint256 tokenId) public;
            function getApproved(uint256 tokenId) public view returns (address operator);
        
            function setApprovalForAll(address operator, bool _approved) public;
            function isApprovedForAll(address owner, address operator) public view returns (bool);
        
        
            function safeTransferFrom(address from, address to, uint256 tokenId, bytes memory data) public;
        }
        
        // File: @openzeppelin/contracts/token/ERC721/IERC721Receiver.sol
        
        pragma solidity ^0.5.0;
        
        /**
         * @title ERC721 token receiver interface
         * @dev Interface for any contract that wants to support safeTransfers
         * from ERC721 asset contracts.
         */
        contract IERC721Receiver {
            /**
             * @notice Handle the receipt of an NFT
             * @dev The ERC721 smart contract calls this function on the recipient
             * after a `safeTransfer`. This function MUST return the function selector,
             * otherwise the caller will revert the transaction. The selector to be
             * returned can be obtained as `this.onERC721Received.selector`. This
             * function MAY throw to revert and reject the transfer.
             * Note: the ERC721 contract address is always the message sender.
             * @param operator The address which called `safeTransferFrom` function
             * @param from The address which previously owned the token
             * @param tokenId The NFT identifier which is being transferred
             * @param data Additional data with no specified format
             * @return bytes4 `bytes4(keccak256("onERC721Received(address,address,uint256,bytes)"))`
             */
            function onERC721Received(address operator, address from, uint256 tokenId, bytes memory data)
            public returns (bytes4);
        }
        
        // File: @openzeppelin/contracts/math/SafeMath.sol
        
        pragma solidity ^0.5.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) {
                require(b <= a, "SafeMath: subtraction overflow");
                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) {
                // Solidity only automatically asserts when dividing by 0
                require(b > 0, "SafeMath: division by zero");
                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) {
                require(b != 0, "SafeMath: modulo by zero");
                return a % b;
            }
        }
        
        // File: @openzeppelin/contracts/utils/Address.sol
        
        pragma solidity ^0.5.0;
        
        /**
         * @dev Collection of functions related to the address type,
         */
        library Address {
            /**
             * @dev Returns true if `account` is a contract.
             *
             * This test is non-exhaustive, and there may be false-negatives: during the
             * execution of a contract's constructor, its address will be reported as
             * not containing a contract.
             *
             * > It is unsafe to assume that an address for which this function returns
             * false is an externally-owned account (EOA) and not a contract.
             */
            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;
            }
        }
        
        // File: @openzeppelin/contracts/drafts/Counters.sol
        
        pragma solidity ^0.5.0;
        
        
        /**
         * @title Counters
         * @author Matt Condon (@shrugs)
         * @dev Provides counters that can only be incremented or decremented by one. This can be used e.g. to track the number
         * of elements in a mapping, issuing ERC721 ids, or counting request ids.
         *
         * Include with `using Counters for Counters.Counter;`
         * Since it is not possible to overflow a 256 bit integer with increments of one, `increment` can skip the SafeMath
         * overflow check, thereby saving gas. This does assume however correct usage, in that the underlying `_value` is never
         * directly accessed.
         */
        library Counters {
            using SafeMath for uint256;
        
            struct Counter {
                // This variable should never be directly accessed by users of the library: interactions must be restricted to
                // the library's function. As of Solidity v0.5.2, this cannot be enforced, though there is a proposal to add
                // this feature: see https://github.com/ethereum/solidity/issues/4637
                uint256 _value; // default: 0
            }
        
            function current(Counter storage counter) internal view returns (uint256) {
                return counter._value;
            }
        
            function increment(Counter storage counter) internal {
                counter._value += 1;
            }
        
            function decrement(Counter storage counter) internal {
                counter._value = counter._value.sub(1);
            }
        }
        
        // File: @openzeppelin/contracts/introspection/ERC165.sol
        
        pragma solidity ^0.5.0;
        
        
        /**
         * @dev Implementation of the `IERC165` interface.
         *
         * Contracts may inherit from this and call `_registerInterface` to declare
         * their support of an interface.
         */
        contract ERC165 is IERC165 {
            /*
             * bytes4(keccak256('supportsInterface(bytes4)')) == 0x01ffc9a7
             */
            bytes4 private constant _INTERFACE_ID_ERC165 = 0x01ffc9a7;
        
            /**
             * @dev Mapping of interface ids to whether or not it's supported.
             */
            mapping(bytes4 => bool) private _supportedInterfaces;
        
            constructor () internal {
                // Derived contracts need only register support for their own interfaces,
                // we register support for ERC165 itself here
                _registerInterface(_INTERFACE_ID_ERC165);
            }
        
            /**
             * @dev See `IERC165.supportsInterface`.
             *
             * Time complexity O(1), guaranteed to always use less than 30 000 gas.
             */
            function supportsInterface(bytes4 interfaceId) external view returns (bool) {
                return _supportedInterfaces[interfaceId];
            }
        
            /**
             * @dev Registers the contract as an implementer of the interface defined by
             * `interfaceId`. Support of the actual ERC165 interface is automatic and
             * registering its interface id is not required.
             *
             * See `IERC165.supportsInterface`.
             *
             * Requirements:
             *
             * - `interfaceId` cannot be the ERC165 invalid interface (`0xffffffff`).
             */
            function _registerInterface(bytes4 interfaceId) internal {
                require(interfaceId != 0xffffffff, "ERC165: invalid interface id");
                _supportedInterfaces[interfaceId] = true;
            }
        }
        
        // File: @openzeppelin/contracts/token/ERC721/ERC721.sol
        
        pragma solidity ^0.5.0;
        
        
        
        
        
        
        
        /**
         * @title ERC721 Non-Fungible Token Standard basic implementation
         * @dev see https://eips.ethereum.org/EIPS/eip-721
         */
        contract ERC721 is ERC165, IERC721 {
            using SafeMath for uint256;
            using Address for address;
            using Counters for Counters.Counter;
        
            // Equals to `bytes4(keccak256("onERC721Received(address,address,uint256,bytes)"))`
            // which can be also obtained as `IERC721Receiver(0).onERC721Received.selector`
            bytes4 private constant _ERC721_RECEIVED = 0x150b7a02;
        
            // Mapping from token ID to owner
            mapping (uint256 => address) private _tokenOwner;
        
            // Mapping from token ID to approved address
            mapping (uint256 => address) private _tokenApprovals;
        
            // Mapping from owner to number of owned token
            mapping (address => Counters.Counter) private _ownedTokensCount;
        
            // Mapping from owner to operator approvals
            mapping (address => mapping (address => bool)) private _operatorApprovals;
        
            /*
             *     bytes4(keccak256('balanceOf(address)')) == 0x70a08231
             *     bytes4(keccak256('ownerOf(uint256)')) == 0x6352211e
             *     bytes4(keccak256('approve(address,uint256)')) == 0x095ea7b3
             *     bytes4(keccak256('getApproved(uint256)')) == 0x081812fc
             *     bytes4(keccak256('setApprovalForAll(address,bool)')) == 0xa22cb465
             *     bytes4(keccak256('isApprovedForAll(address,address)')) == 0xe985e9c
             *     bytes4(keccak256('transferFrom(address,address,uint256)')) == 0x23b872dd
             *     bytes4(keccak256('safeTransferFrom(address,address,uint256)')) == 0x42842e0e
             *     bytes4(keccak256('safeTransferFrom(address,address,uint256,bytes)')) == 0xb88d4fde
             *
             *     => 0x70a08231 ^ 0x6352211e ^ 0x095ea7b3 ^ 0x081812fc ^
             *        0xa22cb465 ^ 0xe985e9c ^ 0x23b872dd ^ 0x42842e0e ^ 0xb88d4fde == 0x80ac58cd
             */
            bytes4 private constant _INTERFACE_ID_ERC721 = 0x80ac58cd;
        
            constructor () public {
                // register the supported interfaces to conform to ERC721 via ERC165
                _registerInterface(_INTERFACE_ID_ERC721);
            }
        
            /**
             * @dev Gets the balance of the specified address.
             * @param owner address to query the balance of
             * @return uint256 representing the amount owned by the passed address
             */
            function balanceOf(address owner) public view returns (uint256) {
                require(owner != address(0), "ERC721: balance query for the zero address");
        
                return _ownedTokensCount[owner].current();
            }
        
            /**
             * @dev Gets the owner of the specified token ID.
             * @param tokenId uint256 ID of the token to query the owner of
             * @return address currently marked as the owner of the given token ID
             */
            function ownerOf(uint256 tokenId) public view returns (address) {
                address owner = _tokenOwner[tokenId];
                require(owner != address(0), "ERC721: owner query for nonexistent token");
        
                return owner;
            }
        
            /**
             * @dev Approves another address to transfer the given token ID
             * The zero address indicates there is no approved address.
             * There can only be one approved address per token at a given time.
             * Can only be called by the token owner or an approved operator.
             * @param to address to be approved for the given token ID
             * @param tokenId uint256 ID of the token to be approved
             */
            function approve(address to, uint256 tokenId) public {
                address owner = ownerOf(tokenId);
                require(to != owner, "ERC721: approval to current owner");
        
                require(msg.sender == owner || isApprovedForAll(owner, msg.sender),
                    "ERC721: approve caller is not owner nor approved for all"
                );
        
                _tokenApprovals[tokenId] = to;
                emit Approval(owner, to, tokenId);
            }
        
            /**
             * @dev Gets the approved address for a token ID, or zero if no address set
             * Reverts if the token ID does not exist.
             * @param tokenId uint256 ID of the token to query the approval of
             * @return address currently approved for the given token ID
             */
            function getApproved(uint256 tokenId) public view returns (address) {
                require(_exists(tokenId), "ERC721: approved query for nonexistent token");
        
                return _tokenApprovals[tokenId];
            }
        
            /**
             * @dev Sets or unsets the approval of a given operator
             * An operator is allowed to transfer all tokens of the sender on their behalf.
             * @param to operator address to set the approval
             * @param approved representing the status of the approval to be set
             */
            function setApprovalForAll(address to, bool approved) public {
                require(to != msg.sender, "ERC721: approve to caller");
        
                _operatorApprovals[msg.sender][to] = approved;
                emit ApprovalForAll(msg.sender, to, approved);
            }
        
            /**
             * @dev Tells whether an operator is approved by a given owner.
             * @param owner owner address which you want to query the approval of
             * @param operator operator address which you want to query the approval of
             * @return bool whether the given operator is approved by the given owner
             */
            function isApprovedForAll(address owner, address operator) public view returns (bool) {
                return _operatorApprovals[owner][operator];
            }
        
            /**
             * @dev Transfers the ownership of a given token ID to another address.
             * Usage of this method is discouraged, use `safeTransferFrom` whenever possible.
             * Requires the msg.sender to be the owner, approved, or operator.
             * @param from current owner of the token
             * @param to address to receive the ownership of the given token ID
             * @param tokenId uint256 ID of the token to be transferred
             */
            function transferFrom(address from, address to, uint256 tokenId) public {
                //solhint-disable-next-line max-line-length
                require(_isApprovedOrOwner(msg.sender, tokenId), "ERC721: transfer caller is not owner nor approved");
        
                _transferFrom(from, to, tokenId);
            }
        
            /**
             * @dev Safely transfers the ownership of a given token ID to another address
             * If the target address is a contract, it must implement `onERC721Received`,
             * which is called upon a safe transfer, and return the magic value
             * `bytes4(keccak256("onERC721Received(address,address,uint256,bytes)"))`; otherwise,
             * the transfer is reverted.
             * Requires the msg.sender to be the owner, approved, or operator
             * @param from current owner of the token
             * @param to address to receive the ownership of the given token ID
             * @param tokenId uint256 ID of the token to be transferred
             */
            function safeTransferFrom(address from, address to, uint256 tokenId) public {
                safeTransferFrom(from, to, tokenId, "");
            }
        
            /**
             * @dev Safely transfers the ownership of a given token ID to another address
             * If the target address is a contract, it must implement `onERC721Received`,
             * which is called upon a safe transfer, and return the magic value
             * `bytes4(keccak256("onERC721Received(address,address,uint256,bytes)"))`; otherwise,
             * the transfer is reverted.
             * Requires the msg.sender to be the owner, approved, or operator
             * @param from current owner of the token
             * @param to address to receive the ownership of the given token ID
             * @param tokenId uint256 ID of the token to be transferred
             * @param _data bytes data to send along with a safe transfer check
             */
            function safeTransferFrom(address from, address to, uint256 tokenId, bytes memory _data) public {
                transferFrom(from, to, tokenId);
                require(_checkOnERC721Received(from, to, tokenId, _data), "ERC721: transfer to non ERC721Receiver implementer");
            }
        
            /**
             * @dev Returns whether the specified token exists.
             * @param tokenId uint256 ID of the token to query the existence of
             * @return bool whether the token exists
             */
            function _exists(uint256 tokenId) internal view returns (bool) {
                address owner = _tokenOwner[tokenId];
                return owner != address(0);
            }
        
            /**
             * @dev Returns whether the given spender can transfer a given token ID.
             * @param spender address of the spender to query
             * @param tokenId uint256 ID of the token to be transferred
             * @return bool whether the msg.sender is approved for the given token ID,
             * is an operator of the owner, or is the owner of the token
             */
            function _isApprovedOrOwner(address spender, uint256 tokenId) internal view returns (bool) {
                require(_exists(tokenId), "ERC721: operator query for nonexistent token");
                address owner = ownerOf(tokenId);
                return (spender == owner || getApproved(tokenId) == spender || isApprovedForAll(owner, spender));
            }
        
            /**
             * @dev Internal function to mint a new token.
             * Reverts if the given token ID already exists.
             * @param to The address that will own the minted token
             * @param tokenId uint256 ID of the token to be minted
             */
            function _mint(address to, uint256 tokenId) internal {
                require(to != address(0), "ERC721: mint to the zero address");
                require(!_exists(tokenId), "ERC721: token already minted");
        
                _tokenOwner[tokenId] = to;
                _ownedTokensCount[to].increment();
        
                emit Transfer(address(0), to, tokenId);
            }
        
            /**
             * @dev Internal function to burn a specific token.
             * Reverts if the token does not exist.
             * Deprecated, use _burn(uint256) instead.
             * @param owner owner of the token to burn
             * @param tokenId uint256 ID of the token being burned
             */
            function _burn(address owner, uint256 tokenId) internal {
                require(ownerOf(tokenId) == owner, "ERC721: burn of token that is not own");
        
                _clearApproval(tokenId);
        
                _ownedTokensCount[owner].decrement();
                _tokenOwner[tokenId] = address(0);
        
                emit Transfer(owner, address(0), tokenId);
            }
        
            /**
             * @dev Internal function to burn a specific token.
             * Reverts if the token does not exist.
             * @param tokenId uint256 ID of the token being burned
             */
            function _burn(uint256 tokenId) internal {
                _burn(ownerOf(tokenId), tokenId);
            }
        
            /**
             * @dev Internal function to transfer ownership of a given token ID to another address.
             * As opposed to transferFrom, this imposes no restrictions on msg.sender.
             * @param from current owner of the token
             * @param to address to receive the ownership of the given token ID
             * @param tokenId uint256 ID of the token to be transferred
             */
            function _transferFrom(address from, address to, uint256 tokenId) internal {
                require(ownerOf(tokenId) == from, "ERC721: transfer of token that is not own");
                require(to != address(0), "ERC721: transfer to the zero address");
        
                _clearApproval(tokenId);
        
                _ownedTokensCount[from].decrement();
                _ownedTokensCount[to].increment();
        
                _tokenOwner[tokenId] = to;
        
                emit Transfer(from, to, tokenId);
            }
        
            /**
             * @dev Internal function to invoke `onERC721Received` on a target address.
             * The call is not executed if the target address is not a contract.
             *
             * This function is deprecated.
             * @param from address representing the previous owner of the given token ID
             * @param to target address that will receive the tokens
             * @param tokenId uint256 ID of the token to be transferred
             * @param _data bytes optional data to send along with the call
             * @return bool whether the call correctly returned the expected magic value
             */
            function _checkOnERC721Received(address from, address to, uint256 tokenId, bytes memory _data)
                internal returns (bool)
            {
                if (!to.isContract()) {
                    return true;
                }
        
                bytes4 retval = IERC721Receiver(to).onERC721Received(msg.sender, from, tokenId, _data);
                return (retval == _ERC721_RECEIVED);
            }
        
            /**
             * @dev Private function to clear current approval of a given token ID.
             * @param tokenId uint256 ID of the token to be transferred
             */
            function _clearApproval(uint256 tokenId) private {
                if (_tokenApprovals[tokenId] != address(0)) {
                    _tokenApprovals[tokenId] = address(0);
                }
            }
        }
        
        // File: @openzeppelin/contracts/token/ERC721/IERC721Enumerable.sol
        
        pragma solidity ^0.5.0;
        
        
        /**
         * @title ERC-721 Non-Fungible Token Standard, optional enumeration extension
         * @dev See https://eips.ethereum.org/EIPS/eip-721
         */
        contract IERC721Enumerable is IERC721 {
            function totalSupply() public view returns (uint256);
            function tokenOfOwnerByIndex(address owner, uint256 index) public view returns (uint256 tokenId);
        
            function tokenByIndex(uint256 index) public view returns (uint256);
        }
        
        // File: @openzeppelin/contracts/token/ERC721/ERC721Enumerable.sol
        
        pragma solidity ^0.5.0;
        
        
        
        
        /**
         * @title ERC-721 Non-Fungible Token with optional enumeration extension logic
         * @dev See https://eips.ethereum.org/EIPS/eip-721
         */
        contract ERC721Enumerable is ERC165, ERC721, IERC721Enumerable {
            // Mapping from owner to list of owned token IDs
            mapping(address => uint256[]) private _ownedTokens;
        
            // Mapping from token ID to index of the owner tokens list
            mapping(uint256 => uint256) private _ownedTokensIndex;
        
            // Array with all token ids, used for enumeration
            uint256[] private _allTokens;
        
            // Mapping from token id to position in the allTokens array
            mapping(uint256 => uint256) private _allTokensIndex;
        
            /*
             *     bytes4(keccak256('totalSupply()')) == 0x18160ddd
             *     bytes4(keccak256('tokenOfOwnerByIndex(address,uint256)')) == 0x2f745c59
             *     bytes4(keccak256('tokenByIndex(uint256)')) == 0x4f6ccce7
             *
             *     => 0x18160ddd ^ 0x2f745c59 ^ 0x4f6ccce7 == 0x780e9d63
             */
            bytes4 private constant _INTERFACE_ID_ERC721_ENUMERABLE = 0x780e9d63;
        
            /**
             * @dev Constructor function.
             */
            constructor () public {
                // register the supported interface to conform to ERC721Enumerable via ERC165
                _registerInterface(_INTERFACE_ID_ERC721_ENUMERABLE);
            }
        
            /**
             * @dev Gets the token ID at a given index of the tokens list of the requested owner.
             * @param owner address owning the tokens list to be accessed
             * @param index uint256 representing the index to be accessed of the requested tokens list
             * @return uint256 token ID at the given index of the tokens list owned by the requested address
             */
            function tokenOfOwnerByIndex(address owner, uint256 index) public view returns (uint256) {
                require(index < balanceOf(owner), "ERC721Enumerable: owner index out of bounds");
                return _ownedTokens[owner][index];
            }
        
            /**
             * @dev Gets the total amount of tokens stored by the contract.
             * @return uint256 representing the total amount of tokens
             */
            function totalSupply() public view returns (uint256) {
                return _allTokens.length;
            }
        
            /**
             * @dev Gets the token ID at a given index of all the tokens in this contract
             * Reverts if the index is greater or equal to the total number of tokens.
             * @param index uint256 representing the index to be accessed of the tokens list
             * @return uint256 token ID at the given index of the tokens list
             */
            function tokenByIndex(uint256 index) public view returns (uint256) {
                require(index < totalSupply(), "ERC721Enumerable: global index out of bounds");
                return _allTokens[index];
            }
        
            /**
             * @dev Internal function to transfer ownership of a given token ID to another address.
             * As opposed to transferFrom, this imposes no restrictions on msg.sender.
             * @param from current owner of the token
             * @param to address to receive the ownership of the given token ID
             * @param tokenId uint256 ID of the token to be transferred
             */
            function _transferFrom(address from, address to, uint256 tokenId) internal {
                super._transferFrom(from, to, tokenId);
        
                _removeTokenFromOwnerEnumeration(from, tokenId);
        
                _addTokenToOwnerEnumeration(to, tokenId);
            }
        
            /**
             * @dev Internal function to mint a new token.
             * Reverts if the given token ID already exists.
             * @param to address the beneficiary that will own the minted token
             * @param tokenId uint256 ID of the token to be minted
             */
            function _mint(address to, uint256 tokenId) internal {
                super._mint(to, tokenId);
        
                _addTokenToOwnerEnumeration(to, tokenId);
        
                _addTokenToAllTokensEnumeration(tokenId);
            }
        
            /**
             * @dev Internal function to burn a specific token.
             * Reverts if the token does not exist.
             * Deprecated, use _burn(uint256) instead.
             * @param owner owner of the token to burn
             * @param tokenId uint256 ID of the token being burned
             */
            function _burn(address owner, uint256 tokenId) internal {
                super._burn(owner, tokenId);
        
                _removeTokenFromOwnerEnumeration(owner, tokenId);
                // Since tokenId will be deleted, we can clear its slot in _ownedTokensIndex to trigger a gas refund
                _ownedTokensIndex[tokenId] = 0;
        
                _removeTokenFromAllTokensEnumeration(tokenId);
            }
        
            /**
             * @dev Gets the list of token IDs of the requested owner.
             * @param owner address owning the tokens
             * @return uint256[] List of token IDs owned by the requested address
             */
            function _tokensOfOwner(address owner) internal view returns (uint256[] storage) {
                return _ownedTokens[owner];
            }
        
            /**
             * @dev Private function to add a token to this extension's ownership-tracking data structures.
             * @param to address representing the new owner of the given token ID
             * @param tokenId uint256 ID of the token to be added to the tokens list of the given address
             */
            function _addTokenToOwnerEnumeration(address to, uint256 tokenId) private {
                _ownedTokensIndex[tokenId] = _ownedTokens[to].length;
                _ownedTokens[to].push(tokenId);
            }
        
            /**
             * @dev Private function to add a token to this extension's token tracking data structures.
             * @param tokenId uint256 ID of the token to be added to the tokens list
             */
            function _addTokenToAllTokensEnumeration(uint256 tokenId) private {
                _allTokensIndex[tokenId] = _allTokens.length;
                _allTokens.push(tokenId);
            }
        
            /**
             * @dev Private function to remove a token from this extension's ownership-tracking data structures. Note that
             * while the token is not assigned a new owner, the _ownedTokensIndex mapping is _not_ updated: this allows for
             * gas optimizations e.g. when performing a transfer operation (avoiding double writes).
             * This has O(1) time complexity, but alters the order of the _ownedTokens array.
             * @param from address representing the previous owner of the given token ID
             * @param tokenId uint256 ID of the token to be removed from the tokens list of the given address
             */
            function _removeTokenFromOwnerEnumeration(address from, uint256 tokenId) private {
                // To prevent a gap in from's tokens array, we store the last token in the index of the token to delete, and
                // then delete the last slot (swap and pop).
        
                uint256 lastTokenIndex = _ownedTokens[from].length.sub(1);
                uint256 tokenIndex = _ownedTokensIndex[tokenId];
        
                // When the token to delete is the last token, the swap operation is unnecessary
                if (tokenIndex != lastTokenIndex) {
                    uint256 lastTokenId = _ownedTokens[from][lastTokenIndex];
        
                    _ownedTokens[from][tokenIndex] = lastTokenId; // Move the last token to the slot of the to-delete token
                    _ownedTokensIndex[lastTokenId] = tokenIndex; // Update the moved token's index
                }
        
                // This also deletes the contents at the last position of the array
                _ownedTokens[from].length--;
        
                // Note that _ownedTokensIndex[tokenId] hasn't been cleared: it still points to the old slot (now occupied by
                // lastTokenId, or just over the end of the array if the token was the last one).
            }
        
            /**
             * @dev Private function to remove a token from this extension's token tracking data structures.
             * This has O(1) time complexity, but alters the order of the _allTokens array.
             * @param tokenId uint256 ID of the token to be removed from the tokens list
             */
            function _removeTokenFromAllTokensEnumeration(uint256 tokenId) private {
                // To prevent a gap in the tokens array, we store the last token in the index of the token to delete, and
                // then delete the last slot (swap and pop).
        
                uint256 lastTokenIndex = _allTokens.length.sub(1);
                uint256 tokenIndex = _allTokensIndex[tokenId];
        
                // When the token to delete is the last token, the swap operation is unnecessary. However, since this occurs so
                // rarely (when the last minted token is burnt) that we still do the swap here to avoid the gas cost of adding
                // an 'if' statement (like in _removeTokenFromOwnerEnumeration)
                uint256 lastTokenId = _allTokens[lastTokenIndex];
        
                _allTokens[tokenIndex] = lastTokenId; // Move the last token to the slot of the to-delete token
                _allTokensIndex[lastTokenId] = tokenIndex; // Update the moved token's index
        
                // This also deletes the contents at the last position of the array
                _allTokens.length--;
                _allTokensIndex[tokenId] = 0;
            }
        }
        
        // File: @openzeppelin/contracts/token/ERC721/IERC721Metadata.sol
        
        pragma solidity ^0.5.0;
        
        
        /**
         * @title ERC-721 Non-Fungible Token Standard, optional metadata extension
         * @dev See https://eips.ethereum.org/EIPS/eip-721
         */
        contract IERC721Metadata is IERC721 {
            function name() external view returns (string memory);
            function symbol() external view returns (string memory);
            function tokenURI(uint256 tokenId) external view returns (string memory);
        }
        
        // File: @openzeppelin/contracts/token/ERC721/ERC721Metadata.sol
        
        pragma solidity ^0.5.0;
        
        
        
        
        contract ERC721Metadata is ERC165, ERC721, IERC721Metadata {
            // Token name
            string private _name;
        
            // Token symbol
            string private _symbol;
        
            // Optional mapping for token URIs
            mapping(uint256 => string) private _tokenURIs;
        
            /*
             *     bytes4(keccak256('name()')) == 0x06fdde03
             *     bytes4(keccak256('symbol()')) == 0x95d89b41
             *     bytes4(keccak256('tokenURI(uint256)')) == 0xc87b56dd
             *
             *     => 0x06fdde03 ^ 0x95d89b41 ^ 0xc87b56dd == 0x5b5e139f
             */
            bytes4 private constant _INTERFACE_ID_ERC721_METADATA = 0x5b5e139f;
        
            /**
             * @dev Constructor function
             */
            constructor (string memory name, string memory symbol) public {
                _name = name;
                _symbol = symbol;
        
                // register the supported interfaces to conform to ERC721 via ERC165
                _registerInterface(_INTERFACE_ID_ERC721_METADATA);
            }
        
            /**
             * @dev Gets the token name.
             * @return string representing the token name
             */
            function name() external view returns (string memory) {
                return _name;
            }
        
            /**
             * @dev Gets the token symbol.
             * @return string representing the token symbol
             */
            function symbol() external view returns (string memory) {
                return _symbol;
            }
        
            /**
             * @dev Returns an URI for a given token ID.
             * Throws if the token ID does not exist. May return an empty string.
             * @param tokenId uint256 ID of the token to query
             */
            function tokenURI(uint256 tokenId) external view returns (string memory) {
                require(_exists(tokenId), "ERC721Metadata: URI query for nonexistent token");
                return _tokenURIs[tokenId];
            }
        
            /**
             * @dev Internal function to set the token URI for a given token.
             * Reverts if the token ID does not exist.
             * @param tokenId uint256 ID of the token to set its URI
             * @param uri string URI to assign
             */
            function _setTokenURI(uint256 tokenId, string memory uri) internal {
                require(_exists(tokenId), "ERC721Metadata: URI set of nonexistent token");
                _tokenURIs[tokenId] = uri;
            }
        
            /**
             * @dev Internal function to burn a specific token.
             * Reverts if the token does not exist.
             * Deprecated, use _burn(uint256) instead.
             * @param owner owner of the token to burn
             * @param tokenId uint256 ID of the token being burned by the msg.sender
             */
            function _burn(address owner, uint256 tokenId) internal {
                super._burn(owner, tokenId);
        
                // Clear metadata (if any)
                if (bytes(_tokenURIs[tokenId]).length != 0) {
                    delete _tokenURIs[tokenId];
                }
            }
        }
        
        // File: @openzeppelin/contracts/token/ERC721/ERC721Full.sol
        
        pragma solidity ^0.5.0;
        
        
        
        
        /**
         * @title Full ERC721 Token
         * This implementation includes all the required and some optional functionality of the ERC721 standard
         * Moreover, it includes approve all functionality using operator terminology
         * @dev see https://eips.ethereum.org/EIPS/eip-721
         */
        contract ERC721Full is ERC721, ERC721Enumerable, ERC721Metadata {
            constructor (string memory name, string memory symbol) public ERC721Metadata(name, symbol) {
                // solhint-disable-previous-line no-empty-blocks
            }
        }
        
        // File: contracts/libs/String.sol
        
        pragma solidity ^0.5.11;
        
        library String {
        
            /**
             * @dev Convert bytes32 to string.
             * @param _x - to be converted to string.
             * @return string
             */
            function bytes32ToString(bytes32 _x) internal pure returns (string memory) {
                bytes memory bytesString = new bytes(32);
                uint charCount = 0;
                for (uint j = 0; j < 32; j++) {
                    byte char = byte(bytes32(uint(_x) * 2 ** (8 * j)));
                    if (char != 0) {
                        bytesString[charCount] = char;
                        charCount++;
                    }
                }
                bytes memory bytesStringTrimmed = new bytes(charCount);
                for (uint j = 0; j < charCount; j++) {
                    bytesStringTrimmed[j] = bytesString[j];
                }
                return string(bytesStringTrimmed);
            }
        
            /**
             * @dev Convert uint to string.
             * @param _i - uint256 to be converted to string.
             * @return uint in string
             */
            function uintToString(uint _i) internal pure returns (string memory _uintAsString) {
                uint i = _i;
        
                if (i == 0) {
                    return "0";
                }
                uint j = i;
                uint len;
                while (j != 0) {
                    len++;
                    j /= 10;
                }
                bytes memory bstr = new bytes(len);
                uint k = len - 1;
                while (i != 0) {
                    bstr[k--] = byte(uint8(48 + i % 10));
                    i /= 10;
                }
                return string(bstr);
            }
        }
        
        // File: contracts/ERC721BaseCollection.sol
        
        pragma solidity ^0.5.11;
        
        
        
        
        contract ERC721BaseCollection is Ownable, ERC721Full {
            using String for bytes32;
            using String for uint256;
        
            mapping(bytes32 => uint256) public maxIssuance;
            mapping(bytes32 => uint) public issued;
            mapping(uint256 => string) internal _tokenPaths;
            mapping(address => bool) public allowed;
        
            string[] public wearables;
        
            string public baseURI;
            bool public isComplete;
        
            event BaseURI(string _oldBaseURI, string _newBaseURI);
            event Allowed(address indexed _operator, bool _allowed);
            event AddWearable(bytes32 indexed _wearableIdKey, string _wearableId, uint256 _maxIssuance);
            event Issue(address indexed _beneficiary, uint256 indexed _tokenId, bytes32 indexed _wearableIdKey, string _wearableId, uint256 _issuedId);
            event Complete();
        
        
            /**
             * @dev Create the contract.
             * @param _name - name of the contract
             * @param _symbol - symbol of the contract
             * @param _operator - Address allowed to mint tokens
             * @param _baseURI - base URI for token URIs
             */
            constructor(string memory _name, string memory _symbol, address _operator, string memory _baseURI) public ERC721Full(_name, _symbol) {
                setAllowed(_operator, true);
                setBaseURI(_baseURI);
            }
        
            modifier onlyAllowed() {
                require(allowed[msg.sender], "Only an `allowed` address can issue tokens");
                _;
            }
        
        
            /**
             * @dev Set Base URI.
             * @param _baseURI - base URI for token URIs
             */
            function setBaseURI(string memory _baseURI) public onlyOwner {
                emit BaseURI(baseURI, _baseURI);
                baseURI = _baseURI;
            }
        
            /**
             * @dev Set allowed account to issue tokens.
             * @param _operator - Address allowed to issue tokens
             * @param _allowed - Whether is allowed or not
             */
            function setAllowed(address _operator, bool _allowed) public onlyOwner {
                require(_operator != address(0), "Invalid address");
                require(allowed[_operator] != _allowed, "You should set a different value");
        
                allowed[_operator] = _allowed;
                emit Allowed(_operator, _allowed);
            }
        
        
            /**
             * @dev Returns an URI for a given token ID.
             * Throws if the token ID does not exist. May return an empty string.
             * @param _tokenId - uint256 ID of the token queried
             * @return token URI
             */
            function tokenURI(uint256 _tokenId) external view returns (string memory) {
                require(_exists(_tokenId), "ERC721Metadata: received a URI query for a nonexistent token");
                return string(abi.encodePacked(baseURI, _tokenPaths[_tokenId]));
            }
        
        
            /**
             * @dev Transfers the ownership of given tokens ID to another address.
             * Usage of this method is discouraged, use {safeBatchTransferFrom} whenever possible.
             * Requires the msg.sender to be the owner, approved, or operator.
             * @param _from current owner of the token
             * @param _to address to receive the ownership of the given token ID
             * @param _tokenIds uint256 ID of the token to be transferred
             */
            function batchTransferFrom(address _from, address _to, uint256[] calldata _tokenIds) external {
                for (uint256 i = 0; i < _tokenIds.length; i++) {
                    transferFrom(_from, _to, _tokenIds[i]);
                }
            }
        
            /**
             * @dev Returns the wearables length.
             * @return wearable length
             */
            function wearablesCount() external view returns (uint256) {
                return wearables.length;
            }
        
            /**
             * @dev Complete the collection.
             * @notice that it will only prevent for adding more wearables.
             * The issuance is still allowed.
             */
            function completeCollection() external onlyOwner {
                require(!isComplete, "The collection is already completed");
                isComplete = true;
                emit Complete();
            }
        
             /**
             * @dev Add a new wearable to the collection.
             * @notice that this method should only allow wearableIds less than or equal to 32 bytes
             * @param _wearableIds - wearable ids
             * @param _maxIssuances - total supply for the wearables
             */
            function addWearables(bytes32[] calldata _wearableIds, uint256[] calldata _maxIssuances) external onlyOwner {
                require(_wearableIds.length == _maxIssuances.length, "Parameters should have the same length");
        
                for (uint256 i = 0; i < _wearableIds.length; i++) {
                    addWearable(_wearableIds[i].bytes32ToString(), _maxIssuances[i]);
                }
            }
        
            /**
             * @dev Add a new wearable to the collection.
             * @notice that this method allows wearableIds of any size. It should be used
             * if a wearableId is greater than 32 bytes
             * @param _wearableId - wearable id
             * @param _maxIssuance - total supply for the wearable
             */
            function addWearable(string memory _wearableId, uint256 _maxIssuance) public onlyOwner {
                require(!isComplete, "The collection is complete");
                bytes32 key = getWearableKey(_wearableId);
        
                require(maxIssuance[key] == 0, "Can not modify an existing wearable");
                require(_maxIssuance > 0, "Max issuance should be greater than 0");
        
                maxIssuance[key] = _maxIssuance;
                wearables.push(_wearableId);
        
                emit AddWearable(key, _wearableId, _maxIssuance);
            }
        
            /**
             * @dev Safely transfers the ownership of given token IDs to another address
             * If the target address is a contract, it must implement {IERC721Receiver-onERC721Received},
             * which is called upon a safe transfer, and return the magic value
             * `bytes4(keccak256("onERC721Received(address,address,uint256,bytes)"))`; otherwise,
             * the transfer is reverted.
             * Requires the msg.sender to be the owner, approved, or operator
             * @param _from - current owner of the token
             * @param _to - address to receive the ownership of the given token ID
             * @param _tokenIds - uint256 IDs of the tokens to be transferred
             */
            function safeBatchTransferFrom(address _from, address _to, uint256[] memory _tokenIds) public {
                safeBatchTransferFrom(_from, _to, _tokenIds, "");
            }
        
            /**
             * @dev Safely transfers the ownership of given token IDs to another address
             * If the target address is a contract, it must implement {IERC721Receiver-onERC721Received},
             * which is called upon a safe transfer, and return the magic value
             * `bytes4(keccak256("onERC721Received(address,address,uint256,bytes)"))`; otherwise,
             * the transfer is reverted.
             * Requires the msg.sender to be the owner, approved, or operator
             * @param _from - current owner of the token
             * @param _to - address to receive the ownership of the given token ID
             * @param _tokenIds - uint256 ID of the tokens to be transferred
             * @param _data bytes data to send along with a safe transfer check
             */
            function safeBatchTransferFrom(address _from, address _to, uint256[] memory _tokenIds, bytes memory _data) public {
                for (uint256 i = 0; i < _tokenIds.length; i++) {
                    safeTransferFrom(_from, _to, _tokenIds[i], _data);
                }
            }
        
            /**
             * @dev Get keccak256 of a wearableId.
             * @param _wearableId - token wearable
             * @return bytes32 keccak256 of the wearableId
             */
            function getWearableKey(string memory _wearableId) public pure returns (bytes32) {
                return keccak256(abi.encodePacked(_wearableId));
            }
        
            /**
             * @dev Mint a new NFT of the specified kind.
             * @notice that will throw if kind has reached its maximum or is invalid
             * @param _beneficiary - owner of the token
             * @param _tokenId - token
             * @param _wearableIdKey - wearable key
             * @param _wearableId - token wearable
             * @param _issuedId - issued id
             */
            function _mint(
                address _beneficiary,
                uint256 _tokenId,
                bytes32 _wearableIdKey,
                string memory _wearableId,
                uint256 _issuedId
            ) internal {
                // Check issuance
                require(
                    _issuedId > 0 && _issuedId <= maxIssuance[_wearableIdKey],
                    "Invalid issued id"
                );
                require(issued[_wearableIdKey] < maxIssuance[_wearableIdKey], "Option exhausted");
        
                // Mint erc721 token
                super._mint(_beneficiary, _tokenId);
        
                // Increase issuance
                issued[_wearableIdKey] = issued[_wearableIdKey] + 1;
        
                // Log
                emit Issue(_beneficiary, _tokenId, _wearableIdKey, _wearableId, _issuedId);
            }
        }
        
        // File: contracts/ERC721DeterministicCollection.sol
        
        pragma solidity ^0.5.11;
        
        
        
        
        
        contract ERC721DeterministicCollection is Ownable, ERC721Full, ERC721BaseCollection {
            uint8 constant public OPTIONS_BITS = 40;
            uint8 constant public ISSUANCE_BITS = 216;
        
            uint40 constant public MAX_OPTIONS = uint40(-1);
            uint216 constant public MAX_ISSUANCE = uint216(-1);
        
            /**
             * @dev Create the contract.
             * @param _name - name of the contract
             * @param _symbol - symbol of the contract
             * @param _operator - Address allowed to mint tokens
             * @param _baseURI - base URI for token URIs
             */
            constructor(
                string memory _name,
                string memory _symbol,
                address _operator,
                string memory _baseURI
            ) public ERC721BaseCollection(_name, _symbol, _operator, _baseURI) {}
        
             /**
             * @dev Add a new wearable to the collection.
             * @notice that this method allows wearableIds of any size. It should be used
             * if a wearableId is greater than 32 bytes
             * @param _wearableId - wearable id
             * @param _maxIssuance - total supply for the wearable
             */
            function addWearable(string memory _wearableId, uint256 _maxIssuance) public onlyOwner {
                require(wearables.length < MAX_OPTIONS, "Wearables options have reached MAX_OPTIONS");
                require(_maxIssuance <= MAX_ISSUANCE, "Max issuance should be lower or equal than MAX_ISSUANCE");
        
                super.addWearable(_wearableId, _maxIssuance);
            }
        
             /**
             * @dev Returns an URI for a given token ID.
             * Throws if the token ID does not exist. May return an empty string.
             * @param _tokenId - uint256 ID of the token queried
             * @return token URI
             */
            function tokenURI(uint256 _tokenId) external view returns (string memory) {
                require(_exists(_tokenId), "ERC721Metadata: received a URI query for a nonexistent token");
        
                (uint256 optionId, uint256 issuedId) = _decodeTokenId(_tokenId);
        
                return string(abi.encodePacked(baseURI, wearables[optionId], "/", issuedId.uintToString()));
            }
        
            /**
             * @dev Issue a new NFT of the specified kind.
             * @notice that will throw if kind has reached its maximum or is invalid
             * @param _beneficiary - owner of the token
             * @param _optionId - option id
             * @param _issuedId - issued id
             */
            function issueToken(address _beneficiary,  uint256 _optionId, uint256 _issuedId) external onlyAllowed {
                _issueToken(_beneficiary, _optionId, _issuedId);
            }
        
            /**
             * @dev Issue NFTs.
             * @notice that will throw if kind has reached its maximum or is invalid
             * @param _beneficiaries - owner of the tokens
             * @param _optionIds - option ids
             * @param _issuedIds - issued ids
             */
            function issueTokens(address[] calldata _beneficiaries, uint256[] calldata _optionIds, uint256[] calldata _issuedIds) external onlyAllowed {
                require(_beneficiaries.length == _optionIds.length, "Parameters should have the same length");
                require(_optionIds.length == _issuedIds.length, "Parameters should have the same length");
        
                for (uint256 i = 0; i < _optionIds.length; i++) {
                    _issueToken(_beneficiaries[i],_optionIds[i], _issuedIds[i]);
                }
            }
        
            /**
             * @dev Issue a new NFT of the specified kind.
             * @notice that will throw if kind has reached its maximum or is invalid
             * @param _beneficiary - owner of the token
             * @param _optionId - option id
             * @param _issuedId - issued id
             */
            function _issueToken(address _beneficiary, uint256 _optionId, uint256 _issuedId) internal {
                // Check option id
                require(_optionId < wearables.length, "Invalid option id");
        
                // Get werable
                string memory wearableId = wearables[_optionId];
        
                // Get wearable key
                bytes32 key = getWearableKey(wearableId);
        
                // Encode token id
                uint tokenId = _encodeTokenId(_optionId, _issuedId);
        
                // Mint token
                _mint(_beneficiary, tokenId, key, wearableId, _issuedId);
            }
        
             /**
             * @dev Encode token id
             * @notice optionId (`optionBits` bits) + issuedId (`issuedIdBits` bits)
             * @param _optionId - option id
             * @param _issuedId - issued id
             * @return uint256 of the encoded id
             */
            function _encodeTokenId(uint256 _optionId, uint256 _issuedId) internal pure returns (uint256 id) {
                require(_optionId <= MAX_OPTIONS, "The option id should be lower or equal than the MAX_OPTIONS");
                require(_issuedId <= MAX_ISSUANCE, "The issuance id should be lower or equal than the MAX_ISSUANCE");
        
                // solium-disable-next-line security/no-inline-assembly
                assembly {
                    id := or(shl(ISSUANCE_BITS, _optionId), _issuedId)
                }
            }
        
            /**
             * @dev Decode token id
             * @notice optionId (`optionBits` bits) + issuedId (`issuedIdBits` bits)
             * @param _id - token id
             * @return uint256 of the option id
             * @return uint256 of the issued id
             */
            function _decodeTokenId(uint256 _id) internal pure returns (uint256 optionId, uint256 issuedId) {
                uint256 mask = MAX_ISSUANCE;
                // solium-disable-next-line security/no-inline-assembly
                assembly {
                    optionId := shr(ISSUANCE_BITS, _id)
                    issuedId := and(mask, _id)
                }
            }
        }