0

我有两个模块

应用程序.jsx

import React from 'react';
import ReactDOM from 'react-dom';
import {accounts} from './contract.jsx';


class App extends React.Component{
    constructor(props){
    super(props);
    this.state={'text':'','accounts':'','clicked':false};
}
componentDidMount = () => {
    this.setState({'accounts':accounts()});
}
buttonAction = (e) => {
    this.setState({'clicked':true});
}
render(){
    return(
    <div align="center">
    <Button name="get all Accounts" action={this.buttonAction}/>
    {this.state.clicked ? <div>{this.state.accounts}</div> : null}
    </div>
    )}
}


const Button = (props) =>
    (<button onClick={props.action}>{props.name}</button>);

ReactDOM.render(<App/>,document.getElementById('root'));

和contract.jsx

import Web3 from 'web3';
var web3 = new Web3(Web3.givenProvider || 'http://localhost:8545');

let accounts = () => {
    // this is a promise
    web3.eth.getAccounts().then(function(result){console.log(result);})
    .catch(function(error){console.log(error.message)})
}
export {accounts};

我正在将accounts(承诺)函数从contract.jsxto导出app.jsx。由于我无法从 Promise 中返回值,因此我需要将值分配给 PromiseApp内的组件状态(检查componentDidMount)。为此,我需要将accounts函数中的 'console.log(result)' 替换为 'this.setState({'accounts':result})'。但是组件和accounts位于不同的模块中并且应该是独立的。我无法App在我的accounts函数中设置组件的状态。

如何将承诺中的值分配给App组件内部的状态?还有其他更好的方法吗?我还可以使用一些代码更正来使我的组件更好地工作。

4

1 回答 1

1

这有点 hacky,但您可以尝试将构造函数和渲染函数更改为:

constructor(props) {
  super(props);
  this.state = {
    'text': '',
    'accounts': null,
    'clicked': false
  };
}

...

render() {
  return(
    <div>
      { this.state['accounts'] ? (
          <div align="center">
            <Button name="get all Accounts" action={this.buttonAction}/>
            {this.state.clicked ? <div>{this.state.accounts}</div>:null}
          </div>
        ) : null 
      }
    </div>
  )
}

componentDidMount函数触发时,它应该触发重新渲染。要存储 promise 返回的值,只需在 中执行以下操作contract.jsx

let accounts = () => {
  return web3.eth.getAccounts()
    .then( function(result) {
      return result; // Or it could be result.data, it depends
    }).catch( function(error) {
      console.error(error.message)
    });
}
于 2018-02-21T17:07:21.857 回答