3

我的印象是 ES6 类基本上是围绕 ES5 对象系统的语法糖。当我试图在没有转译器的情况下运行 React 时,我认为我可以使用旧语法来定义从 React.Component “继承”的对象“类”。

    var Board = function(props, state) {
        var instance = {};

        instance.props = props;
        instance.context = state;

        return(instance);           
    };

    Board.prototype = Object.create(React.Component.prototype);

    Board.prototype.render = function() {
        return(
            // ...stuff
        )               
    };

但这不起作用!

react.js:20478 Warning: Board(...): No `render` method found on the returned component instance: you may have forgotten to define `render`
react.js:6690 Uncaught TypeError: inst.render is not a function(…)

在这个 gist 中找到了替代方案,并且以下工作:

    var Board = function(props, state) {
        var instance = Object.create(React.Component.prototype);

        instance.props = props;
        instance.context = state;

        instance.prototype.render = function() {
            return(
                // ...stuff
            )               
        };

        return(instance);           
    };

我还发现我可以使用React.createClass助手。

但我仍然想了解为什么 React 不能处理以这种通用方式定义的类。在我看来,ES6 类在使用之前就已经实例化了。我看不出为什么 ES5 风格的类也不会被实例化,结果相似。

4

1 回答 1

8

为什么 React 不支持“正常”的 ES5 原型继承?

它是,虽然使用React.createClass可能是你更好的选择。只是您问题中的代码没有执行标准的类似 ES5 类的继承任务。尤其是:

  • 您返回的是普通对象的实例,而不是 的实例Board,因此Board.prototype该对象不使用该实例。通常,构造函数不应该返回任何东西,并且应该使用new调用它时创建的对象,它接收为this.
  • 你没有给React.Component它初始化实例的机会。
  • 你没有constructor开始Board.prototype(虽然我不知道 React 是否关心;很多事情不关心)。

如果您以正常方式设置它,它会起作用。这是一个没有 的 ES5 示例React.createClass,请参阅注释:

// The component
function Foo(props) {
    // Note the chained superclass call
    React.Component.call(this, props);
}

// Set up the prototype
Foo.prototype = Object.create(React.Component.prototype);
Foo.prototype.constructor = Foo; // Note

// Add a render method
Foo.prototype.render = function() {
    return React.createElement("div", null, this.props.text);
};

// Use it
ReactDOM.render(
    React.createElement(Foo, {
        text: "Hi there, the date/time is " + new Date()
    }),
    document.getElementById("react")
);
<div id="react"></div>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react-dom.min.js"></script>

于 2016-11-01T18:22:23.390 回答