2

哟,

我的问题是关于 javascript 对象。

我已经阅读了backbone.js 代码,我看到模型和对象正在使用javascript 对象来定义一个对象。

像那样

Backbone.Model.extend({
    initialize: function() { ... },
    author: function() { ... },
    coordinates: function() { ... },
    allowedToEdit: function(account) {
        return true;
    }
});

为什么不使用原型?因为它为每个类重新定义了方法?因为创建的每个对象都比backboneJS 占用更多空间?

如果有人可以向我解释何时以及为什么使用原型很有趣?

4

3 回答 3

2

您在 Backbone 中用于创建对象的 extend 方法使用原型,您只是看不到它。
至于另一个问题,我想你问第一个问题的方式是正确的:)。此外,从我看到的一些基准测试来看,如果实例化许多对象,使用原型会更快。也就是说,如果您使用单例,您可能需要使用静态属性(extend(protoProp, staticProp))。

相关Backbone的代码(扩展函数定义):

var Surrogate = function(){ this.constructor = child; };
Surrogate.prototype = parent.prototype;
child.prototype = new Surrogate;

// Add prototype properties (instance properties) to the subclass,
// if supplied.
if (protoProps) _.extend(child.prototype, protoProps);
于 2013-04-04T08:00:02.397 回答
1

你好像误会了。这是源代码:

var extend = function(protoProps, staticProps) {
    var parent = this;
    var child;

    // The constructor function for the new subclass is either defined by you
    // (the "constructor" property in your `extend` definition), or defaulted
    // by us to simply call the parent's constructor.
    if (protoProps && _.has(protoProps, 'constructor')) {
      child = protoProps.constructor;
    } else {
      child = function(){ return parent.apply(this, arguments); };
    }

    // Add static properties to the constructor function, if supplied.
    _.extend(child, parent, staticProps);

    // Set the prototype chain to inherit from `parent`, without calling
    // `parent`'s constructor function.
    var Surrogate = function(){ this.constructor = child; };
    Surrogate.prototype = parent.prototype;
    child.prototype = new Surrogate;

    // Add prototype properties (instance properties) to the subclass,
    // if supplied.
    if (protoProps) _.extend(child.prototype, protoProps);

    // Set a convenience property in case the parent's prototype is needed
    // later.
    child.__super__ = parent.prototype;

    return child;
};

这可能会令人困惑,但这里的本质是 Backbone 的.extend方法创建新函数,将传递的对象分配给它的原型并返回它。

至于第二个问题:如果您正在处理共享相同功能的多个对象,请始终使用原型。

于 2013-04-04T08:01:06.180 回答
0

在这里,您正在扩展一个模型,可以使用 JS 对象。但是,如果你想实现一个 OOP 类、接口或库,请选择 JS 原型。

于 2013-04-05T17:51:20.403 回答