Document Object Model (DOM)

The Document Object Model (DOM) is a programming interface for HTML and XML documents. It represents the structure of a web page as a tree-like structure, with each element being a node in the tree. This allows developers to access and manipulate the content, structure, and style of a web page using JavaScript or other programming languages.

Let’s take a closer look at how the DOM works with some examples:

Example 1: Accessing Elements

To access an element in the DOM, you can use methods like getElementById, getElementsByClassName, or getElementsByTagName. For instance, if you have an HTML document with the following structure:


<html>
  <head>
    <title>My Web Page</title>
  </head>
  <body>
    <h1 id="title">Welcome to My Web Page</h1>
    <p class="content">This is the content of my web page.</p>
  </body>
</html>

You can access the title element by its id:


const titleElement = document.getElementById("title");
console.log(titleElement.innerHTML);

This will output: Welcome to My Web Page.

Example 2: Modifying Elements

The DOM allows you to modify the content, attributes, and style of elements. For example, let’s say you want to change the text of the title element:


titleElement.innerHTML = "New Title";

Now, the title element will display: New Title.

Example 3: Creating Elements

You can also create new elements and add them to the DOM. For instance, if you want to add a new paragraph to the body of the document:


const newParagraph = document.createElement("p");
newParagraph.innerHTML = "This is a new paragraph.";
document.body.appendChild(newParagraph);

This will add a new paragraph with the text “This is a new paragraph.” to the end of the body.

Example 4: Event Handling

The DOM allows you to handle events, such as clicks or key presses, on elements. For example, let’s say you have a button element:


<button id="myButton">Click Me</button>

You can add an event listener to the button to perform an action when it is clicked:


const myButton = document.getElementById("myButton");
myButton.addEventListener("click", function() {
  console.log("Button clicked!");
});

When the button is clicked, the message “Button clicked!” will be logged to the console.

These are just a few examples of how the Document Object Model can be used to access and manipulate web page elements. The DOM provides a powerful and flexible way to interact with web pages, making it an essential tool for web developers.

Scroll to Top