Answers:
使用children()
和each()
,您可以选择将选择器传递给children
$('#mydiv').children('input').each(function () {
alert(this.value); // "this" is the current element in the loop
});
您也可以只使用直接子选择器:
$('#mydiv > input').each(function () { /* ... */ });
each()
。检查上面答案中链接的文档。
还可以遍历特定上下文中的所有元素,而不管它们嵌套的深度如何:
$('input', $('#mydiv')).each(function () {
console.log($(this)); //log every element found to console output
});
传递给jQuery'input'选择器的第二个参数$('#mydiv')是上下文。在这种情况下,each()子句将遍历#mydiv容器中的所有输入元素,即使它们不是#mydiv的直接子代也是如此。
如果您需要递归遍历子元素:
function recursiveEach($element){
$element.children().each(function () {
var $currentElement = $(this);
// Show element
console.info($currentElement);
// Show events handlers of current element
console.info($currentElement.data('events'));
// Loop her children
recursiveEach($currentElement);
});
}
// Parent div
recursiveEach($("#div"));
注意: 在此示例中,我显示了向对象注册的事件处理程序。
也可以通过这种方式完成:
$('input', '#div').each(function () {
console.log($(this)); //log every element found to console output
});
$('#myDiv').children().each( (index, element) => {
console.log(index); // children's index
console.log(element); // children's element
});
这将遍历所有子项,并且可以分别使用element和index分别访问具有索引值的元素。
我不认为您需要使用 each()
,您可以使用标准的循环
var children = $element.children().not(".pb-sortable-placeholder");
for (var i = 0; i < children.length; i++) {
var currentChild = children.eq(i);
// whatever logic you want
var oldPosition = currentChild.data("position");
}
这样,您就可以拥有标准的循环功能,例如break
和continue
默认情况下可以正常工作
还有, debugging will be easier
$.each()
总是比for
循环慢,这是使用循环的唯一答案。此处的关键是使用.eq()
来访问children
数组中的实际元素,而不是括号([]
)表示法。