How to code a to-do list with React

28.05.2021Ricky Elfner
Mobile React Open source JavaScript Frontend Framework Hands-on Tutorial How-to

If you follow our b-nova blog, you have probably already seen that there is a to-do list tutorial for Angular and one for Vue.js. Therefore, we would like to suggest a tutorial with React as a comparison option. If you already have basic experience with React, you can start right away, otherwise we recommend the article Basics with React.

The setup for this to-do list is the one that is made available via create-react-app. Once this is installed, you can create your app as follows:

1
npx create-react-app b-nova-todo-list

You can then open VS Code with code . and start the server with npm start. You can also delete all files so that you only have the following folder structure.

You can also remove the entire content of the render method in the App.js file. It is also only necessary to have a valid HTML structure for one page in the index.html file, as well as a div with the ID root.

The list

As the first component you can create the ToDoList.jsx. This should represent all ToDoItems in a list. We use a functions component for all of our components.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
import React from 'react';

const ToDoList = ({ toDoItems }) => {

    return (
        <ul>
            {toDoItems.map(({id, content, complete}) => (
                <Item id={id} content={content} complete={complete}/>
            ))}
        </ul>
    );
}

export default ToDoList;

The properties toDoItems should later correspond to the items that are transferred to the list. ToDoItems should have a certain structure, this is fixed with the help of PropTypes. Another advantage is that you can determine what type an attribute should have and whether it has to be present or not. In order to be able to use PropTypes, this package must be installed via the terminal.

1
npm install --save-dev prop-types

After the installation you can import PropTypes within your components. In this example this is first done within ToDoList.jsx.

1
import PropTypes from 'prop-types';

Add the desired structure between the last curly bracket and the export of the component.

1
2
3
4
5
6
7
8
9
ToDoList.propTypes = {
    toDoItems: PropTypes.arrayOf(
        PropTypes.shape({
          id: PropTypes.number.isRequired,
          content: PropTypes.string.isRequired,
          complete: PropTypes.bool.isRequired,
        })
      ).isRequired,
  };

The next component, Item, is called based on this property. You can create these in the next step.

The item

For the item component you first need properties for the ID, the content and a boolean value, whether this item has already been completed or not. It is also recommended determining this using PropTypes.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
import React from 'react';
import Item from './Item';
import PropTypes from 'prop-types';

const ToDoList = ({ toDoItems }) => {

    return (
        <ul>
            {toDoItems.map(({id, content, complete}) => (
                <Item id={id} content={content} complete={complete}/>
            ))}
        </ul>
    );
}

ToDoList.propTypes = {
    toDoItems: PropTypes.arrayOf(
        PropTypes.shape({
          id: PropTypes.number.isRequired,
          content: PropTypes.string.isRequired,
          complete: PropTypes.bool.isRequired,
        })
      ).isRequired,
  };

export default ToDoList;

You have now created the necessary components to be able to display something, but the components have not yet been used within the application and do not yet have any sample data. Therefore you should now create data for the initial state, which have the attributes id, content and complete.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
const items = [
  {
    id: 1,
    content: "Test Content",
    complete: false
  },
  {
    id: 2,
    content: "Test Content 2",
    complete: false
  }
]  

You must then import the component ToDoList within the App.js.

1
import ToDoList from './components/ToDoList';

This means that you can now use the component and also transfer the desired properties to it. Your sample data should now be displayed as a list in your browser.

1
2
3
4
5
  return (
    <div>
      <ToDoList toDoItems={items}/>
    </div>
  );

input field and button

The last component that you still need is an input field and a button to be able to add further items. In this example this component is called AddToDoForm.jsx.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
import React from 'react';

const AddToDoButton = () => {
   
    return (
        <div>
            <form> 
                <input 
                placeholder="Enter Task" />
                <button type="submit">Add</button>
            </form>
        </div>
    );
}

export default AddToDoButton;

As soon as the component has been created, it can be imported and used within the App.js.

1
2
3
4
5
6
7
8
9
...
import AddToDoForm from './components/AddToDoForm';
...
  return (
    <div>
      <AddToDoForm />
      <ToDoList toDoItems={items}/>
    </div>
  );

