我有一个在网页上推进滚动图像的功能。可以在这里看到:
http://leadgenixhosting.com/~intmed/
右箭头是您单击以前进图像的内容。我有这个问题,我使用.unbind(),以便箭头不可点击,直到图像完成.animate(),以便它们不会失去同步。但我不确定如何使用.bind()使箭头再次点击。
这是目前的功能:
$('#in-right').click(
function(){
$('#in-right').unbind('click');
imageSwitch();
$('#in-right').bind('click');
}
);
我显然错误地实现了绑定。我该如何正确实施呢?
这是我的imageSwitch()函数:
function imageSwitch(){
current++;
current_image++;
previous_image++;
next++;
two_prev++
if(two_prev >= divs.length){
two_prev = 0;
}
if(current >= gallery_images.length){
current = 0;
}
if(previous_image >= divs.length){
previous_image = 0;
}
if(current_image >= divs.length){
current_image = 0;
}
if(next >= divs.length){
next = 0;
}
$('#'+divs[current_image]+'').animate({left:'-=1020px'},{queue:false,duration:1000})
$('#'+divs[current_image]+'').css('background-image','url('+gallery_images[current]+')');
$('#'+divs[previous_image]+'').animate({left:'-=1020px'},{queue:false,duration:1000});
$('#'+divs[next]+'').animate({left: '+=1020px', top: '-=10000px'}, 1000);
$('#'+divs[two_prev]+'').animate({left: '+=1020px', top: '+=10000px'}, 1000);
}
答案 0 :(得分:5)
.bind
要求你传递一个函数作为第二个参数。
function clickFunc(){ // Give the event function a name
$('#in-right').unbind('click');
imageSwitch();
$('#in-right').click(clickFunc); // .click is shorthand for `.bind('click',`
}
$('#in-right').click(clickFunc);
编辑:你应该让你的imageSwich
函数进行回调,这样它就可以在完成动画制作后重新绑定该函数。
function imageSwitch(callback){
// code...
}
function clickFunc(){ // Give the event function a name
$('#in-right').unbind('click');
imageSwitch(function(){
$('#in-right').click(clickFunc);
});
}
$('#in-right').click(clickFunc);
至于确保在完成所有动画后回调运行,我们可以使用jQuery的deferreds。
基本上,您希望将从.animate
返回的对象保存到varible中。然后使用$.when
和.then
在正确的时间运行回调。
(这是未经测试的,BTW)
function imageSwitch(callback) {
var animations = [];
current++;
current_image++;
previous_image++;
next++;
two_prev++
if (two_prev >= divs.length) {
two_prev = 0;
}
if (current >= gallery_images.length) {
current = 0;
}
if (previous_image >= divs.length) {
previous_image = 0;
}
if (current_image >= divs.length) {
current_image = 0;
}
if (next >= divs.length) {
next = 0;
}
animations.push($('#' + divs[current_image] + '').animate({
left: '-=1020px'
}, {
queue: false,
duration: 1000
}));
$('#' + divs[current_image] + '').css('background-image', 'url(' + gallery_images[current] + ')');
animations.push($('#' + divs[previous_image] + '').animate({
left: '-=1020px'
}, {
queue: false,
duration: 1000
}));
animations.push($('#' + divs[next] + '').animate({
left: '+=1020px',
top: '-=10000px'
}, 1000));
animations.push($('#' + divs[two_prev] + '').animate({
left: '+=1020px',
top: '+=10000px'
}, 1000));
if (typeof callback === 'function') {
// Apply is used here because `$.when` expects to passed multiple parameters
$.when.apply($,animations).then(callback);
}
}
延迟和动画演示:http://jsfiddle.net/M58KK/