哟,
我的问题是关于javascript对象。
我已经阅读了backbone.js代码,我看到模型和对象正在使用javascript对象来定义对象。
喜欢那个
Backbone.Model.extend({
initialize: function() { ... },
author: function() { ... },
coordinates: function() { ... },
allowedToEdit: function(account) {
return true;
}
});
为什么不使用原型? 因为它是每个班级重新定义的方法吗? 因为创建的每个对象比backboneJS占用更多的空间?
如果有人可以向我解释使用原型时何时以及为何有趣?
答案 0 :(得分:2)
用于在Backbone中创建对象的扩展方法 USE 原型,你只是看不到它。
至于另一个问题,我想你问的第一个问题的方式是对的:)。此外,从some benchmarks I saw开始,如果实例化许多对象,使用原型会更快。也就是说,如果你使用单例,你可能想要使用静态属性(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);
答案 1 :(得分: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
方法创建新函数,将传递的对象分配给它的原型并返回它。
至于第二个问题:如果你正在处理具有相同功能的多个对象,请始终使用原型。
答案 2 :(得分:0)
这里是扩展一个模型,可以使用JS对象。但是如果你想实现一个OOP类,接口或库,那就去JS原型。