使用Trezor(硬件钱包)将已签名的交易发送到Ropsten或Truffle开发网络

16

我正在尝试将web3jsTrezor集成到Truffle开发网络或使用Ropsten测试网络中。

想法是使用硬件钱包签署交易,然后使用web3js发送原始交易

我得到的是我们没有足够的余额来进行交易,可能是因为web3js未将其中一个10个Truffle帐户之一,并且使用的Trezor地址不在我的本地网络中

在ropsten上,我有一些以太币并且收到“无效地址”。

有没有办法使用Trezor签名交易,使用web3js将其发送到Truffle开发网络?我的意思是,有没有一种方法将Trezor地址包含在Truffle网络中?

Truffle中的情况在此处详细说明,但问题可以概括为“是否有一种方法将硬件钱包包含在Truffle开发网络中?”:https://github.com/trufflesuite/truffle/issues/973

在ropsten上,我成功发送了交易并在回调中收到了交易哈希值,但是如果我们查询该交易,则会发现交易不存在..那么这是怎么回事?

我还尝试在Ropsten中部署合同,并且现在在调用智能合约函数时收到“无效地址”。也许签名功能是错误的吗?有人可以将Trezor交易签名与web3js集成吗?

您们是否看到我们遵循的签名和发送过程中的任何错误? 可能在处理R、V和S参数时有问题。

另一个重要的事情是我正在使用https://github.com/ethereumjs/ethereumjs-tx创建原始交易

与更多信息相关的web3js,Truffle和Trezor Connect发布的问题:

此致

 trezorLogin = async()=> {
        let trezor=  await this.getTrezor();

        // site icon, optional. at least 48x48px
        let hosticon = 'https://doc.satoshilabs.com/trezor-apps/_images/copay_logo.png';
        // server-side generated and randomized challenges
        let challenge_hidden = '';
        let challenge_visual = '';
        //use anonimous functions on callback otherwise returns cross origin errors
        trezor.requestLogin(hosticon, challenge_hidden, challenge_visual, function (result){
            if (result.success) {
                console.log('Public key:', result.public_key); // pubkey in hex
                console.log('Signature:', result.signature); // signature in hex
                console.log('Version 2:', result.version === 2); // version field
                console.log(result);
            }else {
                console.error('Error:', result.error);
            }
        });}


    trezorSignTx= async(transaction)=> {
        let trezor=  await this.getTrezor();
        // spend one change output
        let address_n = "m/44'/60'/0'/0/0"
        // let address_n = [44 | 0x80000000,
        //                  60 | 0x80000000,
        //                  0  | 0x80000000 ,
        //                  0 ]; // same, in raw form
        let nonce = transaction.nonce.substring(2); // note - it is hex, not number!!!
        let gas_price = transaction.gasPrice.substring(2);
        let gas_limit = transaction.gasLimit.substring(2);
        let to = transaction.to.substring(2);
        // let value = '01'; // in hexadecimal, in wei - this is 1 wei
        let value = transaction.value.substring(2); // in hexadecimal, in wei - this is about 18 ETC
        let data = transaction.data.substring(2); // some contract data
        // let data = null  // for no data
        let chain_id = 5777; // 1 for ETH, 61 for ETC
        return new Promise (function (resolve,reject) {
            trezor.ethereumSignTx(
                address_n,
                nonce,
                gas_price,
                gas_limit,
                to,
                value,
                data,
                chain_id,
                function (response) {
                    if (response.success) {

                        console.log('Signature V (recovery parameter):', response.v); // number
                        console.log('Signature R component:', response.r); // bytes
                        console.log('Signature S component:', response.s); // bytes
                        resolve(response);

                    } else {
                        console.error('Error:', response.error); // error message
                        resolve(null);
                    }

                });
        })
    }

    getTrezorAddress = async() => {
        let trezor=  await this.getTrezor();
        // spend one change output
        let address_n = "m/44'/60'/0'/0/0";
        trezor.ethereumGetAddress(address_n, function (result) {
            if (result.success) { // success
                console.log('Address: ', result.address);
            } else {
                console.error('Error:', result.error); // error message
            }
        });
    }


    getTrezor = async() => {
        let trezorC;
        await getTrezorConnect
            .then(trezorConnect => {
                trezorC= trezorConnect;
            })
            .catch((error) => {
                console.log(error)
            })
        return trezorC;

    }

 sendTransaction= async(address, amount, id)=>{
        let tokenInstance = this.props.smartContractInstance;

        let getData = tokenInstance.mint.getData(address, amount);

        let tx = {
            nonce: '0x00',
            gasPrice: '0x09184e72a000',
            gasLimit: '0x2710',
            to: CONTRACT_ADDRESS,
            value: '0x00',
            from:CONTRACT_OWNER_ADDRESS,
            data: getData
        };
        let response = await this.trezorSignTx(tx);

        let web3;
        let _this = this;
        if (response!=null){
            getWeb3
                .then(results => {
                    web3= results.web3;
                    let v = response.v.toString();
                    if (v.length % 2 != 0){
                        v="0"+v;
                    }
                    tx.r=Buffer.from(response.r,'hex');
                    tx.v=Buffer.from(v,'hex');
                    tx.s=Buffer.from(response.s,'hex');
                    let ethtx = new ethereumjs(tx);
                    console.dir(ethtx.getSenderAddress().toString('hex'), );
                    const serializedTx = ethtx.serialize();
                    const rawTx = '0x' + serializedTx.toString('hex');
                    console.log(rawTx);
                    //finally pass this data parameter to send Transaction
                    web3.eth.sendRawTransaction(rawTx, function (error, result) {
                        if(!error){
                            _this.props.addTokens(id)
                                .then(()=>{
                                        _this.setState({modalOpen: true});
                                        _this.props.getAllTransactions();
                                    }
                                );
                        }else{
                            alert(error)
                        }
                    });
                })
                .catch((error) => {
                    console.log(error)
                })
        }else{
            alert("There was an error signing with trezor hardware wallet")
        }


    }

