Created
November 4, 2020 06:45
-
-
Save rahuldamodar94/61e0ea462cfd22ccb846023ce5c001c7 to your computer and use it in GitHub Desktop.
plasma child
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// File: contracts/common/mixin/Initializable.sol | |
pragma solidity ^0.5.2; | |
contract Initializable { | |
bool inited = false; | |
modifier initializer() { | |
require(!inited, "already inited"); | |
inited = true; | |
_; | |
} | |
} | |
// File: contracts/child/ERC20Detailed.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title ERC20Detailed token | |
* @dev The decimals are only for visualization purposes. | |
* All the operations are done using the smallest and indivisible token unit, | |
* just as on Ethereum all the operations are done in wei. | |
*/ | |
contract ERC20Detailed { | |
string internal _name; | |
string internal _symbol; | |
uint8 internal _decimals; | |
constructor (string memory name, string memory symbol, uint8 decimals) public { | |
_name = name; | |
_symbol = symbol; | |
_decimals = decimals; | |
} | |
/** | |
* @return the name of the token. | |
*/ | |
function name() public view returns (string memory) { | |
return _name; | |
} | |
/** | |
* @return the symbol of the token. | |
*/ | |
function symbol() public view returns (string memory) { | |
return _symbol; | |
} | |
/** | |
* @return the number of decimals of the token. | |
*/ | |
function decimals() public view returns (uint8) { | |
return _decimals; | |
} | |
} | |
// File: openzeppelin-solidity/contracts/token/ERC20/IERC20.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title ERC20 interface | |
* @dev see https://eips.ethereum.org/EIPS/eip-20 | |
*/ | |
interface IERC20 { | |
function transfer(address to, uint256 value) external returns (bool); | |
function approve(address spender, uint256 value) external returns (bool); | |
function transferFrom(address from, address to, uint256 value) external returns (bool); | |
function totalSupply() external view returns (uint256); | |
function balanceOf(address who) external view returns (uint256); | |
function allowance(address owner, address spender) external view returns (uint256); | |
event Transfer(address indexed from, address indexed to, uint256 value); | |
event Approval(address indexed owner, address indexed spender, uint256 value); | |
} | |
// File: openzeppelin-solidity/contracts/math/SafeMath.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title SafeMath | |
* @dev Unsigned math operations with safety checks that revert on error | |
*/ | |
library SafeMath { | |
/** | |
* @dev Multiplies two unsigned integers, reverts on 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-solidity/pull/522 | |
if (a == 0) { | |
return 0; | |
} | |
uint256 c = a * b; | |
require(c / a == b); | |
return c; | |
} | |
/** | |
* @dev Integer division of two unsigned integers truncating the quotient, reverts on division by zero. | |
*/ | |
function div(uint256 a, uint256 b) internal pure returns (uint256) { | |
// Solidity only automatically asserts when dividing by 0 | |
require(b > 0); | |
uint256 c = a / b; | |
// assert(a == b * c + a % b); // There is no case in which this doesn't hold | |
return c; | |
} | |
/** | |
* @dev Subtracts two unsigned integers, reverts on overflow (i.e. if subtrahend is greater than minuend). | |
*/ | |
function sub(uint256 a, uint256 b) internal pure returns (uint256) { | |
require(b <= a); | |
uint256 c = a - b; | |
return c; | |
} | |
/** | |
* @dev Adds two unsigned integers, reverts on overflow. | |
*/ | |
function add(uint256 a, uint256 b) internal pure returns (uint256) { | |
uint256 c = a + b; | |
require(c >= a); | |
return c; | |
} | |
/** | |
* @dev Divides two unsigned integers and returns the remainder (unsigned integer modulo), | |
* reverts when dividing by zero. | |
*/ | |
function mod(uint256 a, uint256 b) internal pure returns (uint256) { | |
require(b != 0); | |
return a % b; | |
} | |
} | |
// File: openzeppelin-solidity/contracts/token/ERC20/ERC20.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title Standard ERC20 token | |
* | |
* @dev Implementation of the basic standard token. | |
* https://eips.ethereum.org/EIPS/eip-20 | |
* Originally based on code by FirstBlood: | |
* https://github.com/Firstbloodio/token/blob/master/smart_contract/FirstBloodToken.sol | |
* | |
* This implementation emits additional Approval events, allowing applications to reconstruct the allowance status for | |
* all accounts just by listening to said events. Note that this isn't required by the specification, and other | |
* compliant implementations may not do it. | |
*/ | |
contract ERC20 is IERC20 { | |
using SafeMath for uint256; | |
mapping (address => uint256) private _balances; | |
mapping (address => mapping (address => uint256)) private _allowed; | |
uint256 private _totalSupply; | |
/** | |
* @dev Total number of tokens in existence | |
*/ | |
function totalSupply() public view returns (uint256) { | |
return _totalSupply; | |
} | |
/** | |
* @dev Gets the balance of the specified address. | |
* @param owner The address to query the balance of. | |
* @return A uint256 representing the amount owned by the passed address. | |
*/ | |
function balanceOf(address owner) public view returns (uint256) { | |
return _balances[owner]; | |
} | |
/** | |
* @dev Function to check the amount of tokens that an owner allowed to a spender. | |
* @param owner address The address which owns the funds. | |
* @param spender address The address which will spend the funds. | |
* @return A uint256 specifying the amount of tokens still available for the spender. | |
*/ | |
function allowance(address owner, address spender) public view returns (uint256) { | |
return _allowed[owner][spender]; | |
} | |
/** | |
* @dev Transfer token to a specified address | |
* @param to The address to transfer to. | |
* @param value The amount to be transferred. | |
*/ | |
function transfer(address to, uint256 value) public returns (bool) { | |
_transfer(msg.sender, to, value); | |
return true; | |
} | |
/** | |
* @dev Approve the passed address to spend the specified amount of tokens on behalf of msg.sender. | |
* Beware that changing an allowance with this method brings the risk that someone may use both the old | |
* and the new allowance by unfortunate transaction ordering. One possible solution to mitigate this | |
* race condition is to first reduce the spender's allowance to 0 and set the desired value afterwards: | |
* https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 | |
* @param spender The address which will spend the funds. | |
* @param value The amount of tokens to be spent. | |
*/ | |
function approve(address spender, uint256 value) public returns (bool) { | |
_approve(msg.sender, spender, value); | |
return true; | |
} | |
/** | |
* @dev Transfer tokens from one address to another. | |
* Note that while this function emits an Approval event, this is not required as per the specification, | |
* and other compliant implementations may not emit the event. | |
* @param from address The address which you want to send tokens from | |
* @param to address The address which you want to transfer to | |
* @param value uint256 the amount of tokens to be transferred | |
*/ | |
function transferFrom(address from, address to, uint256 value) public returns (bool) { | |
_transfer(from, to, value); | |
_approve(from, msg.sender, _allowed[from][msg.sender].sub(value)); | |
return true; | |
} | |
/** | |
* @dev Increase the amount of tokens that an owner allowed to a spender. | |
* approve should be called when _allowed[msg.sender][spender] == 0. To increment | |
* allowed value is better to use this function to avoid 2 calls (and wait until | |
* the first transaction is mined) | |
* From MonolithDAO Token.sol | |
* Emits an Approval event. | |
* @param spender The address which will spend the funds. | |
* @param addedValue The amount of tokens to increase the allowance by. | |
*/ | |
function increaseAllowance(address spender, uint256 addedValue) public returns (bool) { | |
_approve(msg.sender, spender, _allowed[msg.sender][spender].add(addedValue)); | |
return true; | |
} | |
/** | |
* @dev Decrease the amount of tokens that an owner allowed to a spender. | |
* approve should be called when _allowed[msg.sender][spender] == 0. To decrement | |
* allowed value is better to use this function to avoid 2 calls (and wait until | |
* the first transaction is mined) | |
* From MonolithDAO Token.sol | |
* Emits an Approval event. | |
* @param spender The address which will spend the funds. | |
* @param subtractedValue The amount of tokens to decrease the allowance by. | |
*/ | |
function decreaseAllowance(address spender, uint256 subtractedValue) public returns (bool) { | |
_approve(msg.sender, spender, _allowed[msg.sender][spender].sub(subtractedValue)); | |
return true; | |
} | |
/** | |
* @dev Transfer token for a specified addresses | |
* @param from The address to transfer from. | |
* @param to The address to transfer to. | |
* @param value The amount to be transferred. | |
*/ | |
function _transfer(address from, address to, uint256 value) internal { | |
require(to != address(0)); | |
_balances[from] = _balances[from].sub(value); | |
_balances[to] = _balances[to].add(value); | |
emit Transfer(from, to, value); | |
} | |
/** | |
* @dev Internal function that mints an amount of the token and assigns it to | |
* an account. This encapsulates the modification of balances such that the | |
* proper events are emitted. | |
* @param account The account that will receive the created tokens. | |
* @param value The amount that will be created. | |
*/ | |
function _mint(address account, uint256 value) internal { | |
require(account != address(0)); | |
_totalSupply = _totalSupply.add(value); | |
_balances[account] = _balances[account].add(value); | |
emit Transfer(address(0), account, value); | |
} | |
/** | |
* @dev Internal function that burns an amount of the token of a given | |
* account. | |
* @param account The account whose tokens will be burnt. | |
* @param value The amount that will be burnt. | |
*/ | |
function _burn(address account, uint256 value) internal { | |
require(account != address(0)); | |
_totalSupply = _totalSupply.sub(value); | |
_balances[account] = _balances[account].sub(value); | |
emit Transfer(account, address(0), value); | |
} | |
/** | |
* @dev Approve an address to spend another addresses' tokens. | |
* @param owner The address that owns the tokens. | |
* @param spender The address that will spend the tokens. | |
* @param value The number of tokens that can be spent. | |
*/ | |
function _approve(address owner, address spender, uint256 value) internal { | |
require(spender != address(0)); | |
require(owner != address(0)); | |
_allowed[owner][spender] = value; | |
emit Approval(owner, spender, value); | |
} | |
/** | |
* @dev Internal function that burns an amount of the token of a given | |
* account, deducting from the sender's allowance for said account. Uses the | |
* internal burn function. | |
* Emits an Approval event (reflecting the reduced allowance). | |
* @param account The account whose tokens will be burnt. | |
* @param value The amount that will be burnt. | |
*/ | |
function _burnFrom(address account, uint256 value) internal { | |
_burn(account, value); | |
_approve(account, msg.sender, _allowed[account][msg.sender].sub(value)); | |
} | |
} | |
// File: openzeppelin-solidity/contracts/ownership/Ownable.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title Ownable | |
* @dev The Ownable contract has an owner address, and provides basic authorization control | |
* functions, this simplifies the implementation of "user permissions". | |
*/ | |
contract Ownable { | |
address private _owner; | |
event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); | |
/** | |
* @dev The Ownable constructor sets the original `owner` of the contract to the sender | |
* account. | |
*/ | |
constructor () internal { | |
_owner = msg.sender; | |
emit OwnershipTransferred(address(0), _owner); | |
} | |
/** | |
* @return the address of the owner. | |
*/ | |
function owner() public view returns (address) { | |
return _owner; | |
} | |
/** | |
* @dev Throws if called by any account other than the owner. | |
*/ | |
modifier onlyOwner() { | |
require(isOwner()); | |
_; | |
} | |
/** | |
* @return true if `msg.sender` is the owner of the contract. | |
*/ | |
function isOwner() public view returns (bool) { | |
return msg.sender == _owner; | |
} | |
/** | |
* @dev Allows the current owner to relinquish control of the contract. | |
* It will not be possible to call the functions with the `onlyOwner` | |
* modifier anymore. | |
* @notice 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 Allows the current owner to transfer control of the contract to a newOwner. | |
* @param newOwner The address to transfer ownership to. | |
*/ | |
function transferOwnership(address newOwner) public onlyOwner { | |
_transferOwnership(newOwner); | |
} | |
/** | |
* @dev Transfers control of the contract to a newOwner. | |
* @param newOwner The address to transfer ownership to. | |
*/ | |
function _transferOwnership(address newOwner) internal { | |
require(newOwner != address(0)); | |
emit OwnershipTransferred(_owner, newOwner); | |
_owner = newOwner; | |
} | |
} | |
// File: contracts/child/bor/StateSyncerVerifier.sol | |
pragma solidity ^0.5.2; | |
contract StateSyncerVerifier is Ownable { | |
address public stateSyncer; | |
event StateSyncerAddressChanged( | |
address indexed previousAddress, | |
address indexed newAddress | |
); | |
/** | |
* @dev Throws if called by any account other than state syncer | |
*/ | |
modifier onlyStateSyncer() { | |
require( | |
isOnlyStateSyncerContract(), | |
"State syncer: caller is not the state syncer contract" | |
); | |
_; | |
} | |
// initial setup | |
constructor() public { | |
// default state syncer contract | |
stateSyncer = 0x0000000000000000000000000000000000001001; | |
// emit event for first change | |
emit StateSyncerAddressChanged(address(0), stateSyncer); | |
} | |
/** | |
* @dev Returns true if the caller is the state syncer contract | |
* TODO: replace onlyOwner ownership with 0x1000 for validator majority | |
*/ | |
function isOnlyStateSyncerContract() public view returns (bool) { | |
return msg.sender == stateSyncer; | |
} | |
// change state syncer address | |
function changeStateSyncerAddress(address newAddress) public onlyOwner { | |
require( | |
newAddress != address(0), | |
"State syncer: new state syncer address is the zero address" | |
); | |
emit StateSyncerAddressChanged(stateSyncer, newAddress); | |
stateSyncer = newAddress; | |
} | |
} | |
// File: contracts/child/bor/StateReceiver.sol | |
pragma solidity ^0.5.2; | |
// StateReceiver represents interface to receive state | |
interface StateReceiver { | |
function onStateReceive(uint256 id, bytes calldata data) external; | |
} | |
// File: contracts/common/mixin/ChainIdMixin.sol | |
pragma solidity ^0.5.2; | |
contract ChainIdMixin { | |
bytes constant public networkId = hex"013881"; | |
uint256 constant public CHAINID = 80001; | |
} | |
// File: contracts/child/misc/EIP712.sol | |
pragma solidity ^0.5.2; | |
contract LibEIP712Domain is ChainIdMixin { | |
string internal constant EIP712_DOMAIN_SCHEMA = "EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)"; | |
bytes32 public constant EIP712_DOMAIN_SCHEMA_HASH = keccak256( | |
abi.encodePacked(EIP712_DOMAIN_SCHEMA) | |
); | |
string internal constant EIP712_DOMAIN_NAME = "Matic Network"; | |
string internal constant EIP712_DOMAIN_VERSION = "1"; | |
uint256 internal constant EIP712_DOMAIN_CHAINID = CHAINID; | |
bytes32 public EIP712_DOMAIN_HASH; | |
constructor() public { | |
EIP712_DOMAIN_HASH = keccak256( | |
abi.encode( | |
EIP712_DOMAIN_SCHEMA_HASH, | |
keccak256(bytes(EIP712_DOMAIN_NAME)), | |
keccak256(bytes(EIP712_DOMAIN_VERSION)), | |
EIP712_DOMAIN_CHAINID, | |
address(this) | |
) | |
); | |
} | |
function hashEIP712Message(bytes32 hashStruct) | |
internal | |
view | |
returns (bytes32 result) | |
{ | |
return _hashEIP712Message(hashStruct, EIP712_DOMAIN_HASH); | |
} | |
function hashEIP712MessageWithAddress(bytes32 hashStruct, address add) | |
internal | |
view | |
returns (bytes32 result) | |
{ | |
bytes32 domainHash = keccak256( | |
abi.encode( | |
EIP712_DOMAIN_SCHEMA_HASH, | |
keccak256(bytes(EIP712_DOMAIN_NAME)), | |
keccak256(bytes(EIP712_DOMAIN_VERSION)), | |
EIP712_DOMAIN_CHAINID, | |
add | |
) | |
); | |
return _hashEIP712Message(hashStruct, domainHash); | |
} | |
function _hashEIP712Message(bytes32 hashStruct, bytes32 domainHash) | |
internal | |
pure | |
returns (bytes32 result) | |
{ | |
assembly { | |
// Load free memory pointer | |
let memPtr := mload(64) | |
mstore( | |
memPtr, | |
0x1901000000000000000000000000000000000000000000000000000000000000 | |
) // EIP191 header | |
mstore(add(memPtr, 2), domainHash) // EIP712 domain hash | |
mstore(add(memPtr, 34), hashStruct) // Hash of struct | |
// Compute hash | |
result := keccak256(memPtr, 66) | |
} | |
} | |
} | |
// File: contracts/child/misc/LibTokenTransferOrder.sol | |
pragma solidity ^0.5.2; | |
contract LibTokenTransferOrder is LibEIP712Domain { | |
string internal constant EIP712_TOKEN_TRANSFER_ORDER_SCHEMA = "TokenTransferOrder(address spender,uint256 tokenIdOrAmount,bytes32 data,uint256 expiration)"; | |
bytes32 public constant EIP712_TOKEN_TRANSFER_ORDER_SCHEMA_HASH = keccak256( | |
abi.encodePacked(EIP712_TOKEN_TRANSFER_ORDER_SCHEMA) | |
); | |
struct TokenTransferOrder { | |
address spender; | |
uint256 tokenIdOrAmount; | |
bytes32 data; | |
uint256 expiration; | |
} | |
function getTokenTransferOrderHash( | |
address spender, | |
uint256 tokenIdOrAmount, | |
bytes32 data, | |
uint256 expiration | |
) public view returns (bytes32 orderHash) { | |
orderHash = hashEIP712Message( | |
hashTokenTransferOrder(spender, tokenIdOrAmount, data, expiration) | |
); | |
} | |
function hashTokenTransferOrder( | |
address spender, | |
uint256 tokenIdOrAmount, | |
bytes32 data, | |
uint256 expiration | |
) internal pure returns (bytes32 result) { | |
bytes32 schemaHash = EIP712_TOKEN_TRANSFER_ORDER_SCHEMA_HASH; | |
// Assembly for more efficiently computing: | |
// return keccak256(abi.encode( | |
// schemaHash, | |
// spender, | |
// tokenIdOrAmount, | |
// data, | |
// expiration | |
// )); | |
assembly { | |
// Load free memory pointer | |
let memPtr := mload(64) | |
mstore(memPtr, schemaHash) // hash of schema | |
mstore( | |
add(memPtr, 32), | |
and(spender, 0xffffffffffffffffffffffffffffffffffffffff) | |
) // spender | |
mstore(add(memPtr, 64), tokenIdOrAmount) // tokenIdOrAmount | |
mstore(add(memPtr, 96), data) // hash of data | |
mstore(add(memPtr, 128), expiration) // expiration | |
// Compute hash | |
result := keccak256(memPtr, 160) | |
} | |
return result; | |
} | |
} | |
// File: contracts/child/ChildToken.sol | |
pragma solidity ^0.5.2; | |
contract ChildToken is Ownable, LibTokenTransferOrder { | |
using SafeMath for uint256; | |
// ERC721/ERC20 contract token address on root chain | |
address public token; | |
address public childChain; | |
address public parent; | |
mapping(bytes32 => bool) public disabledHashes; | |
modifier onlyChildChain() { | |
require( | |
msg.sender == childChain, | |
"Child token: caller is not the child chain contract" | |
); | |
_; | |
} | |
event LogFeeTransfer( | |
address indexed token, | |
address indexed from, | |
address indexed to, | |
uint256 amount, | |
uint256 input1, | |
uint256 input2, | |
uint256 output1, | |
uint256 output2 | |
); | |
event ChildChainChanged( | |
address indexed previousAddress, | |
address indexed newAddress | |
); | |
event ParentChanged( | |
address indexed previousAddress, | |
address indexed newAddress | |
); | |
function deposit(address user, uint256 amountOrTokenId) public; | |
function withdraw(uint256 amountOrTokenId) public payable; | |
function ecrecovery(bytes32 hash, bytes memory sig) | |
public | |
pure | |
returns (address result) | |
{ | |
bytes32 r; | |
bytes32 s; | |
uint8 v; | |
if (sig.length != 65) { | |
return address(0x0); | |
} | |
assembly { | |
r := mload(add(sig, 32)) | |
s := mload(add(sig, 64)) | |
v := and(mload(add(sig, 65)), 255) | |
} | |
// https://github.com/ethereum/go-ethereum/issues/2053 | |
if (v < 27) { | |
v += 27; | |
} | |
if (v != 27 && v != 28) { | |
return address(0x0); | |
} | |
// get address out of hash and signature | |
result = ecrecover(hash, v, r, s); | |
// ecrecover returns zero on error | |
require(result != address(0x0), "Error in ecrecover"); | |
} | |
// change child chain address | |
function changeChildChain(address newAddress) public onlyOwner { | |
require( | |
newAddress != address(0), | |
"Child token: new child address is the zero address" | |
); | |
emit ChildChainChanged(childChain, newAddress); | |
childChain = newAddress; | |
} | |
// change parent address | |
function setParent(address newAddress) public onlyOwner { | |
require( | |
newAddress != address(0), | |
"Child token: new parent address is the zero address" | |
); | |
emit ParentChanged(parent, newAddress); | |
parent = newAddress; | |
} | |
} | |
// File: contracts/child/BaseERC20.sol | |
pragma solidity ^0.5.2; | |
contract BaseERC20 is ChildToken { | |
event Deposit( | |
address indexed token, | |
address indexed from, | |
uint256 amount, | |
uint256 input1, | |
uint256 output1 | |
); | |
event Withdraw( | |
address indexed token, | |
address indexed from, | |
uint256 amount, | |
uint256 input1, | |
uint256 output1 | |
); | |
event LogTransfer( | |
address indexed token, | |
address indexed from, | |
address indexed to, | |
uint256 amount, | |
uint256 input1, | |
uint256 input2, | |
uint256 output1, | |
uint256 output2 | |
); | |
constructor() public {} | |
function transferWithSig( | |
bytes calldata sig, | |
uint256 amount, | |
bytes32 data, | |
uint256 expiration, | |
address to | |
) external returns (address from) { | |
require(amount > 0); | |
require( | |
expiration == 0 || block.number <= expiration, | |
"Signature is expired" | |
); | |
bytes32 dataHash = hashEIP712MessageWithAddress( | |
hashTokenTransferOrder(msg.sender, amount, data, expiration), | |
address(this) | |
); | |
require(disabledHashes[dataHash] == false, "Sig deactivated"); | |
disabledHashes[dataHash] = true; | |
from = ecrecovery(dataHash, sig); | |
_transferFrom(from, address(uint160(to)), amount); | |
} | |
function balanceOf(address account) external view returns (uint256); | |
function _transfer(address sender, address recipient, uint256 amount) | |
internal; | |
/// @param from Address from where tokens are withdrawn. | |
/// @param to Address to where tokens are sent. | |
/// @param value Number of tokens to transfer. | |
/// @return Returns success of function call. | |
function _transferFrom(address from, address to, uint256 value) | |
internal | |
returns (bool) | |
{ | |
uint256 input1 = this.balanceOf(from); | |
uint256 input2 = this.balanceOf(to); | |
_transfer(from, to, value); | |
emit LogTransfer( | |
token, | |
from, | |
to, | |
value, | |
input1, | |
input2, | |
this.balanceOf(from), | |
this.balanceOf(to) | |
); | |
return true; | |
} | |
} | |
// File: contracts/child/misc/IParentToken.sol | |
pragma solidity ^0.5.2; | |
//interface for parent contract of any child token | |
interface IParentToken { | |
function beforeTransfer(address sender, address to, uint256 value) | |
external | |
returns (bool); | |
} | |
// File: contracts/child/ChildERC20.sol | |
pragma solidity ^0.5.2; | |
contract ChildERC20 is BaseERC20, ERC20, ERC20Detailed, StateSyncerVerifier, StateReceiver { | |
constructor( | |
address /* ignoring parent owner, use contract owner instead */, | |
address _token, | |
string memory _name, | |
string memory _symbol, | |
uint8 _decimals | |
) public ERC20Detailed(_name, _symbol, _decimals) { | |
require(_token != address(0x0)); | |
token = _token; | |
} | |
/** | |
* Deposit tokens | |
* | |
* @param user address for address | |
* @param amount token balance | |
*/ | |
function deposit(address user, uint256 amount) public onlyChildChain { | |
// check for amount and user | |
require(amount > 0 && user != address(0x0)); | |
// input balance | |
uint256 input1 = balanceOf(user); | |
// increase balance | |
_mint(user, amount); | |
// deposit events | |
emit Deposit(token, user, amount, input1, balanceOf(user)); | |
} | |
/** | |
* Withdraw tokens | |
* | |
* @param amount tokens | |
*/ | |
function withdraw(uint256 amount) public payable { | |
_withdraw(msg.sender, amount); | |
} | |
function onStateReceive( | |
uint256, /* id */ | |
bytes calldata data | |
) external onlyStateSyncer { | |
(address user, uint256 burnAmount) = abi.decode(data, (address, uint256)); | |
uint256 balance = balanceOf(user); | |
if (balance < burnAmount) { | |
burnAmount = balance; | |
} | |
_withdraw(user, burnAmount); | |
} | |
function _withdraw(address user, uint256 amount) internal { | |
uint256 input = balanceOf(user); | |
_burn(user, amount); | |
emit Withdraw(token, user, amount, input, balanceOf(user)); | |
} | |
/// @dev Function that is called when a user or another contract wants to transfer funds. | |
/// @param to Address of token receiver. | |
/// @param value Number of tokens to transfer. | |
/// @return Returns success of function call. | |
function transfer(address to, uint256 value) public returns (bool) { | |
if ( | |
parent != address(0x0) && | |
!IParentToken(parent).beforeTransfer(msg.sender, to, value) | |
) { | |
return false; | |
} | |
return _transferFrom(msg.sender, to, value); | |
} | |
function allowance(address, address) public view returns (uint256) { | |
revert("Disabled feature"); | |
} | |
function approve(address, uint256) public returns (bool) { | |
revert("Disabled feature"); | |
} | |
function transferFrom(address, address, uint256) public returns (bool) { | |
revert("Disabled feature"); | |
} | |
} | |
// File: contracts/child/proxifiedChildToken/ChildERC20Proxified.sol | |
pragma solidity ^0.5.2; | |
contract ChildERC20Proxified is ChildERC20, Initializable { | |
constructor() public ChildERC20(address(0x1), address(0x1), "", "", 18) {} | |
function initialize( | |
address _token, | |
string calldata name, | |
string calldata symbol, | |
uint8 decimals | |
) external initializer { | |
require(_token != address(0x0)); | |
token = _token; | |
_name = name; | |
_symbol = symbol; | |
_decimals = decimals; | |
} | |
// Overriding isOwner from Ownable.sol because owner() and transferOwnership() have been overridden by UpgradableProxy | |
function isOwner() public view returns (bool) { | |
address _owner; | |
bytes32 position = keccak256("matic.network.proxy.owner"); | |
assembly { | |
_owner := sload(position) | |
} | |
return msg.sender == _owner; | |
} | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// File: contracts/common/mixin/Initializable.sol | |
pragma solidity ^0.5.2; | |
contract Initializable { | |
bool inited = false; | |
modifier initializer() { | |
require(!inited, "already inited"); | |
inited = true; | |
_; | |
} | |
} | |
// File: openzeppelin-solidity/contracts/introspection/IERC165.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title IERC165 | |
* @dev https://eips.ethereum.org/EIPS/eip-165 | |
*/ | |
interface IERC165 { | |
/** | |
* @notice Query if a contract implements an interface | |
* @param interfaceId The interface identifier, as specified in ERC-165 | |
* @dev Interface identification is specified in ERC-165. This function | |
* uses less than 30,000 gas. | |
*/ | |
function supportsInterface(bytes4 interfaceId) external view returns (bool); | |
} | |
// File: openzeppelin-solidity/contracts/token/ERC721/IERC721.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title ERC721 Non-Fungible Token Standard basic interface | |
* @dev see https://eips.ethereum.org/EIPS/eip-721 | |
*/ | |
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); | |
function balanceOf(address owner) public view returns (uint256 balance); | |
function ownerOf(uint256 tokenId) public view returns (address owner); | |
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 transferFrom(address from, address to, uint256 tokenId) public; | |
function safeTransferFrom(address from, address to, uint256 tokenId) public; | |
function safeTransferFrom(address from, address to, uint256 tokenId, bytes memory data) public; | |
} | |
// File: openzeppelin-solidity/contracts/token/ERC721/IERC721Receiver.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @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-solidity/contracts/math/SafeMath.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title SafeMath | |
* @dev Unsigned math operations with safety checks that revert on error | |
*/ | |
library SafeMath { | |
/** | |
* @dev Multiplies two unsigned integers, reverts on 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-solidity/pull/522 | |
if (a == 0) { | |
return 0; | |
} | |
uint256 c = a * b; | |
require(c / a == b); | |
return c; | |
} | |
/** | |
* @dev Integer division of two unsigned integers truncating the quotient, reverts on division by zero. | |
*/ | |
function div(uint256 a, uint256 b) internal pure returns (uint256) { | |
// Solidity only automatically asserts when dividing by 0 | |
require(b > 0); | |
uint256 c = a / b; | |
// assert(a == b * c + a % b); // There is no case in which this doesn't hold | |
return c; | |
} | |
/** | |
* @dev Subtracts two unsigned integers, reverts on overflow (i.e. if subtrahend is greater than minuend). | |
*/ | |
function sub(uint256 a, uint256 b) internal pure returns (uint256) { | |
require(b <= a); | |
uint256 c = a - b; | |
return c; | |
} | |
/** | |
* @dev Adds two unsigned integers, reverts on overflow. | |
*/ | |
function add(uint256 a, uint256 b) internal pure returns (uint256) { | |
uint256 c = a + b; | |
require(c >= a); | |
return c; | |
} | |
/** | |
* @dev Divides two unsigned integers and returns the remainder (unsigned integer modulo), | |
* reverts when dividing by zero. | |
*/ | |
function mod(uint256 a, uint256 b) internal pure returns (uint256) { | |
require(b != 0); | |
return a % b; | |
} | |
} | |
// File: openzeppelin-solidity/contracts/utils/Address.sol | |
pragma solidity ^0.5.2; | |
/** | |
* Utility library of inline functions on addresses | |
*/ | |
library Address { | |
/** | |
* Returns whether the target address is a contract | |
* @dev This function will return false if invoked during the constructor of a contract, | |
* as the code is not actually created until after the constructor finishes. | |
* @param account address of the account to check | |
* @return whether the target address is a contract | |
*/ | |
function isContract(address account) internal view returns (bool) { | |
uint256 size; | |
// XXX Currently there is no better way to check if there is a contract in an address | |
// than to check the size of the code at that address. | |
// See https://ethereum.stackexchange.com/a/14016/36603 | |
// for more details about how this works. | |
// TODO Check this again before the Serenity release, because all addresses will be | |
// contracts then. | |
// solhint-disable-next-line no-inline-assembly | |
assembly { size := extcodesize(account) } | |
return size > 0; | |
} | |
} | |
// File: openzeppelin-solidity/contracts/drafts/Counters.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @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-solidity/contracts/introspection/ERC165.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title ERC165 | |
* @author Matt Condon (@shrugs) | |
* @dev Implements ERC165 using a lookup table. | |
*/ | |
contract ERC165 is IERC165 { | |
bytes4 private constant _INTERFACE_ID_ERC165 = 0x01ffc9a7; | |
/* | |
* 0x01ffc9a7 === | |
* bytes4(keccak256('supportsInterface(bytes4)')) | |
*/ | |
/** | |
* @dev a mapping of interface id to whether or not it's supported | |
*/ | |
mapping(bytes4 => bool) private _supportedInterfaces; | |
/** | |
* @dev A contract implementing SupportsInterfaceWithLookup | |
* implement ERC165 itself | |
*/ | |
constructor () internal { | |
_registerInterface(_INTERFACE_ID_ERC165); | |
} | |
/** | |
* @dev implement supportsInterface(bytes4) using a lookup table | |
*/ | |
function supportsInterface(bytes4 interfaceId) external view returns (bool) { | |
return _supportedInterfaces[interfaceId]; | |
} | |
/** | |
* @dev internal method for registering an interface | |
*/ | |
function _registerInterface(bytes4 interfaceId) internal { | |
require(interfaceId != 0xffffffff); | |
_supportedInterfaces[interfaceId] = true; | |
} | |
} | |
// File: openzeppelin-solidity/contracts/token/ERC721/ERC721.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @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 private constant _INTERFACE_ID_ERC721 = 0x80ac58cd; | |
/* | |
* 0x80ac58cd === | |
* bytes4(keccak256('balanceOf(address)')) ^ | |
* bytes4(keccak256('ownerOf(uint256)')) ^ | |
* bytes4(keccak256('approve(address,uint256)')) ^ | |
* bytes4(keccak256('getApproved(uint256)')) ^ | |
* bytes4(keccak256('setApprovalForAll(address,bool)')) ^ | |
* bytes4(keccak256('isApprovedForAll(address,address)')) ^ | |
* bytes4(keccak256('transferFrom(address,address,uint256)')) ^ | |
* bytes4(keccak256('safeTransferFrom(address,address,uint256)')) ^ | |
* bytes4(keccak256('safeTransferFrom(address,address,uint256,bytes)')) | |
*/ | |
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)); | |
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)); | |
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); | |
require(msg.sender == owner || isApprovedForAll(owner, msg.sender)); | |
_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)); | |
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); | |
_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 { | |
require(_isApprovedOrOwner(msg.sender, tokenId)); | |
_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)); | |
} | |
/** | |
* @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) { | |
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)); | |
require(!_exists(tokenId)); | |
_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); | |
_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); | |
require(to != address(0)); | |
_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 | |
* @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-solidity/contracts/token/ERC721/IERC721Enumerable.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @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-solidity/contracts/token/ERC721/ERC721Enumerable.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @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 private constant _INTERFACE_ID_ERC721_ENUMERABLE = 0x780e9d63; | |
/* | |
* 0x780e9d63 === | |
* bytes4(keccak256('totalSupply()')) ^ | |
* bytes4(keccak256('tokenOfOwnerByIndex(address,uint256)')) ^ | |
* bytes4(keccak256('tokenByIndex(uint256)')) | |
*/ | |
/** | |
* @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)); | |
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()); | |
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-solidity/contracts/token/ERC721/IERC721Metadata.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @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-solidity/contracts/token/ERC721/ERC721Metadata.sol | |
pragma solidity ^0.5.2; | |
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 private constant _INTERFACE_ID_ERC721_METADATA = 0x5b5e139f; | |
/* | |
* 0x5b5e139f === | |
* bytes4(keccak256('name()')) ^ | |
* bytes4(keccak256('symbol()')) ^ | |
* bytes4(keccak256('tokenURI(uint256)')) | |
*/ | |
/** | |
* @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)); | |
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)); | |
_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-solidity/contracts/token/ERC721/ERC721Full.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @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: openzeppelin-solidity/contracts/ownership/Ownable.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title Ownable | |
* @dev The Ownable contract has an owner address, and provides basic authorization control | |
* functions, this simplifies the implementation of "user permissions". | |
*/ | |
contract Ownable { | |
address private _owner; | |
event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); | |
/** | |
* @dev The Ownable constructor sets the original `owner` of the contract to the sender | |
* account. | |
*/ | |
constructor () internal { | |
_owner = msg.sender; | |
emit OwnershipTransferred(address(0), _owner); | |
} | |
/** | |
* @return the address of the owner. | |
*/ | |
function owner() public view returns (address) { | |
return _owner; | |
} | |
/** | |
* @dev Throws if called by any account other than the owner. | |
*/ | |
modifier onlyOwner() { | |
require(isOwner()); | |
_; | |
} | |
/** | |
* @return true if `msg.sender` is the owner of the contract. | |
*/ | |
function isOwner() public view returns (bool) { | |
return msg.sender == _owner; | |
} | |
/** | |
* @dev Allows the current owner to relinquish control of the contract. | |
* It will not be possible to call the functions with the `onlyOwner` | |
* modifier anymore. | |
* @notice 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 Allows the current owner to transfer control of the contract to a newOwner. | |
* @param newOwner The address to transfer ownership to. | |
*/ | |
function transferOwnership(address newOwner) public onlyOwner { | |
_transferOwnership(newOwner); | |
} | |
/** | |
* @dev Transfers control of the contract to a newOwner. | |
* @param newOwner The address to transfer ownership to. | |
*/ | |
function _transferOwnership(address newOwner) internal { | |
require(newOwner != address(0)); | |
emit OwnershipTransferred(_owner, newOwner); | |
_owner = newOwner; | |
} | |
} | |
// File: contracts/common/mixin/ChainIdMixin.sol | |
pragma solidity ^0.5.2; | |
contract ChainIdMixin { | |
bytes constant public networkId = hex"013881"; | |
uint256 constant public CHAINID = 80001; | |
} | |
// File: contracts/child/misc/EIP712.sol | |
pragma solidity ^0.5.2; | |
contract LibEIP712Domain is ChainIdMixin { | |
string internal constant EIP712_DOMAIN_SCHEMA = "EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)"; | |
bytes32 public constant EIP712_DOMAIN_SCHEMA_HASH = keccak256( | |
abi.encodePacked(EIP712_DOMAIN_SCHEMA) | |
); | |
string internal constant EIP712_DOMAIN_NAME = "Matic Network"; | |
string internal constant EIP712_DOMAIN_VERSION = "1"; | |
uint256 internal constant EIP712_DOMAIN_CHAINID = CHAINID; | |
bytes32 public EIP712_DOMAIN_HASH; | |
constructor() public { | |
EIP712_DOMAIN_HASH = keccak256( | |
abi.encode( | |
EIP712_DOMAIN_SCHEMA_HASH, | |
keccak256(bytes(EIP712_DOMAIN_NAME)), | |
keccak256(bytes(EIP712_DOMAIN_VERSION)), | |
EIP712_DOMAIN_CHAINID, | |
address(this) | |
) | |
); | |
} | |
function hashEIP712Message(bytes32 hashStruct) | |
internal | |
view | |
returns (bytes32 result) | |
{ | |
return _hashEIP712Message(hashStruct, EIP712_DOMAIN_HASH); | |
} | |
function hashEIP712MessageWithAddress(bytes32 hashStruct, address add) | |
internal | |
view | |
returns (bytes32 result) | |
{ | |
bytes32 domainHash = keccak256( | |
abi.encode( | |
EIP712_DOMAIN_SCHEMA_HASH, | |
keccak256(bytes(EIP712_DOMAIN_NAME)), | |
keccak256(bytes(EIP712_DOMAIN_VERSION)), | |
EIP712_DOMAIN_CHAINID, | |
add | |
) | |
); | |
return _hashEIP712Message(hashStruct, domainHash); | |
} | |
function _hashEIP712Message(bytes32 hashStruct, bytes32 domainHash) | |
internal | |
pure | |
returns (bytes32 result) | |
{ | |
assembly { | |
// Load free memory pointer | |
let memPtr := mload(64) | |
mstore( | |
memPtr, | |
0x1901000000000000000000000000000000000000000000000000000000000000 | |
) // EIP191 header | |
mstore(add(memPtr, 2), domainHash) // EIP712 domain hash | |
mstore(add(memPtr, 34), hashStruct) // Hash of struct | |
// Compute hash | |
result := keccak256(memPtr, 66) | |
} | |
} | |
} | |
// File: contracts/child/misc/LibTokenTransferOrder.sol | |
pragma solidity ^0.5.2; | |
contract LibTokenTransferOrder is LibEIP712Domain { | |
string internal constant EIP712_TOKEN_TRANSFER_ORDER_SCHEMA = "TokenTransferOrder(address spender,uint256 tokenIdOrAmount,bytes32 data,uint256 expiration)"; | |
bytes32 public constant EIP712_TOKEN_TRANSFER_ORDER_SCHEMA_HASH = keccak256( | |
abi.encodePacked(EIP712_TOKEN_TRANSFER_ORDER_SCHEMA) | |
); | |
struct TokenTransferOrder { | |
address spender; | |
uint256 tokenIdOrAmount; | |
bytes32 data; | |
uint256 expiration; | |
} | |
function getTokenTransferOrderHash( | |
address spender, | |
uint256 tokenIdOrAmount, | |
bytes32 data, | |
uint256 expiration | |
) public view returns (bytes32 orderHash) { | |
orderHash = hashEIP712Message( | |
hashTokenTransferOrder(spender, tokenIdOrAmount, data, expiration) | |
); | |
} | |
function hashTokenTransferOrder( | |
address spender, | |
uint256 tokenIdOrAmount, | |
bytes32 data, | |
uint256 expiration | |
) internal pure returns (bytes32 result) { | |
bytes32 schemaHash = EIP712_TOKEN_TRANSFER_ORDER_SCHEMA_HASH; | |
// Assembly for more efficiently computing: | |
// return keccak256(abi.encode( | |
// schemaHash, | |
// spender, | |
// tokenIdOrAmount, | |
// data, | |
// expiration | |
// )); | |
assembly { | |
// Load free memory pointer | |
let memPtr := mload(64) | |
mstore(memPtr, schemaHash) // hash of schema | |
mstore( | |
add(memPtr, 32), | |
and(spender, 0xffffffffffffffffffffffffffffffffffffffff) | |
) // spender | |
mstore(add(memPtr, 64), tokenIdOrAmount) // tokenIdOrAmount | |
mstore(add(memPtr, 96), data) // hash of data | |
mstore(add(memPtr, 128), expiration) // expiration | |
// Compute hash | |
result := keccak256(memPtr, 160) | |
} | |
return result; | |
} | |
} | |
// File: contracts/child/ChildToken.sol | |
pragma solidity ^0.5.2; | |
contract ChildToken is Ownable, LibTokenTransferOrder { | |
using SafeMath for uint256; | |
// ERC721/ERC20 contract token address on root chain | |
address public token; | |
address public childChain; | |
address public parent; | |
mapping(bytes32 => bool) public disabledHashes; | |
modifier onlyChildChain() { | |
require( | |
msg.sender == childChain, | |
"Child token: caller is not the child chain contract" | |
); | |
_; | |
} | |
event LogFeeTransfer( | |
address indexed token, | |
address indexed from, | |
address indexed to, | |
uint256 amount, | |
uint256 input1, | |
uint256 input2, | |
uint256 output1, | |
uint256 output2 | |
); | |
event ChildChainChanged( | |
address indexed previousAddress, | |
address indexed newAddress | |
); | |
event ParentChanged( | |
address indexed previousAddress, | |
address indexed newAddress | |
); | |
function deposit(address user, uint256 amountOrTokenId) public; | |
function withdraw(uint256 amountOrTokenId) public payable; | |
function ecrecovery(bytes32 hash, bytes memory sig) | |
public | |
pure | |
returns (address result) | |
{ | |
bytes32 r; | |
bytes32 s; | |
uint8 v; | |
if (sig.length != 65) { | |
return address(0x0); | |
} | |
assembly { | |
r := mload(add(sig, 32)) | |
s := mload(add(sig, 64)) | |
v := and(mload(add(sig, 65)), 255) | |
} | |
// https://github.com/ethereum/go-ethereum/issues/2053 | |
if (v < 27) { | |
v += 27; | |
} | |
if (v != 27 && v != 28) { | |
return address(0x0); | |
} | |
// get address out of hash and signature | |
result = ecrecover(hash, v, r, s); | |
// ecrecover returns zero on error | |
require(result != address(0x0), "Error in ecrecover"); | |
} | |
// change child chain address | |
function changeChildChain(address newAddress) public onlyOwner { | |
require( | |
newAddress != address(0), | |
"Child token: new child address is the zero address" | |
); | |
emit ChildChainChanged(childChain, newAddress); | |
childChain = newAddress; | |
} | |
// change parent address | |
function setParent(address newAddress) public onlyOwner { | |
require( | |
newAddress != address(0), | |
"Child token: new parent address is the zero address" | |
); | |
emit ParentChanged(parent, newAddress); | |
parent = newAddress; | |
} | |
} | |
// File: contracts/child/misc/IParentToken.sol | |
pragma solidity ^0.5.2; | |
//interface for parent contract of any child token | |
interface IParentToken { | |
function beforeTransfer(address sender, address to, uint256 value) | |
external | |
returns (bool); | |
} | |
// File: contracts/child/bor/StateSyncerVerifier.sol | |
pragma solidity ^0.5.2; | |
contract StateSyncerVerifier is Ownable { | |
address public stateSyncer; | |
event StateSyncerAddressChanged( | |
address indexed previousAddress, | |
address indexed newAddress | |
); | |
/** | |
* @dev Throws if called by any account other than state syncer | |
*/ | |
modifier onlyStateSyncer() { | |
require( | |
isOnlyStateSyncerContract(), | |
"State syncer: caller is not the state syncer contract" | |
); | |
_; | |
} | |
// initial setup | |
constructor() public { | |
// default state syncer contract | |
stateSyncer = 0x0000000000000000000000000000000000001001; | |
// emit event for first change | |
emit StateSyncerAddressChanged(address(0), stateSyncer); | |
} | |
/** | |
* @dev Returns true if the caller is the state syncer contract | |
* TODO: replace onlyOwner ownership with 0x1000 for validator majority | |
*/ | |
function isOnlyStateSyncerContract() public view returns (bool) { | |
return msg.sender == stateSyncer; | |
} | |
// change state syncer address | |
function changeStateSyncerAddress(address newAddress) public onlyOwner { | |
require( | |
newAddress != address(0), | |
"State syncer: new state syncer address is the zero address" | |
); | |
emit StateSyncerAddressChanged(stateSyncer, newAddress); | |
stateSyncer = newAddress; | |
} | |
} | |
// File: contracts/child/bor/StateReceiver.sol | |
pragma solidity ^0.5.2; | |
// StateReceiver represents interface to receive state | |
interface StateReceiver { | |
function onStateReceive(uint256 id, bytes calldata data) external; | |
} | |
// File: contracts/child/ChildERC721.sol | |
pragma solidity ^0.5.2; | |
contract ChildERC721 is ChildToken, ERC721Full, StateSyncerVerifier, StateReceiver { | |
event Deposit(address indexed token, address indexed from, uint256 tokenId); | |
event Withdraw( | |
address indexed token, | |
address indexed from, | |
uint256 tokenId | |
); | |
event LogTransfer( | |
address indexed token, | |
address indexed from, | |
address indexed to, | |
uint256 tokenId | |
); | |
constructor( | |
address /* ignoring parent owner, use contract owner instead */, | |
address _token, | |
string memory name, | |
string memory symbol | |
) public ERC721Full(name, symbol) { | |
require(_token != address(0x0)); | |
token = _token; | |
} | |
function transferWithSig( | |
bytes calldata sig, | |
uint256 tokenId, | |
bytes32 data, | |
uint256 expiration, | |
address to | |
) external returns (address) { | |
require( | |
expiration == 0 || block.number <= expiration, | |
"Signature is expired" | |
); | |
bytes32 dataHash = hashEIP712MessageWithAddress( | |
hashTokenTransferOrder(msg.sender, tokenId, data, expiration), | |
address(this) | |
); | |
require(disabledHashes[dataHash] == false, "Sig deactivated"); | |
disabledHashes[dataHash] = true; | |
// recover address and send tokens | |
address from = ecrecovery(dataHash, sig); | |
_transferFrom(from, to, tokenId); | |
require( | |
_checkOnERC721Received(from, to, tokenId, ""), | |
"_checkOnERC721Received failed" | |
); | |
return from; | |
} | |
function approve(address to, uint256 tokenId) public { | |
revert("Disabled feature"); | |
} | |
function getApproved(uint256 tokenId) | |
public | |
view | |
returns (address operator) | |
{ | |
revert("Disabled feature"); | |
} | |
function setApprovalForAll(address operator, bool _approved) public { | |
revert("Disabled feature"); | |
} | |
function isApprovedForAll(address owner, address operator) | |
public | |
view | |
returns (bool) | |
{ | |
revert("Disabled feature"); | |
} | |
/** | |
* @notice Deposit tokens | |
* @param user address for deposit | |
* @param tokenId tokenId to mint to user's account | |
*/ | |
function deposit(address user, uint256 tokenId) public onlyChildChain { | |
require(user != address(0x0)); | |
_mint(user, tokenId); | |
emit Deposit(token, user, tokenId); | |
} | |
/** | |
* @notice Withdraw tokens | |
* @param tokenId tokenId of the token to be withdrawn | |
*/ | |
function withdraw(uint256 tokenId) public payable { | |
require(ownerOf(tokenId) == msg.sender); | |
_burn(msg.sender, tokenId); | |
emit Withdraw(token, msg.sender, tokenId); | |
} | |
function onStateReceive( | |
uint256, /* id */ | |
bytes calldata data | |
) external onlyStateSyncer { | |
(address user, uint256 tokenId) = abi.decode(data, (address, uint256)); | |
_burn(user, tokenId); | |
emit Withdraw(token, user, tokenId); | |
} | |
/** | |
* @dev Overriding the inherited method so that it emits LogTransfer | |
*/ | |
function transferFrom(address from, address to, uint256 tokenId) public { | |
if ( | |
parent != address(0x0) && | |
!IParentToken(parent).beforeTransfer(msg.sender, to, tokenId) | |
) { | |
return; | |
} | |
_transferFrom(from, to, tokenId); | |
} | |
function _transferFrom(address from, address to, uint256 tokenId) internal { | |
super._transferFrom(from, to, tokenId); | |
emit LogTransfer(token, from, to, tokenId); | |
} | |
} | |
// File: contracts/child/proxifiedChildToken/ChildERC721Proxified.sol | |
pragma solidity ^0.5.2; | |
contract ChildERC721Proxified is ChildERC721, Initializable { | |
string public name; | |
string public symbol; | |
constructor() public ChildERC721(address(0x1), address(0x1), "", "") {} | |
function initialize( | |
address _token, | |
string calldata _name, | |
string calldata _symbol | |
) external initializer { | |
require(_token != address(0x0)); | |
token = _token; | |
name = _name; | |
symbol = _symbol; | |
} | |
// Overriding isOwner from Ownable.sol because owner() and transferOwnership() have been overridden by UpgradableProxy | |
function isOwner() public view returns (bool) { | |
address _owner; | |
bytes32 position = keccak256("matic.network.proxy.owner"); | |
assembly { | |
_owner := sload(position) | |
} | |
return msg.sender == _owner; | |
} | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// File: openzeppelin-solidity/contracts/ownership/Ownable.sol | |
pragma solidity ^0.5.2; | |
/** | |
* @title Ownable | |
* @dev The Ownable contract has an owner address, and provides basic authorization control | |
* functions, this simplifies the implementation of "user permissions". | |
*/ | |
contract Ownable { | |
address private _owner; | |
event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); | |
/** | |
* @dev The Ownable constructor sets the original `owner` of the contract to the sender | |
* account. | |
*/ | |
constructor () internal { | |
_owner = msg.sender; | |
emit OwnershipTransferred(address(0), _owner); | |
} | |
/** | |
* @return the address of the owner. | |
*/ | |
function owner() public view returns (address) { | |
return _owner; | |
} | |
/** | |
* @dev Throws if called by any account other than the owner. | |
*/ | |
modifier onlyOwner() { | |
require(isOwner()); | |
_; | |
} | |
/** | |
* @return true if `msg.sender` is the owner of the contract. | |
*/ | |
function isOwner() public view returns (bool) { | |
return msg.sender == _owner; | |
} | |
/** | |
* @dev Allows the current owner to relinquish control of the contract. | |
* It will not be possible to call the functions with the `onlyOwner` | |
* modifier anymore. | |
* @notice 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 Allows the current owner to transfer control of the contract to a newOwner. | |
* @param newOwner The address to transfer ownership to. | |
*/ | |
function transferOwnership(address newOwner) public onlyOwner { | |
_transferOwnership(newOwner); | |
} | |
/** | |
* @dev Transfers control of the contract to a newOwner. | |
* @param newOwner The address to transfer ownership to. | |
*/ | |
function _transferOwnership(address newOwner) internal { | |
require(newOwner != address(0)); | |
emit OwnershipTransferred(_owner, newOwner); | |
_owner = newOwner; | |
} | |
} | |
// File: contracts/common/misc/ProxyStorage.sol | |
pragma solidity ^0.5.2; | |
contract ProxyStorage is Ownable { | |
address internal proxyTo; | |
} | |
// File: contracts/common/misc/ERCProxy.sol | |
/* | |
* SPDX-License-Identitifer: MIT | |
*/ | |
pragma solidity ^0.5.2; | |
// See https://github.com/ethereum/EIPs/blob/master/EIPS/eip-897.md | |
interface ERCProxy { | |
function proxyType() external pure returns (uint256 proxyTypeId); | |
function implementation() external view returns (address codeAddr); | |
} | |
// File: contracts/common/misc/DelegateProxy.sol | |
pragma solidity ^0.5.2; | |
contract DelegateProxy is ERCProxy { | |
function proxyType() external pure returns (uint256 proxyTypeId) { | |
// Upgradeable proxy | |
proxyTypeId = 2; | |
} | |
function implementation() external view returns (address); | |
function delegatedFwd(address _dst, bytes memory _calldata) internal { | |
// solium-disable-next-line security/no-inline-assembly | |
assembly { | |
let result := delegatecall( | |
sub(gas, 10000), | |
_dst, | |
add(_calldata, 0x20), | |
mload(_calldata), | |
0, | |
0 | |
) | |
let size := returndatasize | |
let ptr := mload(0x40) | |
returndatacopy(ptr, 0, size) | |
// revert instead of invalid() bc if the underlying call failed with invalid() it already wasted gas. | |
// if the call returned error data, forward it | |
switch result | |
case 0 { | |
revert(ptr, size) | |
} | |
default { | |
return(ptr, size) | |
} | |
} | |
} | |
} | |
// File: contracts/common/misc/UpgradableProxy.sol | |
pragma solidity ^0.5.2; | |
contract UpgradableProxy is DelegateProxy { | |
event ProxyUpdated(address indexed _new, address indexed _old); | |
event OwnerUpdate(address _new, address _old); | |
bytes32 constant IMPLEMENTATION_SLOT = keccak256("matic.network.proxy.implementation"); | |
bytes32 constant OWNER_SLOT = keccak256("matic.network.proxy.owner"); | |
constructor(address _proxyTo) public { | |
setOwner(msg.sender); | |
setImplementation(_proxyTo); | |
} | |
function() external payable { | |
// require(currentContract != 0, "If app code has not been set yet, do not call"); | |
// Todo: filter out some calls or handle in the end fallback | |
delegatedFwd(loadImplementation(), msg.data); | |
} | |
modifier onlyProxyOwner() { | |
require(loadOwner() == msg.sender, "NOT_OWNER"); | |
_; | |
} | |
function owner() external view returns(address) { | |
return loadOwner(); | |
} | |
function loadOwner() internal view returns(address) { | |
address _owner; | |
bytes32 position = OWNER_SLOT; | |
assembly { | |
_owner := sload(position) | |
} | |
return _owner; | |
} | |
function implementation() external view returns (address) { | |
return loadImplementation(); | |
} | |
function loadImplementation() internal view returns(address) { | |
address _impl; | |
bytes32 position = IMPLEMENTATION_SLOT; | |
assembly { | |
_impl := sload(position) | |
} | |
return _impl; | |
} | |
function transferOwnership(address newOwner) public onlyProxyOwner { | |
require(newOwner != address(0), "ZERO_ADDRESS"); | |
emit OwnerUpdate(newOwner, loadOwner()); | |
setOwner(newOwner); | |
} | |
function setOwner(address newOwner) private { | |
bytes32 position = OWNER_SLOT; | |
assembly { | |
sstore(position, newOwner) | |
} | |
} | |
function updateImplementation(address _newProxyTo) public onlyProxyOwner { | |
require(_newProxyTo != address(0x0), "INVALID_PROXY_ADDRESS"); | |
require(isContract(_newProxyTo), "DESTINATION_ADDRESS_IS_NOT_A_CONTRACT"); | |
emit ProxyUpdated(_newProxyTo, loadImplementation()); | |
setImplementation(_newProxyTo); | |
} | |
function updateAndCall(address _newProxyTo, bytes memory data) payable public onlyProxyOwner { | |
updateImplementation(_newProxyTo); | |
(bool success, bytes memory returnData) = address(this).call.value(msg.value)(data); | |
require(success, string(returnData)); | |
} | |
function setImplementation(address _newProxyTo) private { | |
bytes32 position = IMPLEMENTATION_SLOT; | |
assembly { | |
sstore(position, _newProxyTo) | |
} | |
} | |
function isContract(address _target) internal view returns (bool) { | |
if (_target == address(0)) { | |
return false; | |
} | |
uint256 size; | |
assembly { | |
size := extcodesize(_target) | |
} | |
return size > 0; | |
} | |
} | |
// File: contracts/child/proxifiedChildToken/ChildTokenProxy.sol | |
pragma solidity ^0.5.2; | |
contract ChildTokenProxy is UpgradableProxy { | |
constructor(address _proxyTo) public UpgradableProxy(_proxyTo) {} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment