MacMac
MacMac

Reputation: 35301

Show popup if the mouse is hovered over an element for a period of time

I'm wondering how to show a popup/tipbox when a mouse has been hovered over an element for a period of time, e.g. pseudo code:

if mouseover
    if hovered for more than 2 seconds
       --> show popup/tipbox
    else
       ---> cancel mouseover
else if mouseout
    --> reset timer/cancel mouseover

I've done this so far, but it doesn't work effectively, if I hover and move the mouse quickly, it will still show the popup/tipbox.

$('a[rel=tip]').live('mouseover mouseout', function(e)
{
    if(e.type == 'mouseover')
    {
        var mouseTime = setTimeout(function()
        {
            $('.tipbox').slideDown('fast');
        }, 1000);
    }
    else if(e.type == 'mouseout')
    {
        if(mouseTime)
        {
            cancelTimeout(mouseTime);
            mouseTime = null;
            $('.tipbox').slideUp('fast');   
        }
    }
});

EDIT: Bounty added.

Upvotes: 7

Views: 25678

Answers (3)

nico
nico

Reputation: 51640

This seems to work for me:

HTML

<span id="someElem"> Hover me for 2 seconds! </span>

JS

var tooltipTimeout;
    
$("#someelem").hover(function()
{
    tooltipTimeout = setTimeout(showTooltip, 2000);
}, hideTooltip);
    
function showTooltip()
{
    var tooltip = $("<div id='tooltip' class='tooltip'>I'm the tooltip!</div>");
    tooltip.appendTo($("#someelem"));
}
    
function hideTooltip()
{
    clearTimeout(tooltipTimeout);
    $("#tooltip").fadeOut().remove();
}

CSS

#someElem
{
    cursor: pointer;
}
    
.tooltip
{
    display: block;
    position: absolute;
    background-color: rgb(130, 150, 200);
    padding: 5px;
}

Upvotes: 20

Bora Demircan
Bora Demircan

Reputation: 86

Try this:

function show_tipbox (thelink,tipbox) { 
    var timer; 
    timer = setTimeout(function(){
        $(tipbox).stop(true, true).fadeIn('normal');
    }, 300); 
    $(thelink).mouseout(function(){ clearTimeout(timer); });
}

function hide_tipbox (tipbox) {
    $(tipbox).stop(true, true).fadeOut('normal');
}

And the html code should be:

<a href="#" id="thelink" onmouseover="show_tipbox('#thelink','#tipbox');">The link</a>
<div id="tipbox" onmouseout="hide_tipbox('#tipbox');">Tipbox Content</div>

Upvotes: 1

belugabob
belugabob

Reputation: 4460

You could try This plugin - it's written by one of the authors of a very good jQuery book, so ought to be good. The demos look promising.

Upvotes: -2

Related Questions