backbone.js视图因异步提取而不显示结果,不进行渲染

时间:2012-07-23 19:54:51

标签: javascript backbone.js backbone.js-collections

我注意到我的视图渲染功能被调用了2次。 这是我的代码:

View,它是一个集合:

define([
  'jquery',
  'underscore',
  'backbone',
  'mustache',
  'icanhaz',
  'views/spots/Spot',
  'collections/Spots',
  'text!../../../../templates/spots/spots.mustache!strip',
], function($,
            _,
            Backbone,
            mustache,
            ich,
            SpotView,
            Spots,
            SpotsTemplate){
  var SpotsView = Backbone.View.extend({

    initialize: function(){
       var ich = window['ich'],
          spots = ich.addTemplate('spots',SpotsTemplate);

          spots = ich['spots'];

          this.template = spots;

      _.bindAll(this,'render'); 
      var self = this;
      this.collection.bind("all", function() { self.render(); }, this);
      this.collection.fetch(); 
    },
    events: {
        "change": "render"
    },
    render: function(){
      window.counter = window.counter +1;
      console.log('inside render for the ' + window.counter + ' times!');

      this.el = this.template();

      this.collection.each(function (spot) {

        $(this.el).append(new SpotView({model:spot}).render().el);
      }, this);

      console.log($(this.el).children().length);

      return this;
    }
  });
  // Returning instantiated views can be quite useful for having "state"
  return SpotsView;
});

app.js中的代码,当我尝试显示

   var  spots = new Spots({model: Spot});

    window.counter = 0 + 0;

    var spots_view = new SpotsView({collection: spots});
    $('#spots').html(spots_view.render().el);

我的输出是:

inside render for the 1 times! 
1 
inside render for the 2 times! 
6 

在玩不同的东西时,我注意到它被称为3次甚至。我究竟做错了什么?显然,当结果从服务器传递到渲染函数时,这一行:

$('#spots').html(spots_view.render().el);

已经过了

非常感谢

1 个答案:

答案 0 :(得分:2)

您的观点initialize说明了这一点:

this.collection.bind("all", function() { self.render(); }, this);
this.collection.fetch();

fetch将重置收藏集:

  

当模型数据从服务器返回时,集合将重置。

Resetting the collection会:

  

[触发]最后一个“重置”事件

通过绑定到"all",集合上的任何事件都会触发render调用。因此,当您明确说出spots_view.render()并且fetch调用从服务器返回某些内容时,您的视图将呈现一次。

顺便说一句,你有这个:

_.bindAll(this,'render');

因此您无需使用selfself.render()或向bind提供上下文参数,您可以这样说:

_.bindAll(this, 'render');
this.collection.bind("all", this.render);

您也在render

中执行此操作
this.el = this.template();

这从来都不是一个好主意。如果您需要更改视图this.el,则应该使用setElement;这将负责重新绑定事件并更新this.$el。但是,如果您已将this.el放入DOM,那对您无济于事。您应该将所需内容放在el

中,而不是完全替换this.el
var $content = $(this.template());
this.collection.each(function (spot) {
    var spot = new SpotView({ model: spot });
    $content.append(spot.render().el);
});
this.$el.html($content);

然后你可以清空它并重新渲染它以响应事件而没有任何问题。