React复选框不发送onChange

前端之家收集整理的这篇文章主要介绍了React复选框不发送onChange前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
TLDR:使用defaultChecked而不是选中,在这里工作jsbin http://jsbin.com/mecimayawe/1/edit?js,output

尝试设置一个简单的复选框,当它被选中将交叉标签文本。由于某种原因,当我使用组件时,handleChange不会被触发。任何人都可以解释我做错了什么?

var CrossoutCheckBox = React.createClass({
  getInitialState: function () {
    return {
        complete: (!!this.props.complete) || false
      };
  },handleChange: function(){
    console.log('handleChange',this.refs.complete.checked); // Never gets logged
    this.setState({
      complete: this.refs.complete.checked
    });
  },render: function(){
    var labelStyle={
      'text-decoration': this.state.complete?'line-through':''
    };
    return (
      <span>
        <label style={labelStyle}>
          <input
            type="checkBox"
            checked={this.state.complete}
            ref="complete"
            onChange={this.handleChange}
          />
          {this.props.text}
        </label>
      </span>
    );
  }
});

用法

React.renderComponent(CrossoutCheckBox({text: "Text Text",complete: false}),mountNode);

解:

使用checked不允许底层值改变(显然),因此不调用onChange处理程序。切换到defaultChecked似乎解决这个问题:

var CrossoutCheckBox = React.createClass({
  getInitialState: function () {
    return {
        complete: (!!this.props.complete) || false
      };
  },handleChange: function(){
    this.setState({
      complete: !this.state.complete
    });
  },render: function(){
    var labelStyle={
      'text-decoration': this.state.complete?'line-through':''
    };
    return (
      <span>
        <label style={labelStyle}>
          <input
            type="checkBox"
            defaultChecked={this.state.complete}
            ref="complete"
            onChange={this.handleChange}
          />
          {this.props.text}
        </label>
      </span>
    );
  }
});
要获得复选框的选中状态,路径将是:
this.refs.complete.state.checked

另一种方法是从事件传递到handleChange方法获取它:

event.target.checked
原文链接:https://www.f2er.com/react/302960.html

猜你在找的React相关文章