Getting Started

Build a User Management App with React


This tutorial demonstrates how to build a basic user management app. The app authenticates and identifies the user, stores their profile information in the database, and allows the user to log in, update their profile details, and upload a profile photo. The app uses:

Supabase User Management example

Project setup

Before you start building you need to set up the Database and API. You can do this by starting a new Project in Supabase and then creating a "schema" inside the database.

Create a project

  1. Create a new project in the Supabase Dashboard.
  2. Enter your project details.
  3. Wait for the new database to launch.

Set up the database schema

Now set up the database schema. You can use the "User Management Starter" quickstart in the SQL Editor, or you can copy/paste the SQL from below and run it.

  1. Go to the SQL Editor page in the Dashboard.
  2. Click User Management Starter under the Community > Quickstarts tab.
  3. Click Run.

Get API details

Now that you've created some database tables, you are ready to insert data using the auto-generated API.

To do this, you need to get the Project URL and key. Get the URL from the API settings section of a project and the key from the the API Keys section of a project's Settings page.

Building the app

Let's start building the React app from scratch.

Initialize a React app

We can use Vite to initialize an app called supabase-react:

1
npm create vite@latest supabase-react -- --template react
2
cd supabase-react

Then let's install the only additional dependency: supabase-js.

1
npm install @supabase/supabase-js

And finally, save the environment variables in a .env.local file. All we need are the Project URL and the key that you copied earlier.

1
VITE_SUPABASE_URL=YOUR_SUPABASE_URL
2
VITE_SUPABASE_PUBLISHABLE_KEY=YOUR_SUPABASE_PUBLISHABLE_KEY

Now that we have the API credentials in place, let's create a helper file to initialize the Supabase client. These variables will be exposed on the browser, and that's completely fine since we have Row Level Security enabled on our Database.

Create and edit src/supabaseClient.js:

1
import { createClient } from '@supabase/supabase-js'
2
3
const supabaseUrl = import.meta.env.VITE_SUPABASE_URL
4
const supabasePublishableKey = import.meta.env.VITE_SUPABASE_PUBLISHABLE_KEY
5
6
export const supabase = createClient(supabaseUrl, supabasePublishableKey)

App styling (optional)

An optional step is to update the CSS file src/index.css to make the app look nice. You can find the full contents of this file here.

Set up a login component

Let's set up a React component to manage logins and sign ups. We'll use Magic Links, so users can sign in with their email without using passwords.

Create and edit src/Auth.jsx:

1
import { useState } from 'react'
2
import { supabase } from './supabaseClient'
3
4
export default function Auth() {
5
const [loading, setLoading] = useState(false)
6
const [email, setEmail] = useState('')
7
8
const handleLogin = async (event) => {
9
event.preventDefault()
10
11
setLoading(true)
12
const { error } = await supabase.auth.signInWithOtp({ email })
13
14
if (error) {
15
alert(error.error_description || error.message)
16
} else {
17
alert('Check your email for the login link!')
18
}
19
setLoading(false)
20
}
21
22
return (
23
<div className="row flex flex-center">
24
<div className="col-6 form-widget">
25
<h1 className="header">Supabase + React</h1>
26
<p className="description">Sign in via magic link with your email below</p>
27
<form className="form-widget" onSubmit={handleLogin}>
28
<div>
29
<input
30
className="inputField"
31
type="email"
32
placeholder="Your email"
33
value={email}
34
required={true}
35
onChange={(e) => setEmail(e.target.value)}
36
/>
37
</div>
38
<div>
39
<button className={'button block'} disabled={loading}>
40
{loading ? <span>Loading</span> : <span>Send magic link</span>}
41
</button>
42
</div>
43
</form>
44
</div>
45
</div>
46
)
47
}

Account page

After a user is signed in we can allow them to edit their profile details and manage their account.

Let's create a new component for that called src/Account.jsx.

1
import { useState, useEffect } from 'react'
2
import { supabase } from './supabaseClient'
3
4
export default function Account({ session }) {
5
const [loading, setLoading] = useState(true)
6
const [username, setUsername] = useState(null)
7
const [website, setWebsite] = useState(null)
8
const [avatar_url, setAvatarUrl] = useState(null)
9
10
useEffect(() => {
11
let ignore = false
12
async function getProfile() {
13
setLoading(true)
14
const { user } = session
15
16
const { data, error } = await supabase
17
.from('profiles')
18
.select(`username, website, avatar_url`)
19
.eq('id', user.id)
20
.single()
21
22
if (!ignore) {
23
if (error) {
24
console.warn(error)
25
} else if (data) {
26
setUsername(data.username)
27
setWebsite(data.website)
28
setAvatarUrl(data.avatar_url)
29
}
30
}
31
32
setLoading(false)
33
}
34
35
getProfile()
36
37
return () => {
38
ignore = true
39
}
40
}, [session])
41
42
async function updateProfile(event, avatarUrl) {
43
event.preventDefault()
44
45
setLoading(true)
46
const { user } = session
47
48
const updates = {
49
id: user.id,
50
username,
51
website,
52
avatar_url: avatarUrl,
53
updated_at: new Date(),
54
}
55
56
const { error } = await supabase.from('profiles').upsert(updates)
57
58
if (error) {
59
alert(error.message)
60
} else {
61
setAvatarUrl(avatarUrl)
62
}
63
setLoading(false)
64
}
65
66
return (
67
<form onSubmit={updateProfile} className="form-widget">
68
<div>
69
<label htmlFor="email">Email</label>
70
<input id="email" type="text" value={session.user.email} disabled />
71
</div>
72
<div>
73
<label htmlFor="username">Name</label>
74
<input
75
id="username"
76
type="text"
77
required
78
value={username || ''}
79
onChange={(e) => setUsername(e.target.value)}
80
/>
81
</div>
82
<div>
83
<label htmlFor="website">Website</label>
84
<input
85
id="website"
86
type="url"
87
value={website || ''}
88
onChange={(e) => setWebsite(e.target.value)}
89
/>
90
</div>
91
92
<div>
93
<button className="button block primary" type="submit" disabled={loading}>
94
{loading ? 'Loading ...' : 'Update'}
95
</button>
96
</div>
97
98
<div>
99
<button className="button block" type="button" onClick={() => supabase.auth.signOut()}>
100
Sign Out
101
</button>
102
</div>
103
</form>
104
)
105
}

