6

首先,我创建了一个基本演示,说明我目前在这里拥有的东西。

其次,这是我正在使用的 javascript。

var boxes = ["#one","#two","#three","#four"];

boxhover = function(a){
    $("#hover").hover(
        function(){
            $(a).stop(true).delay(250).animate({opacity:1});
        },
        function(){
            $(a).stop(true).delay(250).animate({opacity:0});
        }
    )
}

for(var i=0; i<boxes.length; i++)
{
    boxhover(boxes[i])
}

我希望实现的是让每个框一个接一个地悬停,延迟时间为 250。我尝试为动画功能添加延迟(如上所示)以及 for 中的 setTimeout循环,但没有运气。任何帮助都会很棒。

4

1 回答 1

3

您可以将数组索引作为附加参数传递给您的boxhover函数,然后对延迟因子执行乘法运算。

var boxes = ["#one","#two","#three","#four"];

boxhover = function(a, i){
    $("#hover").hover(
        function(){
            $(a).stop(true).delay(250 * i).animate({opacity:1});
        },
        function(){
            $(a).stop(true).delay(250 * i).animate({opacity:0});
        }
    )
}

for(var i=0; i<boxes.length; i++)
{
    boxhover(boxes[i], i)
}

jsfiddle

替代解决方案:

为避免绑定多个悬停事件处理程序#hover并不得不维护一组 ID,您可以执行以下操作:

$("#hover").on({
    'mouseenter': function(e) {
        // Animate the box set to visible
        animateBoxSet(1);
    },
    'mouseleave': function(e) {
        // Animate the box set to invisible
        animateBoxSet(0);
    }
});

function animateBoxSet(opacity) {
    // For each box
    $('.box').each(function (index, element) {
        // Set the delay based on the index in the set
        var delay = 250 * index;
        // Animate it the visibility after the delay
        $(element).stop(true).delay(delay).animate({
            'opacity': opacity
        });
    });
}

jsfiddle

于 2013-02-18T22:18:19.030 回答