DEV Community

Cover image for Building an entire fullstack project with Firebase 10 and React (Vite)
Tulsi Prasad
Tulsi Prasad

Posted on

Building an entire fullstack project with Firebase 10 and React (Vite)

Firebase is a BAAS (backend as a service) solution that drives the modern web. The most exciting part of it is you don’t need to configure any server running some server side code, as its all managed by Firebase.

However it’s setup can be time consuming and takes a good amount of to and fro around the documentation. This is why I decided to write this, to make it as a reference for using basic features like authentication, hosting and firestore operations (CRUD) to do in firebase/firestore.

Note

Recently, firebase shifted its SDKs to a new modular approach with the launch of Firebase v9. It brings features like reduced SDK size and greater efficiency with modern JS build tools to optimize your apps (using tree-shaking etc). So we’ll be using it’s new Web Modular API.

Table of Contents

  • Getting Started
  • Setting up Firebase
  • Setting up the starter files
  • Understanding the starter files
  • Authentication in Firebase
  • Working with Data
  • Deploying our project
  • Conclusion

1️⃣ Getting Started

We’re going to make a fullstack modern todo-list using firebase, react and tailwind stack. I know you’re like, why yet another todolist. But hear me out, we’re not learning how to build a todolist here, we’re here to know about how firebase basic functionailities work so that we can build our cool apps with it.

Here's the link to final repository if you want to play around.

GitHub logo heytulsiprasad / modern-todolist-v1

Starter files for blog on using Firebase 10, Firestore and React in Vite

React + Vite + Firebase 10

This template provides a minimal setup to get React working in Vite and Firebase 10 and Firestore for authentication and real-time database usage.




2️⃣ Setting up Firebase

You can skip to the next section if you know how to setup firebase proejcts already.

Go to Firebase dashboard and after logging in you can click on start a new project.

firebase dashboard

After giving your project a name, click on continue.

create project

In the next screen, disable Google Analytics as we’re just doing this for learning purposes and then click on Create Project. It might take upto ~1 min to create the project, once its done click continue and you can see the dashboard of your firebase console.

firebase dashboard 2

In above dashboard, click on settings (gear icon) → project settings and then click on the code icon in your apps section. It’ll create a web project inside firebase for us.

firebase project settings

Once you’re done with that, you’ll see the below screen and after you enter your app nickname, click on register app. No need of setting up firebase hosting now, as you can host it anywhere or set up at firebase later too.

create firebase app

After you register the app you’ll see where these code snippets, which basically are the instructions on how to install firebase in your project. You can copy the firebase config code and paste it somewhere or come back to it later when we’ll install firebase in our app.

get firebase config

Later click on continue to console. You can see your web app is created now and it’s listed inside your apps section. Awesome, we’ve done the setup inside firebase, lets setup our repository now.

3️⃣ Setting up the starter files

We’re going to be using Vite for development with React. It is a performace based build tool that provides a faster development experience. That’s what I love about it, it’s super duper fast and supports very fast hot module replacement (HMR).

All you have to do is run:

git clone https://github.com/heytulsiprasad/modern-todolist-v1.git
Enter fullscreen mode Exit fullscreen mode

Once the repo is cloned, just run npm install inside the directory. Now you can access the project pretty much by, npm run dev. But you have to replace firebaseConfig in config/firebase.js with your own firebase config which we got from the web.

If you don’t find it, go to Firebase dashboard → project settings → your apps.

Now firebase is successfully added into our project and we can start building our cool features! 💃

Note: You can checkout to final branch later for the final version of the code.

4️⃣ Understanding the starter files

In order to save our precious time, we’re not going to code the entire application from scratch, as we’re just here to expand our knowledge on how to interact with our data using Firestore. It has high scalability, advanced query capabilities and real-time updates.

The project is build using several ready made components available within, Mantine. It’s a fully featured React components library. However some places still use some custom CSS-in-JS so we used some good ol’ styled components.

If you check inside, App.jsx we’re storing the user auth in local state of App component. You wouldn’t want something like this in your production though, as now we have various state management libraries for easy stage management, but as we’re just to learn we kinda go with local state.

todo app homescreen

The tabs in Home page, is actually Tabs component from mantine. It’s really easy to setup and just check out their docs if you need any help.