Launch!

Now that we have all the components in place, let's update src/App.jsx:

1
import './App.css'
2
import { useState, useEffect } from 'react'
3
import { supabase } from './supabaseClient'
4
import Auth from './Auth'
5
import Account from './Account'
6
7
function App() {
8
const [session, setSession] = useState(null)
9
10
useEffect(() => {
11
supabase.auth.getSession().then(({ data: { session } }) => {
12
setSession(session)
13
})
14
15
supabase.auth.onAuthStateChange((_event, session) => {
16
setSession(session)
17
})
18
}, [])
19
20
return (
21
<div className="container" style={{ padding: '50px 0 100px 0' }}>
22
{!session ? <Auth /> : <Account key={session.user.id} session={session} />}
23
</div>
24
)
25
}
26
27
export default App

Once that's done, run this in a terminal window:

1
npm run dev

And then open the browser to localhost:5173 and you should see the completed app.

Supabase React

Bonus: Profile photos

Every Supabase project is configured with Storage for managing large files like photos and videos.

Create an upload widget

Let's create an avatar for the user so that they can upload a profile photo. We can start by creating a new component:

Create and edit src/Avatar.jsx:

1
import { useEffect, useState } from 'react'
2
import { supabase } from './supabaseClient'
3
4
export default function Avatar({ url, size, onUpload }) {
5
const [avatarUrl, setAvatarUrl] = useState(null)
6
const [uploading, setUploading] = useState(false)
7
8
useEffect(() => {
9
if (url) downloadImage(url)
10
}, [url])
11
12
async function downloadImage(path) {
13
try {
14
const { data, error } = await supabase.storage.from('avatars').download(path)
15
if (error) {
16
throw error
17
}
18
const url = URL.createObjectURL(data)
19
setAvatarUrl(url)
20
} catch (error) {
21
console.log('Error downloading image: ', error.message)
22
}
23
}
24
25
async function uploadAvatar(event) {
26
try {
27
setUploading(true)
28
29
if (!event.target.files || event.target.files.length === 0) {
30
throw new Error('You must select an image to upload.')
31
}
32
33
const file = event.target.files[0]
34
const fileExt = file.name.split('.').pop()
35
const fileName = `${Math.random()}.${fileExt}`
36
const filePath = `${fileName}`
37
38
const { error: uploadError } = await supabase.storage.from('avatars').upload(filePath, file)
39
40
if (uploadError) {
41
throw uploadError
42
}
43
44
onUpload(event, filePath)
45
} catch (error) {
46
alert(error.message)
47
} finally {
48
setUploading(false)
49
}
50
}
51
52
return (
53
<div>
54
{avatarUrl ? (
55
<img
56
src={avatarUrl}
57
alt="Avatar"
58
className="avatar image"
59
style={{ height: size, width: size }}
60
/>
61
) : (
62
<div className="avatar no-image" style={{ height: size, width: size }} />
63
)}
64
<div style={{ width: size }}>
65
<label className="button primary block" htmlFor="single">
66
{uploading ? 'Uploading ...' : 'Upload'}
67
</label>
68
<input
69
style={{
70
visibility: 'hidden',
71
position: 'absolute',
72
}}
73
type="file"
74
id="single"
75
accept="image/*"
76
onChange={uploadAvatar}
77
disabled={uploading}
78
/>
79
</div>
80
</div>
81
)
82
}

Add the new widget

And then we can add the widget to the Account page at src/Account.jsx:

1
// Import the new component
2
import Avatar from './Avatar'
3
4
// ...
5
6
return (
7
<form onSubmit={updateProfile} className="form-widget">
8
{/* Add to the body */}
9
<Avatar
10
url={avatar_url}
11
size={150}
12
onUpload={(event, url) => {
13
updateProfile(event, url)
14
}}
15
/>
16
{/* ... */}
17
</form>
18
)

At this stage you have a fully functional application!