jQuery mouseenter mouseleave工具提示

时间:2013-02-11 16:53:42

标签: jquery mouseenter mouseleave

我尝试了以下两种方法来显示每个具有类名头像的div附带的隐藏内容。

<div class="avatar"><a><img src="avatar.png" width="36" height="36"><div class="profile">Users Profile with Link</div></a></div>

第一个使用悬停,当我在页面上有多个头像元素时效果很好。

不幸的是,工具提示内置了可点击链接,悬停不允许我点击链接。

    $('.avatar a').hover(function () {
        $(this).contents('div:last-child').css({
            display : 'inline'
        });
    }, function () {
        $(this).contents('div:last-child').css({
            display : 'none'
        });
    });

不幸的是,工具提示内置了可点击链接,悬停不允许我点击链接。

我拼凑了我在这里找到的使用 mouseenter mouseleave 的编码。这个也有效,它允许我点击链接。

    var hover = null;
    $('.avatar a').bind('mouseleave', function() {
        var $this = $(this).contents('div:last-child');
        hover = setTimeout(function() {
            $this.fadeOut(400);
        }, 800);
    });

    $('.avatar a').bind('mouseenter', function() {
        $(this).contents('div:last-child').css({display:'block'});
        if (hover !== null) {
            clearTimeout(hover);
        }
    });

不幸的是,如果你鼠标悬停在这些头像中的一个以上,只有最后一个被删除,而其他人仍然存在。

我的问题是,当我转移到另一个时,我如何使用第二个 fadeOut 任何有效的工具提示?

我错过了什么吗?或者完全做错了?

3 个答案:

答案 0 :(得分:1)

问题在于你的超时功能..为什么你甚至使用它? http://jsfiddle.net/24MYq/9/ 删除:

    if (hover !== null) {
    clearTimeout(hover);
}

这不是你需要的,还是你需要延迟?如果你真的需要它,我会编辑我的帖子并给你一些工作延迟。

E:延迟fadeOut()内部的数字或者之后添加.delay(数字),而number是一个int值(500 - >半秒)

答案 1 :(得分:0)

如果您希望在鼠标移开时全部删除它们,您可以通过更改来删除它们     var $this = $(this).contents('div:last-child') 至     var $this = $('.profile');

所有工具提示将同时消失,但只要您将鼠标悬停在另一个头像上,超时就会重置。

答案 2 :(得分:0)

如果我理解正确,我认为你想要的是每个小费都有一个超时。您可以使用.data通过将超时与每个提示相关联来实现此目的。

$('.avatar a').on('mouseleave', function() {
    var $tip = $(this).contents('div:last-child');
    $tip.data('hover', setTimeout(function() {
        $tip.fadeOut(400);
        $tip.removeData('hover');
    }, 800));
});

$('.avatar a').on('mouseenter', function() {
    var $tip = $(this).contents('div:last-child').show();
    var hover = $tip.data('hover');
    if (hover) {
        clearTimeout(hover);
        $tip.removeData('hover');
    }
});

Live demo on jsfiddle

注意:由于.bind()已被弃用,我也将.on()更改为.bind(),并将其更改为使用.show()

原始代码中发生的事情是,当您悬停在第二个提示上时,第一个提示的超时被清除,因为它们共享相同的“悬停”变量。

编辑:在我的急速中,我错误地清除了.data值。我应该一直在使用.removeData()。我修复了上面的代码。

Updated demo on jsfiddle