DEV Community

Cover image for Building a Todo List with TypeScript and React Query: A Comprehensive Guide
wassim93
wassim93

Posted on

Building a Todo List with TypeScript and React Query: A Comprehensive Guide

Introduction:

In the world of web development, building a todo list application is a rite of passage. In this tutorial, we'll take it a step further by integrating TypeScript for type safety and React Query for efficient data management. By the end, you'll have a fully functional todo list application with robust error handling, real-time updates, and type-safe code.

Step 1: Setting Up Your Project

To get started, let's set up a new React project with TypeScript and React Query. We'll use Vite for fast development and a modern build setup.

npm init vite@latest my-todo-list --template react-ts
Enter fullscreen mode Exit fullscreen mode

after that you have to select react as our option here
framework-reactand then we will select typescript + swc (Speedy Web Compiler ) you can discover more details about it through this link https://www.dhiwise.com/post/maximize-performance-how-swc-enhances-vite-and-react
typescriptAfter finishing this you have to change directory to the project created and install dependencies

# Change directory
cd my-todo-list
# install dependencies
npm install
# Install React Query
npm install react-query@latest
Enter fullscreen mode Exit fullscreen mode

Step 2: Configuring ReactQuery within our project

In order to make react query works ensure that you've wrapped your application with QueryClientProvider and provided a QueryClient instance.So your main.tsx file will look like this

import React from "react";
import ReactDOM from "react-dom/client";
import App from "./App.tsx";
import { QueryClient, QueryClientProvider } from "react-query";

const queryClient = new QueryClient();

ReactDOM.createRoot(document.getElementById("root")!).render(
  <React.StrictMode>
    <QueryClientProvider client={queryClient}>
      <App />
    </QueryClientProvider>
  </React.StrictMode>
);
Enter fullscreen mode Exit fullscreen mode

Step 3: Creating the Todo Component

Our first task is crafting a Todo component to showcase individual todo items. Each todo will sport a checkbox for completion tracking and a button to facilitate deletion.
But before that we have to create a new folder called components under src where we will add all of the components that we will be using in this tutorial.

interface TodoProps {
  id: number;
  text: string;
  completed: boolean;
  onDelete: (id: number) => void;
  onCompleteToggle: (id: number) => void;
}
const Todo = ({ id, text, completed, onDelete, onCompleteToggle }: TodoProps) => {
  return (
    <div className={`todo ${completed ? "done" : "in-progress"}`}>
      <div className="todo-actions">
        <input type="checkbox" checked={completed} onChange={() => onCompleteToggle(id)} />
        <button onClick={() => onDelete(id)}>Delete</button>
      </div>

      <div>{text}</div>
    </div>
  );
};

export default Todo;

Enter fullscreen mode Exit fullscreen mode

Step 4: Creating the services file

To fetch todos from an external API, we'll leverage React Query's useQuery hook. This will enable us to efficiently manage data fetching and caching.So to achieve this we will create a folder called Services and add file api.ts that will hold all of our api request functions

// services/todoAPI.ts
const API_URL = "https://dummyjson.com/todos";

export const fetchTodos = async () => {
  const response = await fetch(API_URL);
  return response.json();
};

export const toggleTodoCompletion = async (id: number) => {
  try {
    const response = await fetch(`${API_URL}/${id}`, {
      method: "PATCH",
      headers: {
        "Content-type": "application/json; charset=UTF-8",
      },
      body: JSON.stringify({ completed: true }),
    });

    // Check if the request was not successful
    if (!response.ok) {
      throw new Error(`Failed to toggle completion status. Status: ${response.status}`);
    }

    // Parse response data
    const data = await response.json();

    // Return status and data
    return {
      status: response.status,
      data: data,
    };
  } catch (error) {
    // Handle errors
    console.error("Error toggling completion:", error);
    throw error;
  }
};

// services/todoAPI.ts
export const deleteTodo = async (id: number) => {
  try {
    const response = await fetch(`${API_URL}/${id}`, {
      method: "DELETE",
    });

    // Check if the request was successful
    if (!response.ok) {
      throw new Error(`Failed to delete todo. Status: ${response.status}`);
    }

    // Return status and data
    return {
      status: response.status,
      data: await response.json(),
    };
  } catch (error) {
    // Handle errors
    console.error("Error deleting todo:", error);
    throw error;
  }
};

