The example of @Noface using Chidren to get the child elements solves the problem, but I would suggest a more functional and declarative approach.
To understand more about the Destructuring using in the function parametre trVermineOuAmarelo you can take a look here: Destructuring assignment. Basically it obtains a property that is inside the object.
About how the filter here: Array.prototype.filter().
About the map and flatMap here: Array.prototype.flatMap(). Basically the flatMap takes arrays within an array and turns into one thing only, if I have [[1,2],3], using flatMap I will have [1,2,3].
const chamados = Array.from(document.querySelectorAll('tr'));
const trVermelhoOuAmarelo = ({ style: { backgroundColor }}) =>
backgroundColor === 'red' || backgroundColor === 'yellow';
const obterInnerText = (element) => element.innerText;
const obterFilhos = (element) => Array.from(element.children);
const sla = chamados
.filter(trVermelhoOuAmarelo)
.flatMap(obterFilhos)
.map(obterInnerText);
console.log(sla);
<table>
<tr style="background:red;">
<td>0.0 red</td>
<td>0.1 red</td>
<td>0.2 red</td>
</tr>
<tr style="background:green;">
<td>1.0 green</td>
<td>1.1 green</td>
<td>1.2 green</td>
</tr>
<tr style="background:yellow;">
<td>2.0 yellow</td>
<td>2.1 yellow</td>
<td>2.2 yellow</td>
</tr>
</table>
You can still make things simpler by just filtering out the red and yellow elements in querySelector, for example:
const expression = "tr:not([style*='green'])";
const chamados = Array.from(document.querySelectorAll(expression));
const sla = chamados
.flatMap(x => Array.from(x.children))
.map(x => x.innerText);
console.log(sla);
<table>
<tr style="background:red;">
<td>0.0 red</td>
<td>0.1 red</td>
<td>0.2 red</td>
</tr>
<tr style="background:green;">
<td>1.0 green</td>
<td>1.1 green</td>
<td>1.2 green</td>
</tr>
<tr style="background:yellow;">
<td>2.0 yellow</td>
<td>2.1 yellow</td>
<td>2.2 yellow</td>
</tr>
</table>