 
 Data Structure Data Structure
 Networking Networking
 RDBMS RDBMS
 Operating System Operating System
 Java Java
 MS Excel MS Excel
 iOS iOS
 HTML HTML
 CSS CSS
 Android Android
 Python Python
 C Programming C Programming
 C++ C++
 C# C#
 MongoDB MongoDB
 MySQL MySQL
 Javascript Javascript
 PHP PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
How to Create ToDo App using ReactJS?
Creating a ToDo app is the best way to start learning ReactJS. In this article, we will see how to build a simple ToDo app using React. The project will cover key React concepts like components, state management, props, and event handling.
Features of Todo List
The ToDo app will allow users to.
- Add new tasks.
- Mark tasks as complete.
- Delete tasks from the list.
For better management we will break down the app into small reusable components and manage the state using React's useState hook.
Prerequisite
First, you have to install Node.js and npm in your system. Then, create a new React project using the following commands.
npx create-react-app todo-app cd todo-app
Project Structure
Below is the basic project structure of ToDo App.

Creating Components
As you can see in the project structure we have created a directory and 3 files for components which will be exported to the App.js file.
TodoForm.js
The TodoForm component has a form with an input field and a submit button. When the form is submitted, the addTask function in App.js is called with the task text.
import React, { useState } from 'react';
function TodoForm({ addTask }) {
  const [task, setTask] = useState('');
  const handleSubmit = (e) => {
    e.preventDefault();
    if (task.trim()) {
      addTask(task);
      setTask('');
    }
  };
  return (
    <form onSubmit={handleSubmit}>
      <input
        type="text"
        placeholder="Add a task..."
        value={task}
        onChange={(e) => setTask(e.target.value)}
      />
      <button type="submit">Add Task</button>
    </form>
  );
}
export default TodoForm;
TodoItem.js
This component represents each individual task with options to mark as complete and delete. In TodoItem.js, clicking on a task toggles its completion status by calling the completeTask function.
import React from 'react';
function TodoItem({ task, completeTask, deleteTask }) {
  return (
    <div className={`task ${task.completed ? 'completed' : ''}`}>
      <span onClick={() => completeTask(task.id)}>{task.text}</span>
      <button onClick={() => deleteTask(task.id)}>Delete</button>
    </div>
  );
}
export default TodoItem;
TodoList.js
The delete button in TodoItem.js removes the task by calling the deleteTask function. This component maps through the list of tasks and displays each using TodoItem.
import React from 'react';
import TodoItem from './TodoItem';
function TodoList({ tasks, completeTask, deleteTask }) {
  return (
    <div>
      {tasks.map((task) => (
        <TodoItem
          key={task.id}
          task={task}
          completeTask={completeTask}
          deleteTask={deleteTask}
        />
      ))}
    </div>
  );
}
export default TodoList;
App.js
The main component that ties everything together. It manages the state of the tasks.
import React, { useState } from 'react';
import TodoForm from './components/TodoForm';
import TodoList from './components/TodoList';
import './App.css';
function App() {
  const [tasks, setTasks] = useState([]);
  const addTask = (taskText) => {
    const newTask = { id: Date.now(), text: taskText, completed: false };
    setTasks([...tasks, newTask]);
  };
  const completeTask = (id) => {
    setTasks(
      tasks.map((task) =>
        task.id === id ? { ...task, completed: !task.completed } : task
      )
    );
  };
  const deleteTask = (id) => {
    setTasks(tasks.filter((task) => task.id !== id));
  };
  return (
    <div className="App">
      <h1>ToDo App</h1>
      <TodoForm addTask={addTask} />
      <TodoList tasks={tasks} completeTask={completeTask} 
            deleteTask={deleteTask} />
    </div>
  );
}
export default App;
App.css
Add some basic styling to make the app more appealing.
.App {
  text-align: center;
  max-width: 500px;
  margin: auto;
}
form {
  display: flex;
  justify-content: space-between;
  margin-bottom: 20px;
}
input {
  width: 80%;
  padding: 10px;
  font-size: 16px;
}
button {
  padding: 10px;
  font-size: 16px;
}
.task {
  display: flex;
  justify-content: space-between;
  padding: 10px;
  border-bottom: 1px solid #ccc;
}
.task.completed span {
  text-decoration: line-through;
}
button {
  background-color: #40a944;
  border: none;
  border-radius: 3px;
  color: white;
  cursor: pointer;
}
button:hover {
  opacity: 0.8;
}
Output
So our to-do list is ready to use, as you can see we can add a task mark the task as completed, and delete it whenever we want to delete it.