Enter fullscreen mode Exit fullscreen mode

Step 5: Creating TodoList component

We will implement in this component the required functions to fetch,update & delete data.

We will be using 2 hooks provided by this react query

  • useQuery : A query can be used with any Promise based method (including GET and POST methods) to fetch data from a server.

  • useMutation : If your method modifies data on the server, we recommend using Mutations instead.

We will start with fetching data from Server

const { data, isLoading, isError } = useQuery("todos", fetchTodos, { staleTime: 60000 });
Enter fullscreen mode Exit fullscreen mode

Let's try to decouple this line of code

1. "todos": is the unique identifier of the query , each query should have a unique identifier

2. fetchTodos: is the function that we defined in our api.ts file

// services/api.ts
const API_URL = "https://dummyjson.com/todos";

export const fetchTodos = async () => {
  const response = await fetch(API_URL);
  return response.json();
};
Enter fullscreen mode Exit fullscreen mode

3. staleTime: if you have a list of data that changes infrequently, you could specify a stale time of x seconds. This would mean that React Query would only fetch the data from the server if it has been more than x seconds since the data was last fetched

So after getting data from server we just need to display our list of todos

 const { data, isLoading, isError } = useQuery("todos", fetchTodos, { staleTime: 60000 });
  if (isLoading) return <div>Loading...</div>;
  if (isError) return <div>Error fetching todos</div>;
  return (
    <div className="todo-list">
      {data?.todos.map((obj: TodoType) => (
        <Todo
          key={obj.id}
          id={obj.id}
          completed={obj.completed}
          text={obj.todo}

        />
      ))}
    </div>
  );
};
Enter fullscreen mode Exit fullscreen mode

After getting data from server we will implmenent the delete & update functions

In this function we are going to useMutation hook

 const UpdateTodoStatus = useMutation({
    mutationFn: toggleTodoCompletion,
    onSuccess: (res) => {
      // Invalidate and refetch
      if (res.status === 200) {
        queryClient.invalidateQueries("todos");
      }
    },
  });
Enter fullscreen mode Exit fullscreen mode

The UpdateTodoStatus mutation function is created using the useMutation hook from React Query. This function is responsible for toggling the completion status of a todo item. It takes an object as an argument with two properties:

1. mutationFn: This property specifies the function responsible for performing the mutation, in this case, toggleTodoCompletion. The toggleTodoCompletion function sends a PATCH request to the server to update the completion status of a todo item.

export const toggleTodoCompletion = async (id: number) => {
  try {
    const response = await fetch(`${API_URL}/${id}`, {
      method: "PATCH",
      headers: {
        "Content-type": "application/json; charset=UTF-8",
      },
      body: JSON.stringify({ completed: true }),
    });

    // Check if the request was not successful
    if (!response.ok) {
      throw new Error(`Failed to toggle completion status. Status: ${response.status}`);
    }

    // Parse response data
    const data = await response.json();

    // Return status and data
    return {
      status: response.status,
      data: data,
    };
  } catch (error) {
    // Handle errors
    console.error("Error toggling completion:", error);
    throw error;
  }
};
Enter fullscreen mode Exit fullscreen mode

2. onSuccess: This property defines a callback function that is executed when the mutation is successful. In this callback function, we check if the response status is 200, indicating that the mutation was successful. If the status is 200, we use queryClient.invalidateQueries("todos") to invalidate the "todos" query in the React Query cache. This triggers a refetch of the todos data, ensuring that the UI is updated with the latest changes after toggling the completion status of a todo item.

For the delete it will be similar to update

 const DeleteTodo = useMutation({
    mutationFn: deleteTodo,
    onSuccess: (res) => {
      // Invalidate and refetch
      if (res.status === 200) {
        queryClient.invalidateQueries("todos");
      }
    },
  });
Enter fullscreen mode Exit fullscreen mode
// services/api.ts
export const deleteTodo = async (id: number) => {
  try {
    const response = await fetch(`${API_URL}/${id}`, {
      method: "DELETE",
    });

    // Check if the request was successful
    if (!response.ok) {
      throw new Error(`Failed to delete todo. Status: ${response.status}`);
    }

    // Return status and data
    return {
      status: response.status,
      data: await response.json(),
    };
  } catch (error) {
    // Handle errors
    console.error("Error deleting todo:", error);
    throw error;
  }
};
Enter fullscreen mode Exit fullscreen mode

