jQuery:获取所选单选按钮的父tr

时间:2012-02-16 16:19:20

标签: jquery jquery-selectors parent tablerow

我有以下HTML:

<table id="MwDataList" class="data" width="100%" cellspacing="10px">
    ....

    <td class="centerText" style="height: 56px;">
        <input id="selectRadioButton" type="radio" name="selectRadioGroup">
    </td>

    ....
</table>

换句话说,我有一个几行的表,在最后一个单元格的每一行中我都有一个单选按钮 如何为选定的单选按钮获取行?

我尝试过:

function getSelectedRowGuid() {
    var row = $("#MwDataList > input:radio[@name=selectRadioGroup]:checked :parent tr");
    var guid = GetRowGuid(row);
    return guid;
}

但看起来这个选择器不正确。

2 个答案:

答案 0 :(得分:151)

试试这个。

您不需要在jQuery选择器中使用@前缀属性名称。使用closest()方法获取与选择器匹配的最接近的父元素。

$("#MwDataList input[name=selectRadioGroup]:checked").closest('tr');

您可以像这样简化您的方法

function getSelectedRowGuid() {
    return GetRowGuid(
      $("#MwDataList > input:radio[@name=selectRadioGroup]:checked :parent tr"));
}

closest() - 获取与选择器匹配的第一个元素,从当前元素开始并逐步向上遍历DOM树。

作为旁注,元素的ID在页面上应该是唯一的,所以尽量避免使用相同的单选按钮ID,我可以在标记中看到。如果您不打算使用ID,则只需将其从标记中删除。

答案 1 :(得分:53)

答案

$("#MwDataList input[name=selectRadioGroup]:checked").closest('tr');

如何找到最近的行?

使用.closest()

var $row = $(this).closest("tr");

使用.parent()

检查此.parent()方法。这是.prev().next()的替代方法。

var $row = $(this).parent()             // Moves up from <button> to <td>
                  .parent();            // Moves up from <td> to <tr>

获取所有表格单元格 <td>

var $row = $(this).closest("tr"),       // Finds the closest row <tr> 
    $tds = $row.find("td");             // Finds all children <td> elements

$.each($tds, function() {               // Visits every single <td> element
    console.log($(this).text());        // Prints out the text within the <td>
});

<强> VIEW DEMO


仅限具体 <td>

var $row = $(this).closest("tr"),        // Finds the closest row <tr> 
    $tds = $row.find("td:nth-child(2)"); // Finds the 2nd <td> element

$.each($tds, function() {                // Visits every single <td> element
    console.log($(this).text());         // Prints out the text within the <td>
});

<强> VIEW DEMO


有用的方法

  • .closest() - 获取与选择器匹配的第一个元素
  • .parent() - 获取当前匹配元素集中每个元素的父元素
  • .parents() - 获取当前匹配元素集中每个元素的祖先
  • .children() - 获取匹配元素集中每个元素的子元素
  • .siblings() - 获取匹配元素集中每个元素的兄弟姐妹
  • .find() - 获取当前匹配元素集中每个元素的后代
  • .next() - 获取匹配元素集中每个元素的紧随其后的兄弟
  • .prev() - 获取匹配元素集中每个元素的前一个兄弟