document.getElementsByTagName()

Introduction to document.getElementsByTagName() Method

JavaScript is a versatile programming language that allows developers to manipulate and interact with HTML documents. One of the most commonly used methods in JavaScript is document.getElementsByTagName(). This method enables developers to retrieve all elements of a specific tag name from an HTML document.

Syntax

The syntax for using the document.getElementsByTagName() method is as follows:

document.getElementsByTagName(tagName)

Here, tagName refers to the name of the HTML tag for which you want to retrieve all elements. The method returns a collection of elements that match the specified tag name.

Example Usage

Let’s consider a simple example to understand how to use the document.getElementsByTagName() method:

<!DOCTYPE html>
<html>
<body>

<h1>JavaScript document.getElementsByTagName() Example</h1>

<div id="container">
  <p>This is a paragraph.</p>
  <p>This is another paragraph.</p>
  <p>This is a third paragraph.</p>
  <span>This is a span element.</span>
</div>

<script>
var paragraphs = document.getElementsByTagName("p");
console.log(paragraphs);
</script>

</body>
</html>

In this example, we have an HTML document with three <p> elements and one <span> element. We want to retrieve all the <p> elements using the document.getElementsByTagName() method.

When we run this code and check the console, we will see that the paragraphs variable contains a collection of all the <p> elements in the document. The output will look something like this:

[<p>This is a paragraph.</p>, <p>This is another paragraph.</p>, <p>This is a third paragraph.</p>]

Now that we have retrieved the <p> elements, we can perform various operations on them. For example, we can change the text content, add or remove attributes, or apply CSS styles to these elements.

Conclusion

The document.getElementsByTagName() method is a powerful tool in JavaScript that allows developers to retrieve all elements of a specific tag name from an HTML document. By using this method, you can easily target and manipulate specific elements in your web page, enhancing its functionality and interactivity.

Remember to use the appropriate tag name when using this method, and handle the returned collection of elements accordingly to achieve the desired results.

Scroll to Top