DEV Community

Cover image for Authenticate your React App with Supabase
Arindam Majumder
Arindam Majumder

Posted on • Originally published at arindam1729.hashnode.dev

Authenticate your React App with Supabase

Introduction

User authentication is a crucial aspect of modern web applications. Implementing user authentication can be complex and time-consuming, especially when developing an application from scratch, That's where different service providers like Supabase come in to make our work easy.

In this article, We'll explore How to implement User Authentication using Supabase in our React App.

So, Without delaying further, Let's Start!

What is Supabase?

First, Let's understand what's Supabse!

Supabase is an Open Source Alternative to Firebase. It offers a hosted Postgres database, authentication and authorization, auto-generated APIs, functions, file storage, and an AI and Vector/Embeddings Toolkit.

And I really like that We can self-host it on our own server or a cloud provider.

Project Setup:

To set up our project, First, we have to sign up in Supabase.

After Signing up we will get this kind of Dashboard:

Then We'll have to choose our Organisation's name under which we'll add our projects! In this case, I'm giving it as "Arindam's Org", You can give anything you want!

After that, we have to give our Project name and choose our Region! I have chosen Mumbai, You can choose your nearby region!

πŸ’‘
Don't forget to Copy the Database password in your Clipboard. This password is actually the password for our database, specifically for the postgres user.

Then We'll Click "Create Project," and Supabase will set up our project on the server.

The setup is now complete, we'll gain access to the various features on the left-hand side of our dashboard.

Auth Implementation:

On the Left of our Dashboard, We'll find the Authentication Tab like this:

After clicking the authentication Tab we'll find a table listing all registered users. It displays information such as email, phone, provider, creation date, and user ID.

Now the Table is Empty as we don't have any users! But Don't Worry we'll add some users after implementing the Auth. So Stay Tuned!

Inviting Users:

We can add users by inviting them as well. Supabase offers a seamless method for inviting users to join our application.

All we have to do is to add the email of the potential user and after that, Supabase will send one mail with an invitation link to that user. When the user clicks the link he/she will be redirected to our application. Quite Easy! Isn't it?

Integrating Auth into Front-End:

Here Comes the Interesting part! We'll integrate Supabase into our React Project.

First, We'll Create our React Project.

Then We'll install the Supabase libraries. Mainly we'll be using the React-auth-ui to skip the designing part of the project. use the following command for that:

npm install @supabase/supabase-js @supabase/auth-ui-react @supabase/auth-ui-shared
Enter fullscreen mode Exit fullscreen mode

So we have installed all the required libraries!

Now we'll add the Auth component that Supabase provides us! To do so add the following code in the file you want to add the auth :

import { createClient } from '@supabase/supabase-js'
import { Auth } from '@supabase/auth-ui-react'

const supabase = createClient('<INSERT PROJECT URL>', '<INSERT PROJECT ANON API KEY>')

const App = () => <Auth supabaseClient={supabase} />
export default App;
Enter fullscreen mode Exit fullscreen mode

Here We have to add the project URL and the Anon API key! You'll Get that key Here.

After adding those URLs let's see How it looks! It looks like this:

Bit weird right? That's because we haven't added the styling yet! To add those we have to add the predefined theme. So we'll import the predefined theme and add that to the Auth component.

import { createClient } from "@supabase/supabase-js";
import { Auth } from "@supabase/auth-ui-react";
import { ThemeSupa } from "@supabase/auth-ui-shared";

const supabase = createClient('<INSERT PROJECT URL>', '<INSERT PROJECT ANON API KEY>')

const App = () => (
  <Auth appearance={{ theme: ThemeSupa }} supabaseClient={supabase} />
);

export default App;
Enter fullscreen mode Exit fullscreen mode

After adding the styles, It looks like this:

You can customise your UI accordingly. For that check this.

But we haven't added any functionality to it yet! We'll add that now. We'll use the useEffect hook to manage the authentication state of a user within our web application.

  const [session, setSession] = useState(null);
  useEffect(() => {
    supabase.auth.getSession().then(({ data: { session } }) => {
      setSession(session);
    });
  }, []);
Enter fullscreen mode Exit fullscreen mode

Here we are fetching the current user's session using supabase.auth.getSession() function and after getting the status, we are updating session state using setSession().

const [session, setSession] = useState(null);

  useEffect(() => {
    supabase.auth.getSession().then(({ data: { session } }) => {
      setSession(session);
    });

    const {
      data: { subscription },
    } = supabase.auth.onAuthStateChange((_event, session) => {
      setSession(session);
    });

    return () => subscription.unsubscribe();
  }, []);
Enter fullscreen mode Exit fullscreen mode

Then We are setting up an event listener supabase.auth.onAuthStateChange() to monitor Auth state changes. So, When the auth state changes (for example, when a user logs in or out) the callback function starts executing.

In this case, the callback function updates the session information using setSession() . So, whenever a user logs in or out, the session data in the component's state is refreshed to reflect the updated authentication status.

