What is the main difference between $('div + p')
and $('div ~ p')
.
If i have something like this
<div class="active"></div>
<p class="pactive"></p>
Returning the same value.
What is the main difference between $('div + p')
and $('div ~ p')
.
If i have something like this
<div class="active"></div>
<p class="pactive"></p>
Returning the same value.
X + Y
ul + p {
color: red;
}
This is referred to as an adjacent selector. It will select only the element that is immediately preceded by the former element. In this case, only the first paragraph after each ul will have red text.
X ~ Y
ul ~ p {
color: red;
}
This sibling combinator is similar to X + Y, however, it's less strict. While an adjacent selector (ul + p) will only select the first element that is immediately preceded by the former selector, this one is more generalized. It will select, referring to our example above, any p elements, as long as they follow a ul.
Take an example
div + p
Selects all
<p>
elements that are placed immediately after<div>
elements
p ~ ul
Selects every
<ul>
element that are preceded by a<p>
element and have the same parent element.
Check out the CSS REFERENCE Selectors
I found the answer.
$("div.active + p")
will only select thep
with classpactive
(ie.p
next to thediv
, same as$(div).next();
)where as
$("div.active ~ p")
will select all the siblingp
s which will come after thediv.active
only.If anyp
element is there beforediv.active
it wont select thatp
.