94

我有类似的东西:

<table id="tblOne">
            <tbody>
                <tr>
                    <td>
                        <table id="tblTwo">
                            <tbody>
                                <tr>
                                    <td>
                                        Items
                                    </td>
                                </tr>
                                <tr>
                                    <td>
                                        Prod
                                    </td>
                                </tr>
                            </tbody>
                        </table>
                    </td>
                </tr>
                <tr>
                    <td>
                        Item 1
                    </td>
                </tr>
                <tr>
                    <td>
                        Item 2
                    </td>
                </tr>
            </tbody>
        </table>

我已经编写了 jQuery 来遍历每个 tr,例如:

$('#tblOne tr').each(function() {...code...});

但问题是它循环通过“tblTwo”的“tr”也是我不想要的。任何人都可以建议解决这个问题吗?

4

3 回答 3

237

在 jQuery 中只需使用:

$('#tblOne > tbody  > tr').each(function() {...code...});

使用子选择器 ( >) 您将遍历所有子代(而不是所有后代),例如三行:

$('table > tbody  > tr').each(function(index, tr) { 
   console.log(index);
   console.log(tr);
});

结果:

0
<tr>
1 
<tr>
2
<tr>

VanillaJS中,您可以使用document.querySelectorAll()并遍历行forEach()

[].forEach.call(document.querySelectorAll('#tblOne > tbody  > tr'), function(index, tr) {
    /* console.log(index); */
    /* console.log(tr); */
});
于 2012-05-03T13:05:36.450 回答
72

只是一个建议:

我推荐使用 DOM 表实现,它非常简单易用,你真的不需要 jQuery 来完成这个任务。

var table = document.getElementById('tblOne');

var rowLength = table.rows.length;

for(var i=0; i<rowLength; i+=1){
  var row = table.rows[i];

  //your code goes here, looping over every row.
  //cells are accessed as easy

  var cellLength = row.cells.length;
  for(var y=0; y<cellLength; y+=1){
    var cell = row.cells[y];

    //do something with every cell here
  }
}
于 2012-05-03T13:14:13.133 回答
21

使用直接子选择器 >

$('#tblOne > tbody  > tr')

说明:选择“parent”指定的元素的“child”指定的所有直接子元素。

于 2012-05-03T13:07:02.710 回答