Skip to end of metadata
Go to start of metadata

You are viewing an old version of this page. View the current version.

Compare with Current View Page History

« Previous Version 31 Next »

Links

Overview

  • Oracle code will be run by designated FIO Chain BPs with access to:

    • FIO Chain: Existing FIO BPs already run FIO nodes.

    • Ethereum Chain: Local Ethereum node is preferred, but Infura or Etherscan can also be used.

  • Oracles will:

    • On the FIO Chain

      • Monitor specific account by inspecting every block and looking for FIO contract wraptokens action

      • Execute ERC20 wrap action to mint wFIO to the designated account

    • On the Ethereum Chain

      • Monitor Ethereum smart contract for inbound transfers of ERC-20 wFIO

      • Execute FIO contract unwrap action to transfer FIO to the designated account

Oracle Go Prototype

The original Oracle prototype code was written in Go and is located at: https://github.com/blockpane/fio.oracle

The FIO wrapping/unwrapping contract

The Ethereum ERC20 wrapping/unwrapping contract

Misc. Requirements

Issue

Summary

Decision

Storage of latest block number

The Oracle is getting the latest action from FIO history every 5 seconds. But when we restart the server, we read the all latest actions and calling wrap function from the start. Of course, it doesn't mint again but I think wrapping time can be long in this case. To prevent this problem, we need to save the latest block number to database or any external storage.what do you think about my suggest?

Casey Gardiner should we track block number in the oracleledger table?

  • Suggest that Oracles store a log file of all the transactions locally. If they then go down they can grab a time stamp or transaction ID from the log file to know which transactions have not yet been processed.

  • If an oracle server crashes and the logs are lost, then the oracle would have to re-process all transactions (and rebuild the log file). This would be a one time process.

  • Decision: We will start with using log files, but will ask BPs their opinion on this solution.

Admin front-end UI

Is there a need for a front-end UI to review different transactions, or can we just rely on table lookups, etc.?

Pawel Mastalerz thoughts?

Process a single transaction at a time

Given the complexity of validating wrap and unwrap transactions all the way through to finality, both Todd and Alex have suggested that we limit oracles to only process a single transaction at a time

Functionality

There are two main use cases that concern the Oracle, Wrap and Unwrap. These are detailed below.

Watchdog routines

In addition to wrap/unwrap, the Oracle should also have certain watchdog/monitoring routines that ensure the processes and routines executed by the Oracle healthy. For example:

  • Make sure a loop didn’t get stuck.

  • Ensure there are no blocked channels.

  • Ensure the health of the daemon itself.

Wrap

  • Wrap creates wFIO on the Ethereum chain.

  • See the following page for an overview of the Wrap use case: Wrap

Functionality

Oracle Initialization

  • Set the initial value of actionIndex = last_irreversible_block number (from FIO Chain) when server starts.

  • TBD: What is the best way to store the actionIndex to persist when an Oracle restarts?

    • See “Storage of latest block number” above

Alice (via dApp) calls wraptokens inside the fio.oracle contract on FIO chain

Example: Calling wraptokens using Cryptonym:

fio.oracle contract actions

fio.oracle contract actions:

  • Parameter Validation ( ensuring amount, token codes, pubkey and fees are all properly set )

  • Search oracle registration table (contains all registered oracles) and tally up the total number of registered oracles

  • Collect Oracle fees, sort, and find the median.

  • Send fee to all oracles.

  • Emplace wrapping details inside the oracleldgrs table.

  • Send the wrapped amount from Alice to fio.oracle contract.

  • Collect FIO/BP fees

  • Increase Alices RAM by 512.

  • Send successful response to Alice

Oracle monitors get_actions API on V1 History node

Every 5 seconds Oracle polls the get_actions API on History node Plugin to detect activity on the wrapping account (e.g. "o2ouxipw2rt4")

