我有一个网页,表格的内容来自Google表格。通过创建表元素(tr
,td
)并将它们作为子元素追加到表中,我将表数据添加到表中。然后,我尝试应用CSS来用不同的颜色来着色备用行。事实证明,它只会使选择的第一个实例着色。
的HTML
<table id="list">
<thead></thead>
<tbody></tbody>
</table>
JS
document.addEventListener('DOMContentLoaded', function() {
google.script.run.withSuccessHandler(makeList).getList();
});
// my Google Sheet data is in the "data" parameter below
function makeList(data) {
console.log(data[0]);
// Add Header
var tbHead = document.querySelector('#list thead');
var tr = document.createElement('tr');
data[0].map(function(h) {
var th = document.createElement('th');
th.textContent = h;
tr.appendChild(th);
tbHead.appendChild(tr);
});
data.splice(0,1);
console.log(data[0]);
// Add rows
var tbBody = document.querySelector('#list tbody');
data.map(function(r) {
var tr = document.createElement('tr');
r.map(function(d) {
var td = document.createElement('td');
td.textContent = d;
tr.appendChild(td);
tbBody.appendChild(tr);
});
});
// At this point the table is filled correcty (at leat visually)
// Styling table
configureTable();
}
// JS to change CSS of Table
function configureTable() {
// The selection below selects only the second element of the table body, and not all of the even elements, the same happens if I select 2n.
var tbEvenRow = document.querySelector("#list tbody tr:nth-child(even)");
tbEvenRow.style.backgroundColor = "cyan";
}
那么,这是为什么当我用
appendChild()
添加每个元素时兄弟姐妹部分没有更新的原因吗?到底是怎么回事? 最佳答案
您应该执行querySelectorAll而不是querySelector。由于querySelector仅提供一个元素。因此,您的代码将如下所示:
// JS to change CSS of Table
function configureTable() {
// The selection below selects only the second element of the table body, and not all of the even elements, the same happens if I select 2n.
var tbEvenRows = document.querySelectorAll("#list tbody tr:nth-child(even)");
for ( let i = 0; i < tbEvenRows.length; i++) {
tbEvenRoww[i].style.backgroundColor = "cyan";
}
}
关于javascript - CSS nth-child选择器不适用于JS创建的表,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/59811272/