4

好的,超级基本的 Backbone 问题 - 我一直在寻找这个问题,但是尽管有很多类似的问题,但我还是太慢了。请放心,我感到很惭愧。

无论如何,足够的自我鞭笞——为什么不渲染?

var app = app || {};

app.Option = Backbone.Model.extend({
url: 'http://localhost:4711/api'

//This url contains the following JSON: {"title": "Blahblah", "author": "Luke Skywalker"};  
});

 app.View = Backbone.View.extend({

el: 'body',

initialize: function(){
    this.model.fetch();
    this.model.bind('change', this.render(), this);
},

render: function(){
    this.$el.html(this.model.get('title'));
    return this;
}

});


$(function() {

 var option = new app.Option();
    this.homeView = new app.View({   //Tried changing this to a standard var declaration but didn't work
      model: option
    });
    this.homeView.render();
});

所以我期待在屏幕上看到 JSON “Blahblah”,但我什么也没看到。JSON 被正确获取(我可以在 firebug 控制台中看到成功的 GET 请求),我想我已经确保在尝试渲染之前获取了数据......

那么有什么问题呢?控制台给了我这个错误:“TypeError: (intermediate value).callback.call is not a function”

谢谢!

4

3 回答 3

5

一件事是您this.render()在事件绑定中立即调用,而不仅仅是绑定回调。改为执行此操作(listenTo用于最佳实践):

initialize: function(){
    this.listenTo(this.model, 'change', this.render);
    this.model.fetch();
}

模型是否可能实际上并没有改变?您可能会尝试绑定到sync而不是change查看是否有效。

您还渲染了两次。一次直接使用this.homeView.render()事件处理程序,一次通过事件处理程序。如果您真的想保持模型获取initialize并绑定到更改事件,则不需要直接渲染。

玩这些,看看是否不能解决问题。

于 2013-09-13T21:02:42.787 回答
4

绑定时只需从渲染方法中删除括号:

this.model.bind('change', this.render, this);

也使用onorlistenTo是一种更好的方法bind

于 2013-09-13T21:23:57.833 回答
1

我将通过以下方式构建主干骨架:

var app = app || {};

app.Option.Model = Backbone.Model.extend({});

app.Option.Collection = Backbone.Collection.extend({       
   model : app.Option.Model,

   fetch : function(options) {     
       Backbone.Collection.prototype.fetch.call(this, options);
   },

   url : function() {
       return 'http://localhost:4711/api';
   },

   parse: function(response) { // this is the ajax call
      console.log(response);
   }
});

然后在 View 中调用初始化时的 fetch 方法:

app.Option.View = Backbone.View.extend({
    collection : app.Option.Collection,

    initialize : {
       this.collection.bind('reset', this.render, this); 
       this.collection.fetch();
    },

    render : {
       var results = this.collection.toJSON(); 
       console.log(results);
    }
});

当我需要调用 web 服务时,这是我最小的骨干骨架。我没有在本地测试过,但是这样代码应该可以工作。

于 2013-09-14T05:54:19.923 回答