Struggling with why .innerHTML shows undefined, yet .length shows 1.
var content = document.getElementsByTagName("h1");
console.log(content.innerHTML);
console.log(content.length);
<h1>Hello World</h1>
<ul>
<li>This is an item</li>
<li>This is another item</li>
</ul>
Struggling with why .innerHTML shows undefined, yet .length shows 1.
var content = document.getElementsByTagName("h1");
console.log(content.innerHTML);
console.log(content.length);
<h1>Hello World</h1>
<ul>
<li>This is an item</li>
<li>This is another item</li>
</ul>
Share
Improve this question
edited Oct 7, 2019 at 15:43
user2855132
asked Feb 20, 2016 at 22:42
sandeep sudhakaransandeep sudhakaran
311 gold badge1 silver badge3 bronze badges
1
-
3
getElementsByTagName
returns a list. So you want index 0 of the result, like this:document.getElementsByTagName("h1")[0].innerHTML
– Nayuki Commented Feb 20, 2016 at 22:44
3 Answers
Reset to default 6From MDN
The Element.getElementsByTagName() method returns a live HTMLCollection of elements with the given tag name.
Use [0]
to get first item:
console.log(content[0].innerHTML);
JavaScript's document.getElementsByTagName
returns an (array-like) object. You can to get the one element you need with content[0]
:
//returns a collection of elements
var content = document.getElementsByTagName("h1");
// single out the element you need
var tag = content[0];
console.log(typeof(content));
console.log(content.length);
//get the element's inner HTML
console.log(tag.innerHTML);
<h1>Hello World</h1>
<ul>
<li>This is an item</li>
<li>This is another item</li>
</ul>
If you need to target this element specifically, give it an id attribute, and then use getElementById. This is more efficient, and will return just a single element.