在组件ES6之间反应setState

Tom*_*hen 2 javascript state ecmascript-6 reactjs

我有一个非常简单的应用程序,我试图从子组件更新父组件的状态,如下所示:

import React from '../../../../../../../dependencies/node_modules/react';
import ReactDOM from '../../../../../../../dependencies/node_modules/react-dom';

class CalendarMain extends React.Component {
    constructor() {
        super();
    }

    handleClick() {
        this.props.handleStateClick("State Changed");
    }

    render() {
        return ( 
            <div>
                <div className="calendar">
                    {this.props.checkIn}
                    <button onClick={ this.handleClick.bind(this) }>Click Me</button>
                </div>
            </div>
        )
    }
}

class CalendarApp extends React.Component {

    constructor() {
        super();

        this.state = { 
            checkIn: "Check-in",
            checkOut: "Check-out",
            dateSelected: false 
        };
    }

    handleStateClick( newState ) {
        this.setState({
            checkIn: newState
        });
    }

    render() {

        return (
            <div>
                <CalendarMain 
                    checkIn = { this.state.checkIn }
                    handleStateClick = { this.handleStateClick.bind(this) }
                />
            </div>
        );
    }
}
Run Code Online (Sandbox Code Playgroud)

我收到的错误是this.setState is not a function,我无法解决原因.任何帮助将非常感激!

pmi*_*606 7

this 不是ES6样式语法中的自动绑定.

或者:

  1. 在构造函数中绑定如下: this.func = this.func.bind(this)
  2. 对所讨论的函数使用箭头函数语法,如下所示: func = () => {};

更多信息:https://facebook.github.io/react/blog/2015/01/27/react-v0.13.0-beta-1.html#autobinding


Adi*_*ngh 5

使用() =>lambda提供词法作用域并在方法中绑定此值的正确值handleStateClick():

handleStateClick = () => {
  this.setState({
    checkIn: newState
  });
}
Run Code Online (Sandbox Code Playgroud)