react + signalR中的数据绑定

时间:2014-07-30 11:44:53

标签: signalr reactjs

我有一个策略问题。

我想使用signalR更改网站中的数据,并使用react显示更改的数据。我的问题是:如何在signalR和react之间进行数据绑定?

我的第一个线索如下:

signalR:

chat.client.addMessage = function (name, message) {
    chatHistory.push({ Author: name, Text: message }); //here I change global variable chatHistory
};

反应:

var CommentList = React.createClass({some class here});

var CommentBox = React.createClass({
    componentRefresh: function () {
        this.setState({ data: chatHistory });
    },
    getInitialState: function () {
        return { data: chatHistory };
    },
    componentDidMount: function () {
        this.componentRefresh();
        setInterval(this.componentRefresh, this.props.interval);
    },
    render: function () {
        return (
          React.DOM.div(null,
            CommentList({ data: this.state.data })
          )
      );
    }
});

React.renderComponent(
  CommentBox({ interval: 2000 }),
  document.getElementById('content')
);
反应commentBox组件中的

我提供全局chatHistory并每2秒请求一个新值。

有更优雅的方式吗? 如果没有改变chatHistory变量,如何避免重绘CommentBox?

1 个答案:

答案 0 :(得分:4)

你在CommentBox中维护状态的方法很好。随着组件库的增长,维护自更新组件可能会变得复杂。我建议调查React团队设计的Flux架构及其Todo MVC Flux示例。

如果你知道状态没有改变,你可以实现shouldComponentUpdate以防止React重新呈现CommentBox。此外,您应该保留对间隔的引用,以便在卸载CommentBox时清除它,否则它将在删除组件后继续轮询。

var CommentBox = React.createClass({
  ...

  componentDidMount: function() {
    this.componentRefresh();
    this._interval = setInterval(this.componentRefresh, this.props.interval);
  },

  componentWillUnmount: function() {
    clearInterval(this._interval);
    this._interval = null;
  },

  shouldComponentUpdate: function(nextProps, nextState) {
    // Do a deep comparison of `chatHistory`. For example, use
    // Underscore's `isEqual` function.
    return !_.isEqual(this.state.chatHistory, nextState.chatHistory);
  },

  ...
});