在骨干网中创建自定义sync()
方法。
我想这样做“正确”并尽可能少地干扰Backbone的正常功能。
这是我到目前为止的代码:
var CustomSyncModel = Backbone.Model.extend({
sync:function(method, model, options){
var params = {
type: 'POST'
url: model.url(),
error: function(jqXHR, textStatus, errorThrown){
alert('error');
},
success: function(data, textStatus, jqXHR){
model.parse(data);
}
};
// Got this from line 1359 in Backbone.js developement library
// version 0.9.2:
$.ajax(_.extend(params, options));
}
});
我遇到的问题是:$.ajax(_.extend(params, options));
行似乎覆盖了我创建的自定义success
和error
函数。但我也担心会干扰使用此模型的应用程序中其他地方可能已指定的任何自定义回调或其他功能。
覆盖Backbone sync()
方法的“正确”方法是什么?
谢谢!
答案 0 :(得分:8)
如果查看Model#fetch
,您会看到Backbone使用的常用方法:
fetch: function(options) {
//...
var success = options.success;
options.success = function(resp, status, xhr) {
if (!model.set(model.parse(resp, xhr), options)) return false;
if (success) success(model, resp);
};
//...
}
所以Backbone只是用一个调用原始函数的新函数替换了该函数。在你的情况下,你会有这样的事情:
// We don't own options so we shouldn't modify it,
// but we can do whatever we want to a clone.
options = _(options).clone()
// Replace options.error with a wrapper.
var error = options.error;
options.error = function(jqXHR, textStatus, errorThrown) {
alert('error');
if(error)
error(jqXHR, textStatus, errorThrown);
};
// Replace options.success with a wrapper.
var success = options.success;
options.success = function(data, textStatus, jqXHR) {
model.parse(data);
if(success)
success(data, textStatus, jqXHR);
};
// We don't need error or success in here anymore.
var params = {
type: 'POST',
url: model.url()
};
$.ajax(_.extend(params, options));
是的,你的model.parse(data);
处理程序中的success
可能没有做任何有用的事情,parse
应该只是一个简单的过滤器,所以你想要做某事(比如model.set
调用{)model.parse(data)
返回值。