Note: We are using dummyjson api for getting data so for the deletion and update you wont notice any change on the server side it will be just a simulation
dummyjson.com

Here is the full code of TodoList component

import { QueryClient, useMutation, useQuery } from "react-query";
import Todo from "./Todo";
import { deleteTodo, fetchTodos, toggleTodoCompletion } from "../services/api";
const queryClient = new QueryClient();

interface TodoType {
  id: number;
  todo: string;
  completed: boolean;
}
const TodoList = () => {
  const { data, isLoading, isError } = useQuery("todos", fetchTodos, { staleTime: 60000 });
  // Mutations
  const UpdateTodoStatus = useMutation({
    mutationFn: toggleTodoCompletion,
    onSuccess: (res) => {
      // Invalidate and refetch
      if (res.status === 200) {
        queryClient.invalidateQueries("todos");
      }
    },
  });

  const DeleteTodo = useMutation({
    mutationFn: deleteTodo,
    onSuccess: (res) => {
      // Invalidate and refetch
      if (res.status === 200) {
        queryClient.invalidateQueries("todos");
      }
    },
  });

  if (isLoading) return <div>Loading...</div>;
  if (isError) return <div>Error fetching todos</div>;
  return (
    <div className="todo-list">
      {data?.todos.map((obj: TodoType) => (
        <Todo
          key={obj.id}
          id={obj.id}
          completed={obj.completed}
          text={obj.todo}
          onDelete={(id: number) => DeleteTodo.mutate(id)} // Call handleDeleteTodo
          onCompleteToggle={(id: number) => UpdateTodoStatus.mutate(id)}
        />
      ))}
    </div>
  );
};

TodoList.propTypes = {};

export default TodoList;

Enter fullscreen mode Exit fullscreen mode

Conclusion:
By following this tutorial, We've leveraged React Query to handle data fetching, mutation, and caching, providing a seamless experience for managing todos. With its declarative API and powerful caching capabilities, React Query simplifies state management and data fetching, enabling you to focus on building great user experiences.

To access the full code for this project and explore further, you can find the repository on my: GitHub

Top comments (12)

Collapse
 
j471n profile image
Jatin Sharma

You can use code highlight by using the following syntax:

Image description

which will have the following output:

const name = "John";
Enter fullscreen mode Exit fullscreen mode
Collapse
 
wassim93 profile image
wassim93 • Edited

thank you i was looking for that also but i didnt know how to handle it hahah

Collapse
 
jonrandy profile image
Jon Randy 🎖️

Why the image?

```js
const name = "John";
```

Collapse
 
mattlewandowski93 profile image
Matt Lewandowski

You should add in optimistic updates. An application like a todo app should feel like it’s running locally. You should never have to wait for a loading spinner after creating items.

React-query has great support for this: tanstack.com/query/v4/docs/framewo...

Collapse
 
wassim93 profile image
wassim93 • Edited

Thanks for your feedback 🤗
actuallty i just wanted to explain the basics of react query and their hooks to fetch and to send data i didnt focus on how the application will look like

Collapse
 
mattlewandowski93 profile image
Matt Lewandowski

Fair enough! I just never see it discussed so thought I’d drop the suggestion. Great article though 🙌

Thread Thread
 
wassim93 profile image
wassim93

i will write an article about it next time 🤗🤗 thanks dude

Collapse
 
ozz2018 profile image
Oskar Solano

Could you please publish it for JavaScript? Thanks

Collapse
 
cisc0disco profile image
Josef Malý

man, typescript is goated, just use that. Javascript without typescript is hell

Collapse
 
wassim93 profile image
wassim93 • Edited

you want just the source code ?

Collapse
 
efpage profile image
Eckehard

Can you provide a live version of the result?

Collapse
 
wassim93 profile image
wassim93 • Edited

it would be better if you clone project from respository and run it because this tutorial is just a simulation of data
you wont notice any change after doing the update of delete actions because it wont really be saved on the server side
you just need to check with inspect tab to check if the api request is being triggred succefully or not
you will find the link of repository at the end of the post

For your inquiry here is the link for the live version

Some comments may only be visible to logged-in visitors. Sign in to view all comments.