.next()
返回: jQuery
.next( [selector ] )
描述:获得匹配的元素集合中每个元素后面紧挨着的同辈元素。如果提供了一个选择器,它会取得只有匹配该选择器的下一个同辈元素。
给定一个jQuery对象,代表了一个DOM元素的集合,.next()
方法允许我们搜索遍DOM树中这些元素后面紧跟着的同辈元素,并根据匹配的元素构造出一个新jQuery对象。
该方法可视情况接受一个选择器表达式,与我们可以传递给$()
函数的选择器表达式类型相同。如果后面紧跟着的同辈元素匹配该选择器,那么它会保存在新生成的 jQuery对象中,否则,会被排除在外。
设想一个网页上有一个简单的列表:
<ul> <li>list item 1</li> <li>list item 2</li> <li class="third-item">list item 3</li> <li>list item 4</li> <li>list item 5</li> </ul>
如果我们从第三项开始,我们可以找到正好在它后面的元素:
$( "li.third-item" ).next().css( "background-color", "red" );
这个调用的结果是第四项后面有红色背景。因为我们没有提供一个选择器表达式,后面跟着的元素毫不含糊地成为对象的一部分。如果我们提供了一个选择器表达式,只有匹配这个表达式的元素才会包括在内。
示例
查找每个紧跟在被禁用的按钮后面的元素,并将其文本变为 "this button is disabled"。
<!doctype html> <html lang="en"> <head> <meta charset="utf-8"> <title>next demo</title> <style> span { color: blue; font-weight: bold; } button { width: 100px; } </style> <script src="https://code.jquery.com/jquery-1.10.2.js"></script> </head> <body> <div><button disabled="disabled">First</button> - <span></span></div> <div><button>Second</button> - <span></span></div> <div><button disabled="disabled">Third</button> - <span></span></div> <script> $( "button[disabled]" ).next().text( "this button is disabled" ); </script> </body> </html>
演示结果
找到紧跟在每个段落文本后面的元素。确保只选中带有“selected”类的元素。
<!doctype html> <html lang="en"> <head> <meta charset="utf-8"> <title>next demo</title> <script src="https://code.jquery.com/jquery-1.10.2.js"></script> </head> <body> <p>Hello</p> <p class="selected">Hello Again</p> <div><span>And Again</span></div> <script> $( "p" ).next( ".selected" ).css( "background", "yellow" ); </script> </body> </html>
演示结果