curl -s -XPOST http://44.242.158.42:8080/v1/history/get_actions -d '{
  "account_name": "o2ouxipw2rt4",
  "pos": -1
}'

  1. Retrieve all actions

  2. For each action, if block_num > actionIndex then validate and process the action (call ERC-20 wrap)

  3. Set actionIndex = block_num of most recent wraptokens action

const actionIdx = config.oracleCache.get("actionIndex");
          const dataLen = Object.keys(data.data.actions).length;
          var array = Array();
          for (var i = 0; i<dataLen;i++){
            if (data.data.actions[i].block_num > actionIdx) {
                array.push(data.data.actions[i]);
            }
            config.oracleCache.set("actionIndex", data.data.actions[dataLen-1].block_num)
          }
          return array;

TBD:

  • Since there eventually may be very many transactions, it may make sense to walk backward through the table using "pos" and "offset". Maybe you grab the most recent 5 actions and see if any of them are new. If ALL of them are new, then you need to grab the next 5 actions, etc.

wrap transaction finality monitoring on FIO Chain

  • TBD: Should the oracle monitor FIO chain for finality by ensuring block number is after the last_irreversible_block?

Oracle validates the FIO chain wraptokens transaction.

  • See “Exception handling” below

  • Check the actions to confirm it is a wrapping action:

if (wrapData[i].action_trace.act.data.memo == "Token Wrapping")

Responding to invalid wraptokens transaction

  • TBD: If exceptions are found, what actions does the Oracle take unwind wraptokens action?

Oracle executes wrap on fio.erc20 contract on Ethereum chain

  • wFIO recipient eth address, wFIO amount to mint (must match what was wrapped on FIO chain exactly), and the obtid of the FIO transaction are provided as parameters to wrap action

wrap(ethaddress, FIO (SUF) amount, obtid);ex. wrap(“0x00000000000”, 10000000, “0x123456789”);

fio.erc20 contract actions for pre-consensus calls to wrap function

fio.erc20 contract actions:

fio.erc20 contract actions for final consensus call to wrap function

Example of three oracles calling wrap:

Using these oracle, we call the wrap function on FIO token contract using web3.js like below.
instance.wrap[accounts[5], 10000, "99e20de9bb9f178f3ff1328c089925daff1d5dcb1da7dceaad7fc5126a08eaf5". {from: accounts[1]}); 
instance.wrap[accounts[5], 10000, "99e20de9bb9f178f3ff1328c089925daff1d5dcb1da7dceaad7fc5126a08eaf5". {from: accounts[2]}); 
instance.wrap[accounts[5], 10000, "99e20de9bb9f178f3ff1328c089925daff1d5dcb1da7dceaad7fc5126a08eaf5". {from: accounts[3]});
  • TBD: If an Oracle does not have enough ETH to cover the transaction, the transaction remains in the partially completed state until the Oracle obtains more ETH and executes the transaction. Need to confirm. Pawel Mastalerz

  • When the last oracle calls wrap, the transaction is executed

    • The mint function inside wrap is automatically executed

    • The Ethereum address provided receives wrapped FIO assets

    • An Event is emitted by the ERC-20 contract: wrapped(address ethaddress, uint256 amount, uint256 obtid);

    • The oracle receives the Event and the Ethereum Transaction ID (if successful) and alerts the user about wrapping result

ERC-20 wrap validation

TBD: Adam to document how the contract handles invalid failed transactions. Put link to content here. Adam Androulidakis

Responding to invalid ERC-20 wrap transaction

TBD: Any kind of recovery? Just send a failure message to the user and note that their FIO is stuck in the FIO wrapping account? Pawel Mastalerz

