上下文:我正在构建一个需要几个大型参考数据集合才能运行的应用程序。我仅限于HTML和Javascript(包括JSON)。
问题:如何在Backbone.js中引导集合,其中集合对象在服务器上是JSON格式,而我只使用Javascript?
这就是我所知道的:
这是我到目前为止所提出的:
ItemList = Backbone.Collection.extend({
model: Item,
url: 'http://localhost:8080/json/items.json'
});
var itemList = new ItemList;
itemList.fetch();
itemList.on('reset', function () { dqApp.trigger('itemList:reset'); });
'dqApp'是我的应用程序对象。我可以显示一个微调器,并在通过向应用程序对象发送警报来填充集合时更新加载状态。
答案 0 :(得分:5)
答案 1 :(得分:1)
fetch
function接受一个options参数,该参数可以有一个success
回调:
var itemList = new ItemList;
itemList.fetch({success: function () {
dqApp.trigger('itemList:reset');
}});
答案 2 :(得分:0)
一种可能的解决方案是让您的视图取决于fetch
的状态,因此在您的模型/集合加载完成之前,它不会被实例化。
请记住,这是一个Backbone反模式。使视图依赖于您的集合/模型可能会导致UI延迟。这就是为什么推荐的方法是通过直接在页面中内嵌json来引导数据。
但这并不能解决您需要在无服务器情况下引导数据的情况。使用几行Ruby / PHP /等动态地将json数据动态地嵌入到页面中很容易,但是如果你只在客户端工作,那么使视图依赖于模型是要走的路。
如果您使用fetch()
加载收藏集,则可以使用以下内容:
var Model = Backbone.Model.extend({});
var Collection = Backbone.Collection.extend({
model: MyModel,
url: 'http://localhost:8080/json/items.json'
});
var View = Backbone.View.extend({
//code
});
var myCollection = new Collection();
myCollection.fetch({
success: function () {
console.log('Model finished loading'); }
myView = new View();
});
我首选的方法是使用ajax(例如.getJSON
,.ajax
)并将返回的jqXHR对象(或XMLHTTPRequest,如果你不使用jQuery)保存到模型中的属性。通过这种方式,您可以获得更精细的控制,并且可以在创建视图之前使用deferred object响应来检查调用的状态。
var Model = Backbone.Model.extend({});
var Collection = Backbone.Collection.extend({
model: Model,
status: {},
initialize: function () {
var _thisCollection = this;
this.status = $.getJSON("mydata.json", function (data) {
$.each(data, function(key) {
var m = new Model ( {
"name": data[key].name,
"value": data[key].value,
} );
_thisCollection.add(m);
});
});
}
});
var View = Backbone.View.extend({
console.log( "Creating view...");
//code
});
var myCollection = new Collection();
var myView = {};
myCollection.status
.done(function(){
console.log("Collection successfully loaded. Creating the view");
myView = new View();
})
.fail(function(){
console.log("Error bootstrapping model");
});