Reputation: 1830
So, I'm getting a list of elements that match a selector using querySelectorAll, which stores them in a NodeList.
I'm then scanning through the NodeList with a forEach loop, at which point the type of each individualItem is "Element".
However, I'm feeding these individualItems into a function "doThing()" that expects individualItem to be of type "HTMLElement" (I'm using typescript). I'm wondering if there is some built in js function for converting an "Element" type into an "HTMLElement" type, or, if not, what a function like that might looks like
const h = document.querySelectorAll(someClassString);
h.forEach(individualItem => {
individualItem.addEventListener(c.EVENT, () => doThing(individualItem));
})
Upvotes: 7
Views: 13943
Reputation: 499
Since you are using TypeScript, why don't you cast it to another type? See it here
const h = document.querySelectorAll(someClassString);
h.forEach(individualItem => {
individualItem.addEventListener(c.EVENT, () => doThing(individualItem as HTMLElement));
});
EDIT 2023
I don't know if I had a limited knowledge of Typescript when I wrote this or if this functionality wasn't available yet, but as Ron Jonk pointed out, the most elegant and reusable solution is
const h = document.querySelectorAll<HTMLElement>(someClassString);
h.forEach(individualItem => {
individualItem.addEventListener(c.EVENT, () => doThing(individualItem));
});
Upvotes: 6
Reputation: 909
To type the output from querySelectorAll you can do it this way:
document.querySelectorAll<HTMLTableElement>('.mytable')
Upvotes: 11