'How to target first td of every row with pure JS?

I tried to change the color of the first td element in each row to red.

HTML:

<table id="test">
<tr>
    <td>test1</td>
    <td>test2</td>
</tr>
<tr>
    <td>test3</td>
    <td>test4</td>
</tr>

</table>

I tried this JS:

var tr = document.getElementsByTagName('tr');

tr.firstChild.style.color = 'red';

No Jquery please.



Solution 1:[1]

Parsing with JS could be costly, if you are fine achieving the same with the CSS, then here you go.

#test tr td:nth-of-type(1) {
   color: red;
}

Or

#test tr td:first-child {
   color: red;
}

Solution 2:[2]

As said in another reply, css is the natural way to accomplish this.

As you are stuck with js, you can use js to inject a stylesheet in your page:

var styleNode=document.createElement("style");
document.head.appendChild(styleNode);
var cssString="#test tr td:first-child {color: red;}";
if (styleNode.styleSheet) { // IE
  styleNode.styleSheet.cssText = cssString;
}
else {
  styleNode.appendChild(document.createTextNode(cssString));
}

The benefit of using a stylesheet is that you avoid race conditions (case when the table is built dynamically).

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1
Solution 2 Christophe