wrap transaction finality monitoring on Ethereum

  • Alice receives the Ethereum Transaction ID and is responsible for monitoring the status.

  • Does the oracle do any kind of monitoring or validation of the overall transaction (beyond responding to the ERC-20 Event)

    • Decision: Based on 5/13 discussion with Luke/Pawel/Dev team, no additional monitoring of the transaction on the Ethereum chain is required.

    • Decision: Based on 5/13 discussion with Luke/Pawel/Dev team, only limited monitoring of the transaction on the Ethereum chain is required.

    • All of the following do NOT need to be monitored or tracked by the Oracle:

      • A transaction gets stuck in a pre-consensus state.

      • A transaction disappears (e.g., ending up on a fork, etc.)

        • It is common to have transactions go into a mempool, and then transaction ends up in an uncle (orphan) block. If the transaction in the uncle block has not been validated elsewhere, then it should be returned to the mempool. But, there are situations where it can disappear from the mempool.

      • Waiting to make sure the block has reached finality.

  • TBD: Only process one transaction at a time to reduce complexity?

Exception handling

Error condition

Trigger

Type

fields:name

fields:value

Error message

Oracle Action

Invalid chain

Chain passed to wraptokens action is not Ethereum (Note: this restriction is not enforced in the FIO Contract to allow for wrapping chain expansion without deployment of code)

Oracle triggers unwraptokens action to send FIO back to originating address

TBD: How do other oracle get notified when a transaction is getting unwound?

TBD: What if one oracle approves the transaction and another oracle rejects?

Invalid Ethereum address

Public address passed to wraptokens action is not a valid Ethereum address (Note: this restriction is not enforced in the FIO Contract to allow for wrapping chain expansion without deployment of code)

Oracle triggers unwraptokens action to send FIO back to originating address

Unwrap

  • Unwrap converts wFIO on Ethereum chain to FIO Tokens on FIO chain.

  • See the following page for an overview of the Unwrap use case: Unwrap

Functionality

Oracle Initialization

  • lastBlockNumber is initialized with ETH latest blocknumber when the server is started

  • TBD: What is the best way to store the lastBlockNumber to persist when an Oracle restarts?

    • See “Storage of latest block number” above

Alice (dApp) executes unwrap on Ethereum chain

unwrap(fio address, amount);
ex. unwrap(hard@edge, 100000000);

ERC-20 unwrap validation

TBD: Adam to document how the contract handles invalid failed transactions. Put link to content here. Adam Androulidakis

fio.erc20 contract actions for valid unwrap transaction

fio.erc20 contract actions

  • Alice provides amount to unwrap and the FIO Address for the oracle to send the FIO to as parameters to unwrap action

  • Alice is paying gas fee for the unwrap

  • Transaction executed:

    • wFIO amount is burned

    • unwrap event emitted:
      unwrapped(string fioaddress, uint256 amount);

Oracle monitors unwrap event for transfers