You have now successfully completed the basic structure of your ToDo list. Now you can start to implement the functionality.

Local Storage

For this application we want to use LocalStorage this time to save the ToDo items. This means that your items are still available after a page reload. To do this, we recommend creating a service folder and a Service.js class. You need two methods, one for reading out and one for saving the items.

read out

First you create a method that uses the transferred key to check within LocalStorage whether such a key-value pair is available. If such a key-value pair is available, a JavaScript object is created from this JSON text and returned. If not, a new array is created and returned empty.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
export const getToDoItemsFromLocalStorage = (storageKey) => {
    const storageValue = localStorage.getItem(storageKey);
  
    let todoItems = null;
  
    try {
      const storageValueJSON = JSON.parse(storageValue);
  
      if (Array.isArray(storageValueJSON)) {
        todoItems = storageValueJSON;
      }
    } catch(e) {
      todoItems = [];
    }
    
    return todoItems;
};

Save

Compared to the readout method, this method is very short. This accepts the key as well as the value which is to be saved to match the key.

1
2
3
export const saveTodoItemsToLocalStorage = (storageKey, storageValue) => {
    localStorage.setItem(storageKey, JSON.stringify(storageValue))
};

You will need these two service methods in the course of this tutorial within the app component. Therefore you have to import them there. In addition, it will also be necessary to import useState for the next step.

1
2
import React, { useState }  from 'react';
import { getToDoItemsFromLocalStorage, saveTodoItemsToLocalStorage } from './service/service';

You can then use this method. To do this, you create a variable and a setter method that uses the state. Either the array from the getToDoItemsFromLocalStorage method or an empty array is transferred to the state.

1
const [todoItems, setTodoItems] = useState(getToDoItemsFromLocalStorage('item') || []);

This variable can now also be passed to the ToDoItems component instead of the items array, which had contained sample data.

1
<ToDoList toDoItems={todoItems}/>

Adding items

Since you no longer get any items displayed, you now have to implement the functionality to add new and your own items.

Therefore you now create a function in App.js that does this. You use the hook useCallback. This enables you to use this function further down in your component.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
const handleAddToDo = useCallback(item => {
    console.log("addToDo - App2")

    const items = [
      {
        id: item.id,
        content: item.content,
        complete: item.complete
      },
      ...todoItems,
    ]
  setTodoItems(items);
  saveTodoItemsToLocalStorage('item', items)
}, [todoItems])

You must now transfer this function to the AddToDoForm component.

1
<AddToDoForm onAddToDo={handleAddToDo}/>

So that you can also be sure that your component is given the correct properties, you use PropTypes to determine that this property must be a function,

1
2
3
AddToDoButton.propTypes = {
    onAddToDo: PropTypes.func.isRequired,
}

Within the return value you now have to implement a few things that you have defined here.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
return (
        <div>
            <form onSubmit={addToDoItem}> 
                    <input 
                    onChange={handleChange}
                    value={inputValue}
                    placeholder="Enter Task" />
                    <button type="submit">Add</button>
                </form>
        </div>
    );

Starting with the variable for the input field. This is supposed to contain the text for your to-do list item. Therefore you have to add this using useState and a Setter method.

1
const [ inputValue, setInputValue ] = useState("");

The onChange function should be executed every time a onChange event is triggered by the input field. So if the content of this field changes. The previously created variable inputValue is changed using the setter method based on the content of the event target.

1
2
3
const handleChange = (e) => {
    setInputValue(e.currentTarget.value)
};

Since it is now possible for you to change the value of the input field, you can implement the actual function for adding in the next step. This method is called based on the onSubmit event, for example as soon as the button is clicked. First the standard behavior of Submit is prevented and an item object is created. The ID is made possible by importing uuid.

1
import { v4 as uuidv4 } from 'uuid';

If you have not yet installed this, you can do this quickly via the terminal.

1
npm install uuid

