如果我在 `map` 中引用 `onClick` 中的方法,为什么我的组件会损坏?

IT技术 javascript reactjs
2021-04-01 21:56:10

最愚蠢的事情现在发生在我的代码上。我有一个在 DOM 中呈现的项目列表,我需要放置一个按钮来调用另一个函数,如果我像这样放置按钮,<button></button>一切正常,但是如果我为该按钮分配一个函数,那么一切都会失败<button onClick={function}></button>我会告诉你我的代码,看

@connectToStores
export default class Dealers extends Component {

  static contextTypes = {
    router : React.PropTypes.func,
  }

  static propTypes = {
    title : React.PropTypes.func,
  }

  constructor (props) {
    super(props);
    this.state = {
      modal : false,
    }
  }

  static getStores () {
    return [ GetDealersStore ];
  }

  static getPropsFromStores () {
    return GetDealersStore.getState();
  }
  render () {
    let dealersInfo;
    if (this.props.dealerData !== null) {
      dealersInfo = this.props.dealerData.dealersData.map(function(dealer) {
        return (<div key={dealer.DealerId} style={Styles.dealerCard}>
              <Card>
                <CardHeader title={dealer.NickName}
                            subtitle={dealer.DealerId}
                            avatar={dealer.Picture}/>
                <CardText>
                  <FloatingActionButton> ////////////////////////
                    <IconAdd />    //////THIS IS THE BUTTON/////
                  </FloatingActionButton>//////////////////////
                </CardText>
              </Card>
            </div>
        );
      });
    } else {
      dealersInfo = <p>Loading . . .</p>;
    }

    return (
      <Grid>
        <Row>
          <Column><h4>Dealers</h4></Column>
        </Row>
        <div style={Styles.mainCont}>
          {dealersInfo}
        </div>
      </Grid>
    );
  }

  componentWillMount () {
    GetDealersActions.getDealers();
  }

  _openUpdateDealer = () => {
    console.log(123);
  }
}

正如你所看到的,有一个声明

if (this.props.dealerData !== null) {
   ...
}else {
   dealersInfo = <p>Loading . . .</p>;
}

正如我上面粘贴的一切代码工作真棒,但如果添加了<FloatingActionButton onClick={this._openUpdateDealer.bind(this)}><IconAdd /></FloatingActionButton>那么一切都发生故障,所有我在屏幕上看到的是Loading . . .这是else在上面的语句。

所以,我想知道,这里的react是怎么回事?

1个回答

您正在.map操作中间渲染按钮

this.props.dealerData.dealersData.map(function(dealer) {

它使用不同的值this因此,this.props在函数内部不存在。我希望cannot read property dealerData of undefined在浏览器控制台中看到

您需要使用可选thisArg参数

this.props.dealerData.dealersData.map(function(dealer) {
  // ...
}, this);

this手动绑定映射函数

this.props.dealerData.dealersData.map(function(dealer) {
  // ...
}.bind(this));

或使用箭头函数(因为您使用的是 ES6 功能):

this.props.dealerData.dealersData.map((dealer) => {
  // ...
});
能帮助我在这里
2021-05-24 21:56:10
@NietzscheProgrammer 箭头函数保持词法 this ,因此您可以在 loss 的函数中使用它this替换.map(function(dealer) {.map((dealer) => {
2021-06-06 21:56:10
我应该在哪里使用箭头函数?我的意思是,我正在使用箭头功能_openUpdateDealer = () => {...},你说我必须在哪里使用它?
2021-06-07 21:56:10