我有一个使用.load()
加载内容的函数(但它可以使用任何东西)。有时内容加载得如此之快,以至于我使用的过渡动画看起来并不是很好,实际上它非常令人反感。我想在转换之间添加一个最小时间,这样如果内容加载得非常快,它还会等待最短时间(比如说500毫秒)。
我的代码目前看起来像这样,有一个很好的jQuery方法吗?
$("body").on("click","a[href]",function (e) {
e.preventDefault();
var href = $(this).attr("href");
// Do pre load animation (removed for clarity)
$("#rightpanel").load($(this).attr("href"), function () {
// Do post load animation (removed for clarity)
History.pushState(null, null, href);
});
});
答案 0 :(得分:2)
这是一个涉及承诺的答案:
// suggestion 1
// wait for both pre-load animation and load to complete :
$.when(
$('.gizmo').slideUp(),
$("#rightpanel").load($(this).attr("href"))
).done(function(){
$('.gizmo').stop().slideDown();
History.pushState(null, null, href);
});
// suggestion 2
// add a "500ms promise" :
function delay(time) {
var dfd = $.Deferred();
setTimeout(function(){ dfd.resolve() }, time);
return dfd.promise();
}
$.when( delay(500), $("#rightpanel").load($(this).attr("href")) ).done(function(){
//post load stuff
});
以下是fiddle。
正如Chris在评论中正确指出的那样,上面的代码不适用于.load()
:.load()
适用于jQuery选择,并返回选定的集合而不是基础的ajax承诺。
如果您使用$.ajax
,$.get
,$.post
或其他全局jQuery函数,上述代码将起作用
或者你可以创造一个额外的承诺:
var loadData = $.Deferred();
$('#rightpanel').load($(this).attr('href'), function(){ loadData.resolve() });
$.when( delay(500), loadData ).done( ... )