fioContract.getPastEvents('unwrapped',{
            // filter: {id: 1},  
            fromBlock: lastBlockNumber,
            toBlock: 'latest'
        }
  • No consensus is required for the unwrap transaction. Any oracle can initiate the FIO unwraptokens action.

    • TBD: How do we prevent multiple oracles from simultaneously initiating unwraptokens? Is this a possible scenario? Casey Gardiner

Oracle validates unwrap transaction

  • See “Exception handling” below

  • TBD: Other validations?

If exceptions are found, Oracle takes action to unwind transaction

  • See Exception handling below

unwrap transaction finality monitoring on Ethereum chain

  • TBD: Need process for finality monitoring. I.e., when is it okay for the Oracle to call upwraptokens?

    • Ask Paul how Edge assesses finality for Ethereum. Eric Butz

Oracle executes upwraptokens on fio.oracle contract on FIO chain

  • Call the FIO unwrap action with ETH transaction ID and amount.

  • On FIO side, we call the unwrap action using push_transcation function using fio.js

    const unwrapTokens = async (obt_id, fioAmount) => {
        let contract = 'fio.oracle',
        action = 'unwraptokens',
        oraclePrivateKey = process.env.PRIVATE_KEY,
        oraclePublicKey = process.env.PUBLIC_KEY,
        oracleAccount = 'qbxn5zhw2ypw',
        amount = fioAmount,
        obtId = obt_id,
        fioAddress = 'bp1@dapixdev';
        const info = await (await fetch(httpEndpoint + 'v1/chain/get_info')).json();
        const blockInfo = await (await fetch(httpEndpoint + 'v1/chain/get_block', { body: `{"block_num_or_id": ${info.last_irreversible_block_num}}`, method: 'POST' })).json()
        const chainId = info.chain_id;
        const currentDate = new Date();
        const timePlusTen = currentDate.getTime() + 10000;
        const timeInISOString = (new Date(timePlusTen)).toISOString();
        const expiration = timeInISOString.substr(0, timeInISOString.length - 1);
    
        const transaction = {
            expiration,
            ref_block_num: blockInfo.block_num & 0xffff,
            ref_block_prefix: blockInfo.ref_block_prefix,
            actions: [{
                account: contract,
                name: action,
                authorization: [{
                    actor: oracleAccount,
                    permission: 'active',
                }],
                data: {
                    fio_address: fioAddress,
                    amount: amount,
                    obt_id: obtId,
                    actor: oracleAccount
                },
            }]
        };
        var abiMap = new Map()
        var tokenRawAbi = await (await fetch(httpEndpoint + 'v1/chain/get_raw_abi', { body: `{"account_name": "fio.oracle"}`, method: 'POST' })).json()
        abiMap.set('fio.oracle', tokenRawAbi)
    
        var privateKeys = [oraclePrivateKey];
    
        const tx = await Fio.prepareTransaction({
            transaction,
            chainId,
            privateKeys,
            abiMap,
            textDecoder: new TextDecoder(),
            textEncoder: new TextEncoder()
        });
    
        const pushResult = await fetch(httpEndpoint + 'v1/chain/push_transaction', {
            body: JSON.stringify(tx),
            method: 'POST',
        });
    
        const json = await pushResult.json()
    
        if (json.type) {
        console.log('Error: ', json);
        } else if (json.error) {
        console.log('Error: ', json)
        } else {
        console.log('Result: ', json)
        }
    }
    

fio.oracle contract actions for calls to upwraptokens function

fio.oracle contract Actions:

  • Parameter Validation ( min/max amount, fio address check )

  • Verify the actor is a registered oracle

  • Find the fio.address inside the fionames table

  • Search for previous votes of the same obt_id

    • If found

      • Search and verify actor has not voted prior

      • copy vector and push account name to list of voted oracles to the vector of votes

      • modify voters table with new vector

    • If not found

      • add actor to new vector

      • emplace new record with voters information

  • Compare number of votes with number of registered oracles

    • if number of votes equal the number of registered oracles, transfer amount from fio.oracle contract to the fio.address provided.

  • Send success/fail response to the oracle

Responding to invalid upwraptokens transaction

  • TBD: Any kind of recovery? Just send a failure message to the user and note that their WFIO is burned but the transfer of FIO failed? Pawel Mastalerz

  • TBD: Retry?

  • TBD: What if 2 upwraptokens transaction succeed, but 1 oracle fails?

Oracle validates unwraptokens transaction

  • Oracles monitor all unwraptokens transactions in process to ensure consensus has been reached.

  • If a transaction is stuck in a pre-consensus state for some reason, a rollback should be triggered or a warning event should be thrown.

Ongoing monitoring of unwraptokens transactions

  • TBD: Should Oracles monitor the status unwraptokens transactions to ensure none are stuck in the approval queue?

Exception handling

Error condition

Trigger

Type

fields:name

fields:value

Error message

Oracle Action

Invalid FIO Address

FIO Address passed in with ERC-20 is not valid or does not exist

Oracle triggers a ERC20 wrap action to send wFIO back to originating address

  • TBD: What event is being monitored for this?

  • No labels