jQuery 遍历后代
在本教程中,你将学习如何使用 jQuery 遍历 DOM 树。
遍历 DOM 树
在逻辑关系中,后代是孩子、孙子、曾孙等等。
jQuery 提供有用的方法,比如 children()
和 find()
,你可以用它来向下遍历 DOM 树单个或多个级别轻松地找到或得到孩子或层次结构中的一个元素的其他后裔。
jQuery children()
方法
jQuery children()
方法用于获取所选元素的直接子元素。
以下示例将在文档就绪后通过添加 .highlight
类来突出显示 <ul>
元素的直接子元素 <li>
,
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>jQuery children() Demo</title>
<style type="text/css">
.highlight{
background: yellow;
}
</style>
<script src="https://code.jquery.com/jquery-1.12.4.min.js"></script>
<script type="text/javascript">
$(document).ready(function(){
$("ul").children().addClass("highlight");
});
</script>
</head>
<body>
<h1>Hello World</h1>
<p>This is a <em>simple paragraph</em>.</p>
<ul>
<li>Item One</li>
<li>Item Two</li>
</ul>
</body>
</html>
jQuery find()
方法
jQuery find()
方法用于获取所选元素的后代元素。
find()
和 children()
方法是相似的,不同之处在于 find()
,通过多层次下来 DOM 树到最后的后裔方法搜索,而 children()
方法只搜索单个水平下降 DOM 树。以下示例将在作为 <div>
元素后代的所有 <li>
元素周围添加边框。
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>jQuery find() Demo</title>
<style type="text/css">
*{
margin: 10px;
}
.frame{
border: 2px solid green;
}
</style>
<script src="https://code.jquery.com/jquery-1.12.4.min.js"></script>
<script type="text/javascript">
$(document).ready(function(){
$("div").find("li").addClass("frame");
});
</script>
</head>
<body>
<div class="container">
<h1>Hello World</h1>
<p>This is a <em>simple paragraph</em>.</p>
<ul>
<li>Item One</li>
<li>Item Two</li>
</ul>
</div>
</body>
</html>
但是,如果要获取所有后代元素,可以使用通用选择器。
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>jQuery find() Demo</title>
<style type="text/css">
*{
margin: 10px;
}
.frame{
border: 2px solid green;
}
</style>
<script src="https://code.jquery.com/jquery-1.12.4.min.js"></script>
<script type="text/javascript">
$(document).ready(function(){
$("div").find("*").addClass("frame");
});
</script>
</head>
<body>
<h1>Hello World</h1>
<p>This is a <em>simple paragraph</em>.</p>
<ul>
<li>Item One</li>
<li>Item Two</li>
</ul>
</body>
</html>