One last thing before we chunk out code

  1. We need to activate authentication from firebase.
  2. So go inside dashboard → click on authentication from sidebar and press Get Started

firebase authentication dashboard

  1. We need to set up a sign in method in order to authenticate our user, so press on Set up sign-in method and click Add new provider.
  2. Let’s choose Google provider for now, as its the most easiest to setup.

5️⃣ Authentication in Firebase

As you can see there’s an Avatar component in the Navbar, so let’s authenticate our user when he/she clicks on the Avatar component. To start with we’re only going to keep authentication using Google. However, feel free to add more options.

Now, let’s add a handleAuthentication callback to run when the user presses Avatar. As you can see in the below code, it’ll by default log in using Google. Here we’re using signInWithPopup action to authenticate the user.

const Navbar = ({ isAuth, setIsAuth, profile, setProfile }) => {

  const handleAuthentication = async () => {
    console.log("Authenticating user")

    const provider = new GoogleAuthProvider();

    try {
      const result = await signInWithPopup(auth, provider)
      const user = result.user;

      // Set to state
      setIsAuth(true);
      setProfile(user.providerData[0]);
    } catch (err) {
      console.error(err);
    }

  }

  return (
    <StyledNav>
      <h1>#modern todolist</h1>
      <div className="profile">
        <Avatar onClick={handleAuthentication} radius="md" src={profile.photoURL} />
      </div>
    </StyledNav>
  );
};
Enter fullscreen mode Exit fullscreen mode

💡 Note: If you’re using any domains other than localhost to run the website, then upon authentication you’ll get an (auth/unauthorized-domain) error. To fix this you need to add your domain inside authorized domains.

Go to authentication → Settings → Authorized domains → Add domain

Now we’ll be able to login using any google account. Let’s code the sign out flow.

As we have a state called, isAuth so depending upon if its true we can log out user or else login user, on the same button click.

const Navbar = ({ isAuth, setIsAuth, profile, setProfile }) => {
  const handleAuthentication = async () => {...}

  const handleLogout = async () => {
    // Sign out user if authenticated
    console.log("Logging out user")

    try {
      await signOut(auth);

      // Clear state
      setIsAuth(false);
      setProfile({});
    } catch (err) {
      console.error(err);
    }
  }

  return (
    <StyledNav>
      <h1>#modern todolist</h1>
      <div className="profile">
        <Avatar onClick={isAuth ? handleLogout : handleAuthentication} radius="md" src={profile.photoURL} />
      </div>
    </StyledNav>
  );
};
Enter fullscreen mode Exit fullscreen mode

This will logout user when they’re logged in and log in the user when they’re logged out.

modern todolist homescreen

If you did the above steps correctly, you’ll be able to see the profile picture of the logged in user in our Avatar section as shown above.

6️⃣ Working with data

As we’re done with auth now, we can start adding todos for each user. We’ll be using Firestore SDK for this purpose and we’ll go over the most used CRUD operations so it’ll be easy for us to refer to it back when you’re doing something big.

Before adding our data, we should know:

  • Firestore stores all data in a NoSQL manner, inside collections and documents.
  • Documents are the smallest unit of storage, each document is known by an id. Documents are very light weight JSON-like records, they’re not exactly JSON but support few more types of data like nested arrays, geo points, server timestamps etc!
  • They can collect upto 1MB data max.
  • Collections are the container of documents, we can have basically infinite number of documents inside each collection.
  • Collections can be also made within documents, they’d be then called sub collection. They can also store infinite sub documents.
  • If we delete all documents inside a collection, the collection deletes itself.

1. Creation of todos

In our app, we’re going to store multiple todos for each user. So the schema would be like, users/{userId}/todos/{todoId}. Here, users is the collection and {userId} is the id of the document. todos is the sub collection and {todoId} is the id of sub document.

We can add documents into firestore in two types:

  1. Using setDoc
  2. Using addDoc

We use setDoc when we want to give our document a specific id.

import { doc, setDoc } from "firebase/firestore"; 

// Add a new document in collection "companies"
await setDoc(doc(db, "companies", "google"), {
  name: "Google",
  state: "Bengaluru",
  country: "India"
});
Enter fullscreen mode Exit fullscreen mode

