リクエストとレスポンスのペイロードがすべてネームスペース化されているプロジェクトに取り組んでいます。例えば:
{
'SourceMachine':{
'Host':'some value',
'Description':'some value',
'UserName':'some value',
'Password':'some value'
}
}
個々のフィールドで get() と set() を実行できるようにするために、「source_model」の parse メソッドを次のようにオーバーライドしました。
parse : function(response, xhr) {
return response.SourceMachine;
}
それはすべて順調です。しかし、問題は次のとおりです。POST または PUT 操作を実行する場合、Host、Description、UserName、および Password 属性を SourceMachine 名前空間に取得する必要があります。基本的に私がやっていることは、モデル属性を一時オブジェクトにコピーし、モデルをクリアしてから、次のように保存することです:
var tempAttributes = this.model.attributes;
this.model.clear();
this.model.save({SourceMachine: tempAttributes});
これは機能しますが、KLUGE の叫びです! 名前空間化されたデータを操作するためのより良い方法が必要です。ありがとう!
アップデート
すべてのモデルが名前空間データに依存しているため、アプリ内のすべてのモデルに使用する基本モデル用の require.js モジュールを作成しました。
define(function() {
return Backbone.Model.extend({
/**
* Adding namespace checking at the constructor level as opposed to
* initialize so that subclasses needn't invoke the upstream initialize.
* @param attributes
* @param options
*/
constructor : function(attributes, options) {
//Need to account for when a model is instantiated with
//no attributes. In this case, we have to take namespace from
//attributes.
this._namespace = options.namespace || attributes.namespace;
//invoke the default constructor so the model goes through
//its normal Backbone setup and initialize() is invoked as normal.
Backbone.Model.apply(this, arguments);
},
/**
* This parse override checks to see if a namespace was provided, and if so,
* it will strip it out and return response[this._namespace
* @param response
* @param xhr
* @return {*}
*/
parse : function(response, xhr) {
//If a namespace is defined you have to make sure that
//it exists in the response; otherwise, an error will be
//thrown.
return (this._namespace && response[this._namespace]) ? response[this._namespace]
: response;
},
/**
* In overriding toJSON, we check to see if a namespace was defined. If so,
* then create a namespace node and assign the attributes to it. Otherwise,
* just call the "super" toJSON.
* @return {Object}
*/
toJSON : function() {
var respObj = {};
var attr = Backbone.Model.prototype.toJSON.apply(this);
if (this._namespace) {
respObj[this._namespace] = attr;
} else {
respObj = attr;
}
return respObj;
}
})
});