3

我正在尝试突出显示页面的其余部分的 div / 灰色。我的代码是:

jQuery(document).ready(function ($) {
$('.entry-content').mouseover(function(e) {
$('.expose').mouseover(function(e){
    $(this).css('z-index','99999');
    $('#overlay').fadeIn(300);
});
});

$('.entry-content').mouseleave(function(e) {
$('.expose').mouseleave(function(e){
    $('#overlay').fadeOut(0, function(){
        $('.expose').css('z-index','1');
});});});});

HTML看起来像

<div id="overlay">
<div class="entry-content">
  <div class="expose">something</div>
  <div class="expose">something</div>
  <div class="expose">something</div>
</div>

#overlay {
background:rgba(0,0,0,0.3);
display:none;
width:100%; height:100%;
position:absolute; top:0; left:0; z-index:99998;
}

我所追求的是只要用户将鼠标悬停在 entry-content div 上,将页面保持为灰色并突出显示他悬停的 div。

有任何想法吗?谢谢

4

2 回答 2

6

Az-index是相对于堆栈上下文,而不是相对于文档。如果您希望expose元素出现在叠加层上,它们必须是同级元素,或者您必须.expose使用显式定位position:*

通常,元素必须是同一堆叠上下文的一部分,才能比较它们的 z-index 值。您可以在此处了解有关堆叠上下文的更多信息。

一些额外的点:

  1. 您应该使覆盖对指针事件透明。您可以使用pointer-events:none;
  2. .expose当容器被鼠标悬停时,您不需要绑定到。将处理程序与处理程序并行绑定以显示/隐藏覆盖

这是更正后的代码。你可以在这里看到一个工作演示:

CSS:

#overlay {
    background:rgba(0,0,0,0.3);
    display:none;
    width:100%;
    height:100%;
    position:absolute;
    top:0;
    left:0;
    z-index:99998;
    pointer-events:none
}
.expose{
    background-color:red;
    position:relative;
}

JS:

$('.entry-content').hover(function() {
    $('#overlay').fadeIn(300);
}, function() {
    $('#overlay').fadeOut(300);
});

$('.expose').hover(function(e) {
    $(this).css('z-index', '99999');
},function(e) {
    $(this).css('z-index', '1');
});
于 2013-01-03T21:23:40.847 回答
1

您可以在没有叠加层并使用 CSS3 的情况下模拟此行为

示例 jsfiddle

<div class="wrapper">
    <div class="entry-content">
      <div class="expose">something</div>
      <div class="expose">something</div>
      <div class="expose">something</div>
    </div>
</div>​
html, body, .wrapper {
    padding:0;
    margin:0;
    height:100%;
    width:100%;
}

.wrapper {
    -webkit-transition:all 300ms;
    -moz-transition:all 300ms;
    -ms-transition:all 300ms;
    -o-transition:all 300ms;
    transition:all 300ms;
}

.wrapper:hover {
    background:rgba(0,0,0,.3);
}

.wrapper:hover .expose {
    background:#ddd;
}

.entry-content {
    padding:6px;
}

.expose {
    margin-bottom:6px;
    padding:12px;
    border-radius:3px;
    background:#eee;
}

.expose:hover {
    background:#fff!important;
}
​
于 2013-01-03T21:47:48.760 回答