But what if we don’t want to take the hassle of giving an id to our document everytime, thus we can let firestore auto generate an id for us.

import { collection, addDoc } from "firebase/firestore"; 

// Add a new document in collection "companies"
let companyRef = await addDoc(collection(db, "companies"), {
  name: "Google",
  state: "Bengaluru",
  country: "India"
});

// companyRef.id = auto generated id
Enter fullscreen mode Exit fullscreen mode

Let’s create the todos in our app then. We’ve an Input component that handles the new todo entries by user, so we’re going to add this handler in order to add new todos.

// src/components/Input/index.js

const handleInput = () => {
    // Add todo to database
      const todosRef = collection(db, "users", uid, "todos");
      const todoRef = await addDoc(todosRef, {
        completed: false,
        title: value,
        createdAt: serverTimestamp()
      });

      setValue(""); // updates state

      console.log(`Todo created with id: ${todoRef.id}`);
    }
}
Enter fullscreen mode Exit fullscreen mode

In above code, we’re first making a reference to todos collection, then using addDoc we’re passing that reference and an object of new data that we’ve to add, then firebase creates a new document for us.

This is how todos are created.

2. Read all todos

Now in order to display all todos inside each tabs, we need to read all documents from firestore. How do we do that?

We can do that either by fetching all documents once or subscribing to entire todos collection. So that our todos gets updated automatically if new todos gets created/updated/deleted. We’ll go over both of these ways separately.

  1. Read all documents once
async function fetchAllDocuments(uid) {
    const allTodos = [];    
    const todosRef = collection(db, "users", uid, "todos");

    const todosSnapshot = await getDocs(todosRef)
    todosSnapshot.forEach((doc) => {
        allTodos.push({
            id: doc.id,
            ...doc.data()
        })      
    })

    return allTodos;
}
Enter fullscreen mode Exit fullscreen mode

The above function calls the function for once, we can put it inside our useEffect in order for it to run everytime the component is mounted. However this gets the data one time, if we update/delete or create a new todo, it doesn’t update the list again. For that we need to subscribe to a collection.

  1. Subscribe to entire collection
useEffect(() => {
    if (uid) {
      const todosRef = collection(db, "users", uid, "todos");

      const unsubscribe = onSnapshot(todosRef, (querySnapshot) => {
        const allTodos = [];

        querySnapshot.forEach((doc) => {
          allTodos.push({
            id: doc.id,
            ...doc.data()
          })
        })

        setTodos(allTodos);
      })

      return () => {
        unsubscribe(); // when component unmounts
      }
    }
  }, [show])
Enter fullscreen mode Exit fullscreen mode

This is very fast in nature and updates the todos if there’s any change in data. It can also listen for local changes itself, which means even before writing to the backend it’ll notify us about the new data. This is called, latency compensation.

For this we just pass a query inside an onSnapshot function and it takes care of the rest. As this subscription listens forever for new changes, we have to remove them so that our callback functions won’t be called anymore. We can do that calling unsubscribe on unmount, as shown above.

3. Update todos

We also need the ability to update our todos right? Like as you can see while creating the todos we had a completed property which showed if a todo is completed or not. Hence, we use updateDoc function to update documents. Here is an example.

const handleToggleComplete = async (todoId, status) => {
  const todoRef = doc(db, "users", uid, "todos", todoId);

  await updateDoc(todoRef, {
    completed: !!status // smart way of converting any type to type Boolean
  })
}
Enter fullscreen mode Exit fullscreen mode

As we’ve used onSnapshot to subscribe to our todos collection, we don’t need to refetch the latest documents after update, it’ll sync itself.

modern todoist completed

You also get cool ready made methods to update specific types of data such as:

  1. In nested arrays: arrayRemove and arrayUnion
  2. In numbers: increment()
  3. In nested objects: dot notation (parent.child)

Refer original documentation for more examples on different languages too.

4. Delete todos

Finally, we need the ability to delete todos. This is very simple, we just need to take reference over a todo document and use deleteDoc method to delete it.

const handleDelete = async (todoId) => {
    const todoRef = doc(db, "users", uid, "todos", todoId);
    await deleteDoc(todoRef);
}
Enter fullscreen mode Exit fullscreen mode

