5

我有一个带有搜索面板和结果数据集合的 Marionette CompositeView。

我想在以下情况下调用一个函数:

  • 呈现搜索面板。
  • 该集合尚未呈现。
  • 呈现集合时不应调用此函数。

我是这样做的:(但是“afterRender”函数被调用了两次)

// VIEW
App.MyComposite.View = Backbone.Marionette.CompositeView.extend({
    // TEMPLATE
    template: Handlebars.compile(templates.find('#composite-template').html()),
    // ITEM VIEW
    itemView: App.Item.View,
    // ITEM VIEW CONTAINER
    itemViewContainer: '#collection-block',

    //INITIALIZE
    initialize: function() {        
        this.bindTo(this,'render',this.afterRender);
    },

    afterRender: function () {
        //THIS IS EXECUTED TWICE...
    }

});

我怎样才能做到这一点?

===========================编辑======================= ===========

我以这种方式解决了它,如果您有任何观察,请告诉我。

// VIEW
App.MyComposite.View = Backbone.Marionette.CompositeView.extend({

    //INITIALIZE
    initialize: function() {        
        //this.bindTo(this,'render',this.afterRender);
        this.firstRender = true;
    },

    onRender: function () {
        if (firstRender) {
            //DO STUFF HERE..............
            this.firstRender = false;         

        }
    }

});
4

2 回答 2

11

Marionette 提供了一个onRender内置于所有视图的方法,因此您可以摆脱this.bindTo(this, 'render', this.afterRender)调用:


// VIEW
App.MyComposite.View = Backbone.Marionette.CompositeView.extend({
    // TEMPLATE
    template: Handlebars.compile(templates.find('#composite-template').html()),
    // ITEM VIEW
    itemView: App.Item.View,
    // ITEM VIEW CONTAINER
    itemViewContainer: '#collection-block',

    //INITIALIZE
    initialize: function() {        
        // this.bindTo(this,'render',this.afterRender); // <-- not needed
    },

    onRender: function () {
        // do stuff after it renders, here
    }

});

但是要让它在集合未呈现时不执行工作,您必须向 onRender 方法添加逻辑,以检查集合是否已呈现。

这在很大程度上取决于您在集合中没有呈现任何项目时尝试对呈现进行的操作。

例如...如果您想呈现“No Items Found”消息,您可以使用emptyView复合视图的内置配置。


NoItemsFoundView = ItemView.extend({
  // ...
});

CompositeView.extend({

  emptyView: NoItemsFoundView

});

但是,如果您有一些特殊的代码需要运行并执行此选项未涵盖的某些事情,那么您必须放入一些您自己的逻辑。


CompositeView.extend({

  onRender: function(){
    if (this.collection && this.collection.length === 0) {
      // do stuff here because the collection was not rendered
    }
  }

});
于 2012-08-31T11:58:24.057 回答
5

只需使用onShow功能

Backbone.Marionette.ItemView.extend({
  onShow: function(){
    // react to when a view has been shown
  }
});

http://marionettejs.com/docs/marionette.view.html#view-onshow

于 2015-04-01T16:27:37.593 回答