在 React 组件之间共享属性

Sharing Properties between React Components

我正在用 React 构建一种时钟,它可以选择在一个组件中递增或递减一个数字(默认为 25),在另一个组件中它更新计时器(自从我们从 25:00 开始25) 无论数字增加或减少到什么。

我有两个组件(Session 和 Clock)成功执行了它们自己的操作,但是我对如何获取计数器(Session 组件)来更新 Clock 组件中的计时器状态感到困惑。更具体地说,我一直在玩弄 this.props.minutes 但无济于事。

问题:如何在组件之间共享 this.state.minutes 属性?先感谢您。我仍然是 React 的初学者。

会话:

const Session = React.createClass({

  getInitialState: function() {
    return {
      minutes: 25,
      seconds: 0
    };
  },

  increment: function() {
    this.setState({ minutes: this.state.minutes + 1 });
  },

  decrement: function() {
    this.setState({ minutes: this.state.minutes - 1 });
  },

  timeToString: function(time) {
    return time + ':00';
  },

  render: function() {
    return (
      <section>
        <button onClick={this.increment}>+</button>
        <button onClick={this.decrement}>-</button>
        {this.state.minutes}
        <Clock/>
      </section>
    );
  }

});

module.exports = Session;

时钟:

const Clock = React.createClass({

  getInitialState: function() {
    return { currentCount: 10 };
  },

  startTimer: function() {
    var intervalId = setInterval(this.timer, 1000);
    this.setState({ intervalId: intervalId });
  },

  pauseTimer: function() {
    clearInterval(this.state.intervalId);
    this.setState({ intervalId: this.state.currentCount });
  },

  timer: function() {
    var newCount = this.state.currentCount - 1;
    if (newCount >= 0) {
      this.setState({ currentCount: newCount });
    } else {
      clearInterval(this.state.intervalId);
    }
  },

  render: function() {
    return (
      <section>
        <button onClick={this.startTimer}>Start</button>
        <button onClick={this.pauseTimer}>Pause</button>
        {this.state.currentCount}
      </section>
    );
  }

});

module.exports = Clock;

您需要像这样将状态从 Session 传递到 Clock:

<Clock time={this.state.minutes} /> 在您的 Session 组件中

然后 'state' 现在可以作为 this.props.time

用于您的时钟组件

或者上面代码中的任何名称。

故事的寓意是状态从父组件传递到子组件是使用 props 完成的

相关文档:

https://facebook.github.io/react/docs/multiple-components.html

编辑:文档中的另一个关键 link:

https://facebook.github.io/react/tips/communicate-between-components.html