Adding an edit task feature is a nice enhancement and builds directly on the structure we’ve already created using addEventListener and saving our tasks to local storage. Let’s walk through how to do add an “edit” button step-by-step, keeping everything consistent with the rest of our app.
However, we had to change the code a bit, we had to replace the firstChild and add span instead input and a few more things. Let’s take a look.
1. addTask() function
This function from the previous project needs to be modified with span instead item and key things happening:
let li = document.createElement("li");
let span = document.createElement("span");
span.textContent = taskInput.value;
li.appendChild(span);
What’s going on?
A new list item (<li>) is created.
A <span> is created to hold the task’s text, and then the <span> is appended inside the <li>. BUt why do we need to use <span>?
Because it gives you a dedicated, consistent place to store and edit the task text.
Without it, the buttons and text are all siblings inside <li>, and targeting “just the task text” becomes messy. A <span> is easily replaceable and queryable (e.g., li.querySelector(“span”)).
2. Buttons (Edit, Complete, Delete)
We need to add the edit button and each button is appended to the <li>, and all buttons use addEventListener().
The same as with the earlier project we use the toggles approach for the complete button with the .completed class
Delete button removes the task and the edit button triggers the editTask(li) function
3. saveTasks()
This function saves the entire to-do list to local storage, but we changed it a bit compared to the previous project.
tasks.push({
text: li.querySelector("span").textContent.trim(),
completed: li.classList.contains("completed")
});
This works well because li.querySelector(“span”) reliably gives you the task text, no matter what else is in the <li>. The completed status is stored as a Boolean, and everything is stored as a JSON string in local storage.
4. loadTasks()
This function rebuilds the saved tasks from local storage and you’re recreating:
- The <li>
- The <span> containing the text
- The buttons (edit, complete, delete)
- Re-attaching all behaviors (via addEventListener)
5. editTask()
In the editTask function we replace the <span> with an <input> element, and this is where we let the user edit the task, and on blur or Enter, you walidate the input. We put the updated text back into a <span>, this is why we need to replace the <input> with the new <span>. This approach avoids bugs that came from manipulating li.firstChild, because now you’re explicitly working with the <span>, not guessing which node is the text.
We needed to replace First Child with using <span>
Old approach (what went wrong):
li.firstChild.textContent = "";
li.insertBefore(input, li.firstChild);
Why this was fragile:
li.firstChild might not be the text you think it is. Depending on how the browser builds the DOM, it could be a text node, button, input. And after replacing it, the structure becomes messy and unpredictable, buttons might stop working or the text might be gone or hard to re-target.
For this reason we used a new approach with <span>:
let span = li.querySelector("span");
li.replaceChild(input, span);
...
li.replaceChild(span, input); // After editing
This approach is better because you always know exactly where the text lives and editing is just a clean swap between span and input. Now, there is no weird child node index guessing or fragile assumptions, and above all much easier to maintain and expand.
The final code looks like this:
document.getElementById("addButton").addEventListener("click", addTask);
function addTask() {
let taskInput = document.getElementById("taskInput");
let taskList = document.getElementById("taskList");
if (taskInput.value === "") {
alert("Please enter a task!");
return;
}
let li = document.createElement("li");
let span = document.createElement("span");
span.textContent = taskInput.value;
li.appendChild(span);
// Add a complete button
let completeButton = document.createElement("button");
completeButton.textContent = "✓";
completeButton.style.marginLeft = "10px";
completeButton.onclick = function () {
li.classList.toggle("completed");
saveTasks();
};
// Add a delete button
let deleteButton = document.createElement("button");
deleteButton.textContent = "❌";
deleteButton.style.marginLeft = "10px";
deleteButton.onclick = function () {
taskList.removeChild(li);
saveTasks();
};
// Add an edit button
let editButton = document.createElement("button");
editButton.textContent = "✏️";
editButton.style.marginLeft = "10px";
editButton.addEventListener("click", function () {
editTask(li);
});
li.appendChild(editButton);
li.appendChild(completeButton);
li.appendChild(deleteButton);
taskList.appendChild(li);
taskInput.value = ""; // Clear input after adding
saveTasks();
}
function saveTasks() {
let tasks = [];
let items = document.querySelectorAll("#taskList li");
items.forEach((li) => {
tasks.push({
text: li.querySelector("span").textContent.trim(),
completed: li.classList.contains("completed")
});
});
localStorage.setItem("tasks", JSON.stringify(tasks));
}
function loadTasks() {
let tasks = JSON.parse(localStorage.getItem("tasks")) || [];
let taskList = document.getElementById("taskList");
tasks.forEach(task => {
let li = document.createElement("li");
let span = document.createElement("span");
span.textContent = task.text;
li.appendChild(span);
if (task.completed) {
li.classList.add("completed");
}
let completeButton = document.createElement("button");
completeButton.textContent = "✓";
completeButton.style.marginLeft = "10px";
completeButton.onclick = function () {
li.classList.toggle("completed");
saveTasks();
};
let deleteButton = document.createElement("button");
deleteButton.textContent = "❌";
deleteButton.style.marginLeft = "10px";
deleteButton.onclick = function () {
taskList.removeChild(li);
saveTasks();
};
let editButton = document.createElement("button");
editButton.textContent = "✏️";
editButton.style.marginLeft = "10px";
editButton.addEventListener("click", function () {
editTask(li);
});
li.appendChild(editButton);
li.appendChild(completeButton);
li.appendChild(deleteButton);
taskList.appendChild(li);
});
}
function editTask(li) {
let span = li.querySelector("span");
let currentText = span.textContent.trim();
let input = document.createElement("input");
input.type = "text";
input.value = currentText;
input.style.marginRight = "10px";
li.replaceChild(input, span);
input.focus();
input.select();
function saveEdit() {
if (input.value.trim() === "") {
alert("Task cannot be empty.");
return;
}
span.textContent = input.value.trim();
li.replaceChild(span, input); // Replace input back with span
saveTasks();
}
input.addEventListener("blur", saveEdit);
input.addEventListener("keydown", function (e) {
if (e.key === "Enter") {
saveEdit();
}
});
}
// Call loadTasks ONCE when page loads
loadTasks();
In conclusion
So, in this project we’ve built a full-featured to-do list that supports:
- Adding tasks
- Completing tasks
- Deleting tasks
- Editing tasks inline (with live updates to localStorage)
And by introducing the <span>, you’ve structured your DOM in a way that’s easy to read, modify, and interact with — avoiding common pitfalls like unreliable firstChild access.