Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Make css :hover only affect parent element

In css, how can I stop the :hover event being triggered in a parent element when a child event is hovered, so that it only gets triggered when the parent itself gets hovered? In this case my child element is actually positioned outside it's parent element with absolute positioning, so it's a bit weird when the parent changes when the child gets hovered.

I made a JSFiddle to illustrate the problem.

Here's a JSFiddle of the used solution to my example.

like image 547
CupOfTea696 Avatar asked Sep 29 '12 11:09

CupOfTea696


2 Answers

There is a pure css solution (even two in fact) but both come at a cost.

  1. You can add pointer-events:none; to your child element - but it will not respond to it's own hover styles either. Pointer-events unfortunately are not supported in IE below version 11 (http://caniuse.com/#search=pointer-events).

  2. Wrap content of your parent element (apart from positioned child) in another one (thats the cost of this method) and apply hover styles to this wrapper.

Examples of both methods here.

.parent-2,
.parent { position:relative; background:#ddd; width:100px; height:100px; }
.parent:hover { background:blue; }
.child { position:absolute; top:0; left:130px; width:100px; height:50px; border:1px solid blue; pointer-events:none; }
/* doesn't work in opera and ie */


.content { position:absolute; top:0; left:0; width:100%; height:100%; z-index:0;}
.content:hover { background:blue; }
like image 52
Litek Avatar answered Nov 20 '22 23:11

Litek


Simply: don't nest your #inner div inside. Little demo: little link. Note that I added:

html, body {
    position: relative;
}

Which is necessary in this case.

Edit: in case you insist on having it nested, a bit of JavaScript is necessary. Here's a sample:

var inn = document.getElementById("inner"), outt = document.getElementById("holder");
outt.onmouseover = function() {
   this.style.backgroundColor = "rgb(0, 162, 232)"; /*I like this color :)*/
}
outt.onmouseout = function() {
   this.style.backgroundColor = "orange";
}
inn.onmouseover = function(ev) {
   ev.stopPropagation();
}

(This would be shorter if written using jQuery, but the idea is the same).

Here's a demo: little link.

like image 41
Chris Avatar answered Nov 21 '22 01:11

Chris