ReactJS onClick状态改变了一步

时间:2016-12-08 15:48:03

标签: javascript reactjs state

我正在使用ReactJS构建一个非常原始的测验应用程序,但我无法更新Questions组件的状态。它的行为是它将questions数组的正确索引呈现给DOM,尽管this.state.questionNumber总是落后于handleContinue()

import React from "react"

export default class Questions extends React.Component {
  constructor() {
    super()
    this.state = {
      questionNumber: 1
    }
  }

  //when Continue button is clicked
  handleContinue() {
    if (this.state.questionNumber > 3) {
      this.props.unMount()
    } else {
      this.setState({
        questionNumber: this.state.questionNumber + 1
      })
      this.props.changeHeader("Question " + this.state.questionNumber)
    }
  }

  render() {
    const questions = ["blargh?", "blah blah blah?", "how many dogs?"]
    return (
      <div class="container-fluid text-center">
        <h1>{questions[this.state.questionNumber - 1]}</h1>
        <button type="button" class="btn btn-primary" onClick={this.handleContinue.bind(this)}>Continue</button>
      </div>
    )
  }
}

2 个答案:

答案 0 :(得分:11)

setState()not necessarily a synchronous operation

  

setState()不会立即改变this.state,但会创建待处理状态转换。访问this.state船尾

     

无法保证对setState的调用进行同步操作,并且可以对调用进行批处理以获得性能提升。

出于这个原因,this.state.questionNumber可能仍然保留以前的值:

this.props.changeHeader("Question " + this.state.questionNumber)

相反,使用状态转换完成后调用的callback function

this.setState({
    questionNumber: this.state.questionNumber + 1
}, () => {
    this.props.changeHeader("Question " + this.state.questionNumber)
})

答案 1 :(得分:1)

正如Sandwichz所说,如果您在使用setState后立即访问该状态,则无法保证实际值。你可以这样做:

handleContinue() {
  if (this.state.questionNumber > 3) {
    this.props.unMount()
  } else {
    const newQuestionNumber = this.state.questionNumber + 1
    this.setState({
      questionNumber: newQuestionNumber
    })
    this.props.changeHeader("Question " + newQuestionNumber)
  }
}