4

试图创建一个“继承”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创建新版本视图的方式创建一个新插件。看起来我误解了应该这样做的方式。

什么是为骨干创建新插件的好方法?

4

1 回答 1

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.createpolyfill 被认为是过时的,因为(我相信)最近的实现Object.create需要多个参数。此外,您使用的特定函数不会遵循本机Object.create函数,如果它存在的话,尽管您可能只是省略了if (typeof Object.create !== 'function')应该包装该函数的语句。

于 2012-08-17T16:55:50.877 回答