The content is determined using the variable inputValue. For the standard state of an item, it makes sense to specify that it has not yet been executed.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
const addToDoItem = e => {
        e.preventDefault();

        const item = {
            id: uuidv4(),
            content: inputValue,
            complete: false
        }
        
        onAddToDo(item)
        setInputValue("");
   };

Deleting items

Another important function is to be able to delete items from the list. Therefore we create a handleOnDelete function as before in the App.js. This also uses the useCallback hook again. The deletion is carried out using the ID, for this purpose a new array is created using filter with all item IDs that are not the same as the parameter. The state is then updated with the new array. The LocalStorage is also updated with the service method.

1
2
3
4
5
const handleOnDelete = useCallback(id => {
  const newTodoItems = todoItems.filter(item => item.id !== id)
  setTodoItems(newTodoItems)
  saveTodoItemsToLocalStorage('item', newTodoItems)
}, [todoItems]);

This method must now be executed when the event onDeleteToDo is triggered.

1
<ToDoList toDoItems={todoItems} onDeleteToDo={handleOnDelete}/>

As seen before, this must also be added and defined in the PropTypes of ToDoList.

1
2
3
4
ToDoList.propTypes = {
    ...
    onDeleteToDo: PropTypes.func.isRequired,
};

This function must also be taken over within the parameters, since this function is to be transferred again to a component below, i.e. the item.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
const ToDoList = ({ toDoItems, onDeleteToDo }) => {

    return (
        <ul>
            {toDoItems.map(({id, content, complete}) => (
                <Item id={id} content={content} complete={complete} onDeleteToDo={onDeleteToDo}/>
            ))}
        </ul>
    );
}

Since the item component now has the function onDeleteToDo as a property, this must also be adopted as PropType within this component.

1
2
3
4
Item.propTypes = {
    ...
    onDeleteToDo: PropTypes.func.isRequired,
};

For the functionality that an item can be deleted, the item needs an additional button that does this. This button should call a handleOnDelete method within the item component.

1
<button onClick={handleOnDelete}>X</button>

This handleOnDelete function in turn uses the useCallback hook. Of course, it must first be imported again for this component. This function in turn calls the onDeleteToDo function, which is made available via the properties. The parameter for this function is the item ID.

1
2
3
const handleOnDelete = useCallback(() => 
        onDeleteToDo(id), [id, onDeleteToDo]
    );

This enables you to delete added items again.

Check off items

When you use a to-do list, you want to see your progress, the things you’ve already done. We also start with this functionality in the top component App.js.

In this function, filter is not used, but in this case you are looking for a very specific item in order to set the Boolean value by clicking on the opposite value. The item is searched for using the ID. Here, too, the local state and the LocalStorage must be updated at the end.

1
2
3
4
5
6
7
const handleOnToggleComplete = useCallback(id => {
  const item = todoItems.find(item => item.id === id)
  item.complete = !item.complete
  setTodoItems([...todoItems])
  saveTodoItemsToLocalStorage('item', todoItems)

}, [todoItems]);

As soon as this function is written, you can pass it to the component ToDoList.

1
2
3
4
<ToDoList 
  toDoItems={todoItems} 
  onDeleteToDo={handleOnDelete} 
  onToggle={handleOnToggleComplete}/>

Within ToDoList you now have to adjust three little things:

  • Accept onToggle as a parameter
1
const ToDoList = ({ toDoItems, onDeleteToDo, onToggle }) => {...}
  • pass the item also to this function
1
2
3
4
5
6
<Item 
  id={id}
  content={content}
  complete={complete}
  onDeleteToDo={onDeleteToDo}
  onToggle={onToggle}/>
  • extend the PropTypes by onToggle
1
2
3
4
ToDoList.propTypes = {
    ...
    onToggle: PropTypes.func.isRequired,
};

Now we come to the last component, which you have to expand for this functionality. In doing so, textDecoration is added to the p element, depending on the value of complete. A onClick event is also added. This event calls the function handleOnToggle.

1
2
3
4
<p style={{textDecoration: complete ? "line-through" : ""}} 
  onClick={handleOnToggle}>
  {content}
</p>