Note on delete:

  1. Deleting a document doesn’t delete it’s subcollection. So if you want it’s subcollections to also be deleted you need to manually do that by iteration.
  2. You can delete a particular field inside an document, by using deleteField()
import { doc, updateDoc, deleteField } from "firebase/firestore";

const todoRef = doc(db, "users", uid, "todos", todoId);

// Remove the 'capital' field from the document
await updateDoc(todoRef, {
    completed: deleteField()
});
Enter fullscreen mode Exit fullscreen mode
  1. You should not delete entire collections from the web client. It’s not as per practice and also your app can get very slow from out-of-memory errors as you need to load all documents.

7️⃣ Deploying our project

Nowadays you can deploy your client side web apps almost anywhere for free, like Netlify, Vercel or Surge or even Firebase hosting. However as we’re using Firebase in this tutorial, let’s explore deploying with firebase as well.

Go to hosting.

firebase hosting dashboard

Steps to host your website:

  1. Install firebase tools (npm install -g firebase-tools)
  2. Initialize your project
    1. firebase login
    2. firebase init

firebase command line

  1. From features list, we need to choose: Hosting: Configure files for Firebase Hosting
  2. What do you want to use as your public directory: dist
  3. Configure as a single page app (rewrite all urls to index.html): yes
  4. Setup automatic deployments to Github: no
  5. File dist/index.html exists, overwrite? Yes
  6. Deploy complete ✅

deploy complete to firebase hosting

Our web app is hosted on: https://modern-todolist.web.app 🚀

🍞 Summary (TLDR)

  • Firebase provides all types of solutions for making fullstack projects like authentication, databases (firestore and realtime), hosting etc.
  • Firestore is very good for scalability, realtime data syncronisation and advanced querying support. We’re using firestore in this project to make our fullstack app.
  • In firestore we’ve certain ways of interacting with data.
    • To read any data, create a reference to it first. Use methods like collection() or doc() to do the same.
    • Then to create documents use setDoc() or addDoc() and to modify/update data use updateDoc() . To delete doc we use deleteDoc().
    • To read all the docs from a collection, pass reference to collection to getDocs() and to read a single doc use getDoc() method.
    • We can also subscribe to a collection or document changes, by using onSnapshot() and passing reference to it.
    • Use query() to query over data source and use above methods to read data.
  • Deployment is also easily done by firebase hosting (refer above steps).

8️⃣ Conclusion

Basically today we’ve played around with all types of data in firestore, with this knowledge you can build fullstack data centric applications from scratch using just firebase tools. Earlier if your project grows you needed to scale your servers and all manually but with firebase it all happens seamlessly. You can take up it’s blaze plan (pay as you go) which is also very cheap.

Really excited to see what cool stuff you’re building with it. Let me know in comments down below. 😼

I’m @thebuildguy on Twitter, shoot me a DM if you’ve got any questions! 👋

Top comments (10)

Collapse
 
tylim88 profile image
Acid Coder • Edited

is this article 2 years late?

Collapse
 
thebuildguy profile image
Tulsi Prasad

Yeah, I wish something like this existed while learning myself.

Collapse
 
tylim88 profile image
Acid Coder • Edited

Image description

Image description

Thread Thread
 
thebuildguy profile image
Tulsi Prasad

You're right, the most recent version of it is 10.4.0, but the crust of the changes ie the web modular API remains the same since version 9. Thanks for pointing it out, I'll mention it in the blog.

Collapse
 
davboy profile image
Daithi O’Baoill

Thanks 👍

Collapse
 
thebuildguy profile image
Tulsi Prasad

Glad you liked it! 🙌

Collapse
 
alexr profile image
Alex (The Engineering Bolt) ⚡

This is a great tutorial. Thanks for sharing!

Collapse
 
thebuildguy profile image
Tulsi Prasad

Means a lot, Alex!

Let me know what you want to read next! 🙌

Collapse
 
yogini16 profile image
yogini16

Great article.
Thank you for sharing.
Nice step by step explanation

Collapse
 
thebuildguy profile image
Tulsi Prasad • Edited

Wow, that means a lot. Glad you liked it! ✌️