尝试创建一个“继承”来自Backbone.Model
的主干“插件”,但会覆盖sync
方法。
这是我到目前为止所做的:
Backbone.New_Plugin = {};
Backbone.New_Plugin.Model = Object.create(Backbone.Model);
Backbone.New_Plugin.Model.sync = function(method, model, options){
alert('Body of sync method');
}
方法:Object.create()
直接来自本书 Javascript:The Good Parts :
Object.create = function(o){
var F = function(){};
F.prototype = o;
return new F();
};
尝试使用新模型时遇到错误:
var NewModel = Backbone.New_Plugin.Model.extend({});
// Error occurs inside backbone when this line is executed attempting to create a
// 'Model' instance using the new plugin:
var newModelInstance = new NewModel({_pk: 'primary_key'});
错误发生在Backbone 0.9.2开发版本的第1392行。在函数inherits()
中:
Uncaught TypeError: Function.prototype.toString is not generic .
我正在尝试以骨干库Marionette
创建新版本的视图的方式创建一个新的插件。看起来我似乎误解了应该这样做的方式。
为骨干网创建新插件有什么好方法?
答案 0 :(得分:6)
您延伸Backbone.Model
的方式并不是您想要的方式。如果要创建新类型的模型,只需使用extend
:
Backbone.New_Plugin.Model = Backbone.Model.extend({
sync: function(method, model, options){
alert('Body of sync method');
}
});
var newModel = Backbone.New_Plugin.Model.extend({
// custom properties here
});
var newModelInstance = new newModel({_pk: 'primary_key'});
另一方面,Crockford的Object.create
polyfill被认为是过时的,因为(我相信)最近的Object.create
实现需要多个参数。此外,您正在使用的特定函数不会遵循本机Object.create
函数(如果存在),但是,您可能刚刚省略了应该包装该函数的if (typeof Object.create !== 'function')
语句。