if (!session) {
    return (
      <>
        <Auth supabaseClient={supabase} appearance={{ theme: ThemeSupa }} />
      </>
    );
  } else {
    return <div>User Logged in!</div>;
  }
Enter fullscreen mode Exit fullscreen mode

After managing auth states, we will conditionally render different components according to the auth state of the user. If there is no session (user is not authenticated) we'll render the Auth page otherwise we'll show that the User is Logged In.

Now the code looks like:

import { useState, useEffect } from "react";
import { createClient } from "@supabase/supabase-js";
import { Auth } from "@supabase/auth-ui-react";
import { ThemeSupa } from "@supabase/auth-ui-shared";

const supabase = createClient('<INSERT PROJECT URL>', '<INSERT PROJECT ANON API KEY>')

const App = () => {
  const [session, setSession] = useState(null);

  useEffect(() => {
    supabase.auth.getSession().then(({ data: { session } }) => {
      setSession(session);
    });

    const {
      data: { subscription },
    } = supabase.auth.onAuthStateChange((_event, session) => {
      setSession(session);
    });

    return () => subscription.unsubscribe();
  }, []);

  if (!session) {
    return (
      <>
        <Auth supabaseClient={supabase} appearance={{ theme: ThemeSupa }} />
      </>
    );
  } else {
    return <div>User Logged in!</div>;
  }
};

export default App;
Enter fullscreen mode Exit fullscreen mode

Let's see if it works or not! I have given one email to try and guess what? it's working!

Also, the Logged page is rendered! Great Work! You can also check the Dashboard to confirm it:

Sign out:

So far, We have added Sign-in/Log-in Functions. Now it's time to add the logout/sign-out function.

Don't worry it's pretty easy!

We'll add an Async function and one button to trigger that event.

async function signOut() {
      const { error } = await supabase.auth.signOut();
      console.log(error);
}

// Add this in the Logged in page
<button
  onClick={() => {
    signOut();
  }}
>
  sign out
</button>;
Enter fullscreen mode Exit fullscreen mode

And This works perfectly!

Sign in with using OAuth:

Supabase supports a suite of social providers which makes the sign-in process seamless.

For this example, we'll be using GitHub Auth. For that, we have to activate the GitHub Auth provider from the Auth dashboard.

So for that, we need a few details that we'll get from the GitHub OAuth Page. There we have to Register a new App to get the required details. To register our app we'll need our callback URL, It looks like this: https://<project-ref>.supabase.co/auth/v1/callback . After that, we'll enable our GitHub Auth.

To add the GitHub Auth functionality to our project we have to add the following code:

async function signInWithGitHub() {
    const { data, error } = await supabase.auth.signInWithOAuth({
      provider: "github",
    });
}
Enter fullscreen mode Exit fullscreen mode

Now Let's see if it works or not!

Yay! It's working! Now it will also be reflected in the dashboard:

In the same way, you can add the other auth providers!

Finally:

In the end, the code looks like this:

// import "./index.css";
import { useState, useEffect } from "react";
import { createClient } from "@supabase/supabase-js";
import { Auth } from "@supabase/auth-ui-react";
import { ThemeSupa } from "@supabase/auth-ui-shared";

const supabase = createClient('<INSERT PROJECT URL>', '<INSERT PROJECT ANON API KEY>')

const App = () => {
  const [session, setSession] = useState(null);
  async function signOut() {
    const { error } = await supabase.auth.signOut();
    console.log(error);
  }
  async function signInWithGitHub() {
    const { data, error } = await supabase.auth.signInWithOAuth({
      provider: "github",
    });
  }

  useEffect(() => {
    supabase.auth.getSession().then(({ data: { session } }) => {
      setSession(session);
    });

    const {
      data: { subscription },
    } = supabase.auth.onAuthStateChange((_event, session) => {
      setSession(session);
    });

    return () => subscription.unsubscribe();
  }, []);

  if (!session) {
    return (
      <>
        <Auth supabaseClient={supabase} appearance={{ theme: ThemeSupa }} />
      </>
    );
  } else {
    return (
      <div>
        <h1>User Logged in!</h1>{" "}
        <button
          onClick={() => {
            signOut();
          }}
        >
          sign out
        </button>
      </div>
    );
  }
};

export default App;
Enter fullscreen mode Exit fullscreen mode

Conclusion

If you found this blog post helpful, please consider sharing it with others who might benefit. You can also follow me for more content on Javascript, React, and other web development topics.

To sponsor my work, please visit: Arindam's Sponsor Page and explore the various sponsorship options.

Connect with me on Twitter, LinkedIn, Youtube and GitHub.

Thank you for Reading :)

Top comments (1)

Collapse
 
stephengade profile image
Stephen Gbolagade

Hi, nice post here.

But what if I need to collect more than email and password when signing up?

For instance, I want user to sign up with name, username, email, phone number, business type.

How can I tie all these data to the respective user?