Как я могу получить соответствующий заголовок таблицы (th) из ячейки таблицы (td)?
учитывая следующую таблицу, как бы я получил соответствующий заголовок таблицы для каждого элемента td?
<table>
<thead>
<tr>
<th id="name">Name</th>
<th id="address">Address</th>
</tr>
</thead>
<tbody>
<tr>
<td>Bob</td>
<td>1 High Street</td>
</tr>
</tbody>
</table>
учитывая, что у меня в настоящее время есть любой из td
элементы, доступные мне уже, как я мог найти соответствующий th
элемент?
var $td = IveGotThisCovered();
var $th = GetTableHeader($td);
7 ответов:
var $th = $td.closest('tbody').prev('thead').find('> tr > th:eq(' + $td.index() + ')');
или немного упрощенные
var $th = $td.closest('table').find('th').eq($td.index());
var $th = $("table thead tr th").eq($td.index())
было бы лучше использовать идентификатор для ссылки на таблицу, если их несколько.
вы можете сделать это с помощью индекса td:
var tdIndex = $td.index() + 1; var $th = $('#table tr').find('th:nth-child(' + tdIndex + ')');
решение, которое обрабатывает
colspan
у меня есть решение, основанное на сопоставлении левого края
td
к левому краю соответствующегоth
. Он должен обрабатывать произвольно сложные кольспаны.Я изменил тестовый случай, чтобы показать, что произвольное
colspan
- это правильно.Демо
JS
$(function($) { "use strict"; // Only part of the demo, the thFromTd call does the work $(document).on('mouseover mouseout', 'td', function(event) { var td = $(event.target).closest('td'), th = thFromTd(td); th.parent().find('.highlight').removeClass('highlight'); if (event.type === 'mouseover') th.addClass('highlight'); }); // Returns jquery object function thFromTd(td) { var ofs = td.offset().left, table = td.closest('table'), thead = table.children('thead').eq(0), positions = cacheThPositions(thead), matches = positions.filter(function(eldata) { return eldata.left <= ofs; }), match = matches[matches.length-1], matchEl = $(match.el); return matchEl; } // Caches the positions of the headers, // so we don't do a lot of expensive `.offset()` calls. function cacheThPositions(thead) { var data = thead.data('cached-pos'), allth; if (data) return data; allth = thead.children('tr').children('th'); data = allth.map(function() { var th = $(this); return { el: this, left: th.offset().left }; }).toArray(); thead.data('cached-pos', data); return data; } });
CSS
.highlight { background-color: #EEE; }
HTML
<table> <thead> <tr> <th colspan="3">Not header!</th> <th id="name" colspan="3">Name</th> <th id="address">Address</th> <th id="address">Other</th> </tr> </thead> <tbody> <tr> <td colspan="2">X</td> <td>1</td> <td>Bob</td> <td>J</td> <td>Public</td> <td>1 High Street</td> <td colspan="2">Postfix</td> </tr> </tbody> </table>
чистое решение JavaScript:
var index = Array.prototype.indexOf.call(your_td.parentNode.children, your_td) var corresponding_th = document.querySelector('#your_table_id th:nth-child(' + (index+1) + ')')
найти соответствующие
th
наtd
, С учетомcolspan
проблемы с индексом.$('table').on('click', 'td', get_TH_by_TD) function get_TH_by_TD(e){ var idx = $(this).index(), th, th_colSpan = 0; for( var i=0; i < this.offsetParent.tHead.rows[0].cells.length; i++ ){ th = this.offsetParent.tHead.rows[0].cells[i]; th_colSpan += th.colSpan; if( th_colSpan >= (idx + this.colSpan) ) break; } console.clear(); console.log( th ); return th; }
table{ width:100%; } th, td{ border:1px solid silver; padding:5px; }
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script> <p>Click a TD:</p> <table> <thead> <tr> <th colspan="2"></th> <th>Name</th> <th colspan="2">Address</th> <th colspan="2">Other</th> </tr> </thead> <tbody> <tr> <td>X</td> <td>1</td> <td>Jon Snow</td> <td>12</td> <td>High Street</td> <td>Postfix</td> <td>Public</td> </tr> </tbody> </table>
это просто, если вы ссылаетесь на них по индексу. Если вы хотите скрыть первый столбец, вы должны:
скопировать код $('#thetable tr').найти ('td:nth-child(1),th: nth-child(1)').toggle ();
причина, по которой я сначала выбрал все строки таблицы, а затем как td, так и th, которые были N-м ребенком, заключается в том, что нам не нужно было бы выбирать таблицу и все строки таблицы дважды. Это повышает скорость выполнения скрипта. Имейте в виду,
nth-child()
и1
, а не0
.