Drop-down menus are a common UI element used to allow users to select from a list of options. However, hardcoding these options isn’t always practical, especially when dealing with dynamic data sources. In this blog, we’ll learn how to create a dynamic drop-down menu using HTML, JavaScript, and JSON.
Step-by-Step Implementation
Step 1: Set Up the HTML Structure
Create a simple HTML file with a <select>
element where the options will be dynamically inserted.
<label for="dropdown">Choose an option: </label>
<select id="dropdown"></select>
<script src="script.js"></script>
const data = [
{ "id": 1, "name": "Apple" },
{ "id": 2, "name": "Banana" },
{ "id": 3, "name": "Cherry" },
{ "id": 4, "name": "Date" }
];
document.addEventListener("DOMContentLoaded", function () {
const dropdown = document.getElementById("dropdown");
const data = [
{ id: 1, name: "Apple" },
{ id: 2, name: "Banana" },
{ id: 3, name: "Cherry" },
{ id: 4, name: "Date" }
];
// Populate the drop-down
data.forEach(item => {
let option = document.createElement("option");
option.value = item.id;
option.textContent = item.name;
dropdown.appendChild(option);
});
});
[
{ "id": 1, "name": "Apple" },
{ "id": 2, "name": "Banana" },
{ "id": 3, "name": "Cherry" },
{ "id": 4, "name": "Date" }
]
//Modify script.js to fetch data from data.json:
document.addEventListener("DOMContentLoaded", function () {
const dropdown = document.getElementById("dropdown");
fetch("data.json")
.then(response => response.json())
.then(data => {
data.forEach(item => {
let option = document.createElement("option");
option.value = item.id;
option.textContent = item.name;
dropdown.appendChild(option);
});
})
.catch(error => console.error("Error fetching data:", error));
});
In this blog, we created a dynamic drop-down menu using HTML, JavaScript, and JSON. We also explored fetching data from an external JSON file, making the menu flexible and scalable. This technique is widely used in applications that require dynamic data rendering, such as forms, filtering options, and category selections. Try implementing this approach in your project and enhance the user experience with dynamic content loading!