0

我按照本教程 进行了一些更改,因为本教程有两个功能按钮,但我想用一个按钮做同样的事情。第一次点击很完美,但是当我第二次点击时,深色背景仍然存在并且不会消失,这是代码和 JSfiddle:

$(document).ready(function () {
    var isOpen = false;

    function showOverlayBox() {
        //if box is not set to open then don't do anything
        if (isOpen == false) return;
        // set the properties of the overlay box, the left and top positions
        $('#help-content').toggle();
        // set the window background for the overlay. i.e the body becomes darker
        $('.bgCover').css({
            display: 'block',
            width: $(window).width(),
            height: $(window).height(),
        });
    }

    function doOverlayOpen() {
        //set status to open
        isOpen = true;
        showOverlayBox();
        $('.bgCover').css({
            opacity: 0
        }).animate({
            opacity: 0.5,
            backgroundColor: '#000'
        });
        // dont follow the link : so return false.
        $('#help').attr("class", "helpc");
        return false;
    }

    function doOverlayClose() {
        //set status to closed
        isOpen = false;
        $('#help-content').css('display', 'none');
        // now animate the background to fade out to opacity 0
        // and then hide it after the animation is complete.
        $('.bgCover').css({
            opacity: 0
        }).animate({
            opacity: 0
        }, function () {
            $(this).hide();
        });
        $('#help').attr("class", "help");
    }

    // if window is resized then reposition the overlay box
    $(window).bind('resize', showOverlayBox);
    // activate when the link with class launchLink is clicked
    $('.help').click(doOverlayOpen);
    // close it when closeLink is clicked
    $('.helpc').click(doOverlayClose);

});

http://jsfiddle.net/xoshbin/RuNa4/3/

4

2 回答 2

1

由于 .helpc 在绑定 close 事件时不存在,因此不会附加 close 事件并且元素仍然绑定到帮助类的函数,因为 jQuery 缓存元素而不是类名。相反-您应该在创建容器元素的地方使用事件删除,并检查事件的来源:

$(".wrapper").on("click", ".help", doOverlayOpen);
$(".wrapper").on("click", ".helpc", doOverlayClose);

这是小提琴:http: //jsfiddle.net/RuNa4/15/

于 2013-11-06T13:39:44.593 回答
1

您错误地附加了事件,这是一个有效的小提琴:http: //jsfiddle.net/RuNa4/14/

// activate when the link with class launchLink is clicked
$(document).on( 'click', '.help', doOverlayOpen );
// close it when closeLink is clicked
$(document).on( 'click', '.helpc', doOverlayClose );

基本上发生的事情是您的第一个单击事件已附加,但即使您更改了 div 的类,第二个事件也从未附加。我使用 jQuery 的 .on 就像他们的旧 .live 一样,文档在这里http://api.jquery.com/live/

于 2013-11-06T13:55:15.160 回答