如何在纯 JavaScript 中找到最接近具有特定类的树的元素的祖先?例如,在这样的树中:
<div class="far ancestor">
<div class="near ancestor">
<p>Where am I?</p>
</div>
</div>
然后我想div.near.ancestor
如果我尝试这个p
并搜索ancestor
.
如何在纯 JavaScript 中找到最接近具有特定类的树的元素的祖先?例如,在这样的树中:
<div class="far ancestor">
<div class="near ancestor">
<p>Where am I?</p>
</div>
</div>
然后我想div.near.ancestor
如果我尝试这个p
并搜索ancestor
.
更新:现在大多数主流浏览器都支持
document.querySelector("p").closest(".near.ancestor")
请注意,这可以匹配选择器,而不仅仅是类
https://developer.mozilla.org/en-US/docs/Web/API/Element.closest
对于不支持closest()
但有matches()
一个的旧浏览器,可以构建类似于@rvighne 的类匹配的选择器匹配:
function findAncestor (el, sel) {
while ((el = el.parentElement) && !((el.matches || el.matchesSelector).call(el,sel)));
return el;
}
这可以解决问题:
function findAncestor (el, cls) {
while ((el = el.parentElement) && !el.classList.contains(cls));
return el;
}
while 循环一直等到el
拥有所需的类,并且每次迭代都会将其设置el
为el
的父级,因此最后,您拥有该类的祖先或null
.
这是一个小提琴,如果有人想改进它。它不适用于旧浏览器(即 IE);请参阅classList 的兼容性表。parentElement
在这里使用是因为parentNode
需要更多的工作来确保节点是一个元素。
使用element.closest()
https://developer.mozilla.org/en-US/docs/Web/API/Element/closest
请参阅此示例 DOM:
<article>
<div id="div-01">Here is div-01
<div id="div-02">Here is div-02
<div id="div-03">Here is div-03</div>
</div>
</div>
</article>
这是您使用 element.closest 的方式:
var el = document.getElementById('div-03');
var r1 = el.closest("#div-02");
// returns the element with the id=div-02
var r2 = el.closest("div div");
// returns the closest ancestor which is a div in div, here is div-03 itself
var r3 = el.closest("article > div");
// returns the closest ancestor which is a div and has a parent article, here is div-01
var r4 = el.closest(":not(div)");
// returns the closest ancestor which is not a div, here is the outmost article
基于the8472 答案和https://developer.mozilla.org/en-US/docs/Web/API/Element/matches这里是跨平台 2017 解决方案:
if (!Element.prototype.matches) {
Element.prototype.matches =
Element.prototype.matchesSelector ||
Element.prototype.mozMatchesSelector ||
Element.prototype.msMatchesSelector ||
Element.prototype.oMatchesSelector ||
Element.prototype.webkitMatchesSelector ||
function(s) {
var matches = (this.document || this.ownerDocument).querySelectorAll(s),
i = matches.length;
while (--i >= 0 && matches.item(i) !== this) {}
return i > -1;
};
}
function findAncestor(el, sel) {
if (typeof el.closest === 'function') {
return el.closest(sel) || null;
}
while (el) {
if (el.matches(sel)) {
return el;
}
el = el.parentElement;
}
return null;
}
@rvighne 解决方案运行良好,但如评论中所述ParentElement
,ClassList
两者都存在兼容性问题。为了使其更兼容,我使用了:
function findAncestor (el, cls) {
while ((el = el.parentNode) && el.className.indexOf(cls) < 0);
return el;
}
parentNode
财产而不是parentElement
财产indexOf
方法的className
属性而不是contains
在方法classList
属性。当然, indexOf 只是在寻找该字符串是否存在,它并不关心它是否是整个字符串。因此,如果您有另一个具有“祖先类型”类的元素,它仍然会返回找到“祖先”,如果这对您来说是个问题,也许您可以使用正则表达式来查找精确匹配项。