我正在尝试使用Backbone.Marionette设置渲染和关闭ItemView的动画。为了呈现视图,这非常简单:
MyItemView = Backbone.Marionette.View.extend({
...
onRender: function() {
this.$el.hide().fadeIn();
}
...
});
当我渲染它时,我的视图会淡入。但是,让我说我想在结束时淡出我的观点。
beforeClose: function() {
this.$el.fadeOut(); // doesn't do anything....
}
这不起作用,因为项目在调用this.beforeClose()
后立即关闭,因此动画没有时间完成。
有没有办法,使用现实的Marionette来完成一个结束动画?
或者,这是我一直在使用的解决方法:
_.extend(Backbone.Marionette.ItemView.prototype, {
close: function(callback) {
if (this.beforeClose) {
// if beforeClose returns false, wait for beforeClose to resolve before closing
// Before close calls `run` parameter to continue with closing element
var dfd = $.Deferred(), run = dfd.resolve, self = this;
if(this.beforeClose(run) === false) {
dfd.done(function() {
self._closeView(); // call _closeView, making sure our context is still `this`
});
return true;
}
}
// Run close immediately if beforeClose does not return false
this._closeView();
},
// The standard ItemView.close method.
_closeView: function() {
this.remove();
if (this.onClose) { this.onClose(); }
this.trigger('close');
this.unbindAll();
this.unbind();
}
});
现在我可以这样做:
beforeClose: function(run) {
this.$el.fadeOut(run); // continue closing view after fadeOut is complete
return false;
},
我是使用Marionette的新手,所以我不确定这是否是最好的解决方案。如果这是最好的方法,我会提交一个拉取请求,但我想更多地考虑一下如何使用其他类型的视图。
这可能会用于其他目的,例如在关闭时请求确认(请参阅此issue),或运行任何类型的异步请求。
思想?
答案 0 :(得分:18)
覆盖close
方法是实现此目的的一种方法,但您可以将其写得更短,因为您可以调用Marionettes close
方法而不是复制它:
_.extend(Backbone.Marionette.ItemView.prototype, {
close: function(callback) {
var close = Backbone.Marionette.Region.prototype.close;
if (this.beforeClose) {
// if beforeClose returns false, wait for beforeClose to resolve before closing
// Before close calls `run` parameter to continue with closing element
var dfd = $.Deferred(), run = dfd.resolve, self = this;
if(this.beforeClose(run) === false) {
dfd.done(function() {
close.call(self);
});
return true;
}
}
// Run close immediately if beforeClose does not return false
close.call(this);
},
});
另一个想法是覆盖视图的remove
方法。所以你淡出了视图的元素,然后从DOM中删除它
remove: function(){
this.$el.fadeOut(function(){
$(this).remove();
});
}