EN
JavaScript - get text node of HTML element
0 points
In this article, we would like to show you how to get the text node of the HTML element using JavaScript.
In this example, we present how to get the text node of the container
element and display its value in the console.
xxxxxxxxxx
1
2
<html>
3
<body>
4
<div id="container">Example text...</div>
5
<script>
6
7
let container = document.querySelector('#container');
8
let text = container.childNodes[0];
9
10
console.log(text.nodeValue);
11
12
</script>
13
</body>
14
</html>
Note:
You can also use
textContent
instead ofnodeValue
to get text from the text node.
In this section, we present a more complex example of how to get the text node and display its value when we have some nested elements.
xxxxxxxxxx
1
2
<html>
3
<body>
4
<div id="container">Text-1<span>Text-2</span></div>
5
<script>
6
7
let text1 = document.querySelector('#container').childNodes[0];
8
let text2 = document.querySelector('#container span').childNodes[0];
9
// or:
10
// let text2 = document.querySelector('#container').childNodes[1].childNodes[0];
11
12
console.log(text1.nodeValue); // Text-1
13
console.log(text2.nodeValue); // Text-2
14
15
</script>
16
</body>
17
</html>