How to append HTML code to a div using insertAdjacentHTML in JavaScript
A guide on how to append HTML code to a `div` using the `insertAdjacentHTML` method in JavaScript. This method allows you to add content without replacing the existing content.
In this article, we will learn how to use the insertAdjacentHTML
method in JavaScript to append HTML code to a div
element at different positions without affecting the current content. This is a flexible way to manipulate the DOM compared to using innerHTML
.
JavaScript Code
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Append HTML using insertAdjacentHTML</title>
</head>
<body>
<div id="myDiv">
<p>Initial content inside the div.</p>
</div>
<button onclick="appendHTML()">Add More HTML</button>
<script>
// Function to append HTML content to the div
function appendHTML() {
// Get the div element by its id 'myDiv'
const myDiv = document.getElementById("myDiv");
// Append new HTML content after the current content
myDiv.insertAdjacentHTML('beforeend', "<p>New paragraph added using insertAdjacentHTML.</p>");
}
</script>
</body>
</html>
Detailed explanation:
<!DOCTYPE html>
: Declares the document as an HTML document.<div id="myDiv">
: Creates adiv
element with initial content.<button onclick="appendHTML()">
: Button to call theappendHTML
function when clicked.function appendHTML()
: Defines a JavaScript function to append HTML to thediv
.const myDiv = document.getElementById("myDiv");
: Selects thediv
element by itsid
.myDiv.insertAdjacentHTML('beforeend', "...");
: Adds new HTML content to thediv
without replacing the existing content. Using'beforeend'
appends the content at the end of the element.
Tips:
insertAdjacentHTML
is useful when you want to insert content at a specific position without replacing existing content likeinnerHTML
does.- Other options for this method include
'beforebegin'
,'afterbegin'
,'beforeend'
, and'afterend'
, allowing you to control exactly where the new HTML is inserted.