Since you want to use onToggle, this function is also added to the parameter list. You can then implement the previously determined handleOnToggle function. As soon as this is called, onToggle is called again, which is reached up to the top in the App.js.

1
2
3
4
5
const Item = ({ id, content, complete, onDeleteToDo, onToggle }) => {

    const handleOnToggle = useCallback(() => 
        onToggle(id),[id, onToggle]
    );

Finally, you shouldn’t forget to expand the PropTypes again.

1
2
3
4
Item.propTypes = {
    ...
    onToggle: PropTypes.func.isRequired,
};

The styling

Finally, you will definitely want to make some style adjustments so that your to-do list looks like something. We use the CSS-in-JS variant for this. For this it is necessary that you have installed styled-components.

1
npm install --save-dev styled-components

In every component in which styled-componentes is to be used, you must first carry out an import.

1
import styled from 'styled-components';

The item

Inside the component you now have to replace the usual HTML tags with your own styled tags. First a variable name must be determined for this. After the equal sign, you use the import to specify what kind of HTML element you want to be. You can now specify your desired design within single quotation marks. You can use the usual CSS attributes for this.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
const ItemArea = styled.div`
    display: flex;
    justify-content: flex-start;
    background: #f4f7fa;
    border: 2px solid #24272b;%;
    color: black;
    font-size: 22px;
    padding: 8px;
    margin:2px;
`;

const ListItem = styled.div`
    width: 90%;
`;

const DeleteButton = styled.button`
    background: #44bba4;
    border: 1px solid #44bba4;
    color: white;
    width: 10%;
    padding: 10px;
    margin-left: 15px;  
    border-radius: 3px;
`;

Now that you have created your own HTML elements, you can use them within the return value

1
2
3
4
5
6
    <ItemArea>
        <ListItem key={id}>
            <p style={{textDecoration: complete ? "line-through" : ""}} onClick={handleOnToggle}>{content}</p>     
        </ListItem>
        <DeleteButton onClick={handleOnDelete}>X</DeleteButton>
    </ItemArea>

The list

Proceed in the same way for the list as described above. First the import statement and then you can determine your design.

1
2
3
4
5
const ListArea = styled.div`
display: flex;
justify-content: flex-start;
flex-direction: column;
`;

And below again replace the new element for the div element.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
<ListArea>
    {toDoItems.map(({id, content, complete}) => (
        <Item 
          id={id}
          content={content}
          complete={complete}
          onDeleteToDo={onDeleteToDo}
          onToggle={onToggle}/>
    ))}
  </ListArea>

The form

And last but not least, all you have to do is style the form and the button.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
const ItemInput = styled.input` 
    width: 100%;
    font-size: 22px;
    padding: 12px 20px;
    display: inline-block;
    border: 1px solid #ccc;
    border-radius: 4px;
    box-sizing: border-box;
`;

const AddButton = styled.button` 
    width: 100%;
    background-color: #44bba4;
    color: white;
    font-size: 22px;
    padding: 12px 20px;
    margin: 8px 0;
    border: none;
    border-radius: 4px;
    cursor: pointer;
`;  

const FormArea = styled.div` 
    display: flex;
    justify-content: center;
    background-color: #24272b;
    padding: 30px;
    margin: 10px
    color: white;
    text-align: center;
`;

const Form = styled.form` 
    width: 100%;
`;

And of course replace the last HTML elements with the new ones.

1
2
3
4
5
6
7
8
9
<FormArea>
    <Form onSubmit={addToDoItem}> 
            <ItemInput 
              onChange={handleChange}
              value={inputValue}
              placeholder="Enter Task" />
            <AddButton type="submit">Add</AddButton>
        </Form>
</FormArea>

Congratulations, you have just implemented your own to-do list with React!

Now you had the opportunity with us to create a to-do list with three different frameworks.


This text was automatically translated with our golang markdown translator.

Ricky Elfner

Ricky Elfner – Denker, Überlebenskünstler, Gadget-Sammler. Dabei ist er immer auf der Suche nach neuen Innovationen, sowie Tech News, um immer über aktuelle Themen schreiben zu können.