getTrezorConnect函数只是异步获取window.trezorConnect对象,因为该对象被注入为脚本

<script src="https://connect.trezor.io/4/connect.js"></script>


let getTrezorConnect = new Promise(function(resolve, reject) {
    // Wait for loading completion
    window.addEventListener('load', function() {

        let trezorConnect = window.TrezorConnect

            return resolve(trezorConnect)


})});

export default getTrezorConnect
2个回答

2

经过多次尝试,我们已成功将使用Trezor签名的原始交易发送到RopstenTruffle(请参见答案底部的编辑)和本地私有的Geth网络。因此,代码没有问题,并且在这些环境中与Trezor集成也没有问题。

https://ropsten.etherscan.io/address/0x89e2c46b22881f747797cf67310aad1a831d50b7

以下是我为了使签名交易能够发送到Ropsten测试网所做的更改。

假设您已将合约部署到Ropsten并拥有合约地址。

1)获取您的Trezor帐户地址

  getTrezorAddress = async() => {
        let trezor=  await this.getTrezor();
        // spend one change output
        let address_n = "m/44'/1'/0'/0/0";
        trezor.ethereumGetAddress(address_n, function (result) {
            if (result.success) { // success
                console.log('Address: ', result.address);
            } else {
                console.error('Error:', result.error); // error message
            }
        });
    }

2) 将Trezor地址放入您的原始交易的from字段中,通过获取该地址的交易计数来获取交易的nonce。重要提示:在获取交易计数时,请使用“pending”可选参数以获取账户的所有交易,否则您将覆盖待处理的交易。

getNonce = async(address) => {

        let web3 = await this.getWeb3();
        return new Promise (function (resolve,reject) {
            web3.eth.getTransactionCount(address, "pending", function (error,result){
                console.log("Nonce "+result);
                resolve(result);


            });
        });

    }

let count = null;
        await this.getNonce("0xedff546ac229317df81ef9e6cb3b67c0e6425fa7").then(result => {
            if(result.length % 2 !==0){
                result = "0"+result;
            }
            count = "0x"+result;

       });

let tx = {
            nonce: count ,
            gasPrice: web3.toHex(gasPriceGwei*1e9),
            gasLimit: web3.toHex(gasLimit),
            to: CONTRACT_ADDRESS,
            value: '0x00',
            data: getData,
            chainId:chainId,
            from:"yourTrezzorAddress"
        };

3) r、s、v参数不正确,正确的处理方式是使用trezor响应中的这些值并将其转换为十六进制:

// response is the Trezor sign response
tx.v= response.v;
tx.r="0x"+response.r;
tx.s="0x"+response.s;
let ethtx = new ethereumjs(tx);.
const serializedTx = ethtx.serialize();
const rawTx = '0x' + serializedTx.toString('hex');
 //finally pass this data parameter to send Transaction
web3.eth.sendRawTransaction(rawTx, someCallbackFunction);

重要提示:Ropsten的挖矿时间将在15至30秒之间,因此如果您在someCallbackFunction中使用哈希检查交易收据,则会得到null结果,因为该交易处于待处理状态。

4)为了在Ropsten上进行测试,我们使用Infura,所以需要更改web3提供者:

import Web3 from 'web3'
import HDWalletProvider from "truffle-hdwallet-provider";

let getWeb3 = new Promise(function(resolve, reject) {
    // Wait for loading completion to avoid race conditions with web3 injection timing.
    window.addEventListener('load', function() {
        let results
        let web3 = window.web3

        // Checking if Web3 has been injected by the browser (Mist/MetaMask)
        if (typeof web3 !== 'undefined') {
            // Use Mist/MetaMask's provider.
            web3 = new Web3(web3.currentProvider)

            results = {
                web3: web3
            }

            console.log('Injected web3 detected.');

            return resolve(results)
        } else {
            // Fallback to localhost if no web3 injection. We've configured this to
            // use the development console's port by default.
            // let provider = new Web3.providers.HttpProvider("https://ropsten.infura.io/your_infura_api_key")

            let mnemonic = "infura mnemonic"
            let provider = new HDWalletProvider(mnemonic, "https://ropsten.infura.io/your_infura_api_key")
            web3 = new Web3(provider)

            results = {
                web3: web3
            }

            console.log('No web3 instance injected, using Local web3.');

            return resolve(results)
        }
    })
})

export default getWeb3

编辑:

这也适用于Truffle!请查看此问题的最后评论https://github.com/trufflesuite/truffle/issues/973


0

我们开发了一个小型库,可以将Truffle与Trezor硬件钱包一起使用:https://github.com/rarible/trezor-provider

它可以像这样使用:

const { createProvider } = require('@rarible/trezor-provider')

module.exports = {
    networks: {
        ropsten: {
            provider: function() {
                //websocket and http urls are supported
                return createProvider({ url: "{infura or other}", path: "m/44'/60'/0'/0/0", chainId: 3 }) 
            },
            network_id: 3
        }
    }
};

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接