我正在尝试使用jQuery将子类添加到类中,我的CSS如下所示:

.block:nth-child(7) .permahover {
   top: 0 !important;
   left: 0 !important;
   opacity: 0;
   filter: alpha(opacity=0);
  -webkit-transform: translate(0, 0) !important;
      -ms-transform: translate(0, 0) !important;
          transform: translate(0, 0) !important
}


这是供参考的js代码:

$(".block:nth-child(7)").mouseenter(function () {
    $(".block:nth-child(7)").addClass("permahover");
});


如果我删除类名称中的“ .block:nth-​​child(7)”,使其看起来像“ .permahover”,那么一切都会进行,但我需要将其作为子类。
我尝试通过将JavaScript“ .addClass(” permahover“)”“替换为” .addClass(“ block:nth-​​child(7).permahover”))来尝试,但正如预期的那样,它没有用。有什么办法可以解决此问题如果没有,是否有任何解决方法(即使要求我不要使用jQuery)?

最佳答案

您不能将伪类添加到DOM元素。如果您考虑一下,您将理解将:nth-child(7)类添加到不是其父级的第七个子级的元素中是不可能的。

但是对于您的问题,您甚至不需要它,您应该删除.permahover前的空格

.block:nth-child(7).permahover {
   top: 0 !important;
   left: 0 !important;
   opacity: 0;
   filter: alpha(opacity=0);
  -webkit-transform: translate(0, 0) !important;
      -ms-transform: translate(0, 0) !important;
          transform: translate(0, 0) !important
}


如果您在此处保留空格,则CSS规则将匹配第7个permahover中具有.block类的子元素。

<div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block permahover"></div> <!-- .block:nth-child(7).permahover  { ... } -->
</div>

<div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block"></div>
    <div class="block">
        <div class="permahover"></div> <!-- .block:nth-child(7) .permahover { ... } -->
    </div>
</div>


并且不要重复jQuery查询:

$(".block:nth-child(7)").mouseenter(function () {
    $(this).addClass("permahover");
});


或者,如果要将.permahover类添加到子元素,则可以执行以下操作:

$(".block:nth-child(7)").mouseenter(function () {
    $(" > *", this).addClass("permahover");
});

10-08 16:47