JavaScript JS Tutorial JS Objects JS Functions JS Classes JS Async JS HTML DOM JS Browser BOM JS Web APIs JS AJAX JS JSON JS vs jQuery JS Graphics



DOM Navigation

The Document Object Model (DOM) is a programming interface for web documents. It represents the page so that programs can change the document structure, style, and content. The DOM represents the document as nodes and objects. That way, programming languages can interact with the page.

DOM Navigation refers to the process of traversing the DOM tree to access and manipulate elements. The DOM tree is a hierarchical representation of the HTML document, where each element is a node in the tree. The root of the tree is the document object, and each node has parent, child, and sibling nodes.

There are several methods for navigating the DOM tree, including:

  • getElementById(): Returns the element with the specified ID.
  • getElementsByClassName(): Returns a collection of elements with the specified class name.
  • getElementsByTagName(): Returns a collection of elements with the specified tag name.
  • querySelector(): Returns the first element that matches the specified CSS selector.
  • querySelectorAll(): Returns a collection of elements that match the specified CSS selector.
  • Traversing the DOM tree using parent, child, and sibling nodes.

Here are some examples of using these methods:

<!DOCTYPE html>
<html>
<head>
  <title>DOM Navigation</title>
</head>
<body>
  <div id="myDiv">
    <p class="myClass">Hello World!</p>
    <ul>
      <li>Item 1</li>
      <li>Item 2</li>
      <li>Item 3</li>
    </ul>
  </div>
  
  <script>
    // Get element by ID
    var myDiv = document.getElementById("myDiv");
    
    // Get elements by class name
    var myClassElements = document.getElementsByClassName("myClass");
    
    // Get elements by tag name
    var liElements = document.getElementsByTagName("li");
    
    // Query selector
    var firstLi = document.querySelector("li");
    
    // Query selector all
    var allLiElements = document.querySelectorAll("li");
    
    // Traversing the DOM tree
    var firstChild = myDiv.firstChild;
    var lastChild = myDiv.lastChild;
    var nextSibling = myDiv.nextSibling;
    var previousSibling = myDiv.previousSibling;
  </script>
</body>
</html>

In the example above, we have a div element with an ID of "myDiv" that contains a paragraph element with a class of "myClass" and an unordered list with three list item elements. We then use various methods to navigate the DOM tree and access these elements.

DOM Navigation is an essential part of web development, as it allows developers to manipulate the content and structure of web pages dynamically. By understanding how to navigate the DOM tree, developers can create more interactive and engaging web applications.

References

Activity