Getting Started

Build a User Management App with SolidJS


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 from the project Connect dialog.

Read the API keys docs for a full explanation of all key types and their uses.

Building the app#

Start building the SolidJS app from scratch.

Initialize a SolidJS app#

You can use degit to initialize an app called supabase-solid:

1
npx degit solidjs/templates/ts supabase-solid
2
cd supabase-solid

Then install the only additional dependency: supabase-js

1
npm install @supabase/supabase-js

And finally save the environment variables in a .env with the API URL and the key that you copied earlier.

1
VITE_SUPABASE_URL=https://your-project-ref.supabase.co
2
VITE_SUPABASE_PUBLISHABLE_KEY=your-publishable-key
View source

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

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

App styling (optional)#

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

Set up a login component#

Set up a SolidJS component to manage logins and sign ups using Magic Links, so users can sign in with their email without using passwords.

1
import { Component, createSignal } from 'solid-js'
2
import { supabase } from './supabaseClient'
3
4
const Auth: Component = () => {
5
const [loading, setLoading] = createSignal(false)
6
const [email, setEmail] = createSignal('')
7
8
const handleLogin = async (e: SubmitEvent) => {
9
e.preventDefault()
10
11
try {
12
setLoading(true)
13
const { error } = await supabase.auth.signInWithOtp({ email: email() })
14
if (error) throw error
15
alert('Check your email for the login link!')
16
} catch (error) {
17
if (error instanceof Error) {
18
alert(error.message)
19
}
20
} finally {
21
setLoading(false)
22
}
23
}
24
25
return (
26
<div class="row flex-center flex">
27
<div class="col-6 form-widget" aria-live="polite">
28
<h1 class="header">Supabase + SolidJS</h1>
29
<p class="description">Sign in via magic link with your email below</p>
30
<form class="form-widget" onSubmit={handleLogin}>
31
<div>
32
<label for="email">Email</label>
33
<input
34
id="email"
35
class="inputField"
36
type="email"
37
placeholder="Your email"
38
value={email()}
39
onChange={(e) => setEmail(e.currentTarget.value)}
40
/>
41
</div>
42
<div>
43
<button type="submit" class="button block" aria-live="polite">
44
{loading() ? <span>Loading</span> : <span>Send magic link</span>}
45
</button>
46
</div>
47
</form>
48
</div>
49
</div>
50
)
51
}
52
53
export default Auth
View source

Account page#

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

Create a new component for that called Account.tsx.

1
import { Component, createEffect, createSignal } from 'solid-js'
2
3
// ...
4
5
import { supabase } from './supabaseClient'
6
7
interface Props {
8
userId: string
9
userEmail: string | null
10
}
11
12
const Account: Component<Props> = ({ userId, userEmail }) => {
13
const [loading, setLoading] = createSignal(true)
14
const [username, setUsername] = createSignal<string | null>(null)
15
const [website, setWebsite] = createSignal<string | null>(null)
16
const [avatarUrl, setAvatarUrl] = createSignal<string | null>(null)
17
18
createEffect(() => {
19
getProfile()
20
})
21
22
const getProfile = async () => {
23
try {
24
setLoading(true)
25
26
let { data, error, status } = await supabase
27
.from('profiles')
28
.select(`username, website, avatar_url`)
29
.eq('id', userId)
30
.single()
31
32
if (error && status !== 406) {
33
throw error
34
}
35
36
if (data) {
37
setUsername(data.username)
38
setWebsite(data.website)
39
setAvatarUrl(data.avatar_url)
40
}
41
} catch (error) {
42
if (error instanceof Error) {
43
alert(error.message)
44
}
45
} finally {
46
setLoading(false)
47
}
48
}
49
50
const updateProfile = async (e: Event) => {
51
e.preventDefault()
52
53
try {
54
setLoading(true)
55
56
const updates = {
57
id: userId,
58
username: username(),
59
website: website(),
60
avatar_url: avatarUrl(),
61
updated_at: new Date().toISOString(),
62
}
63
64
let { error } = await supabase.from('profiles').upsert(updates)
65
66
if (error) {
67
throw error
68
}
69
} catch (error) {
70
if (error instanceof Error) {
71
alert(error.message)
72
}
73
} finally {
74
setLoading(false)
75
}
76
}
77
78
return (
79
<div aria-live="polite">
80
<form onSubmit={updateProfile} class="form-widget">
81
82
{/* ... */}
83
84
<div>Email: {userEmail}</div>
85
<div>
86
<label for="username">Name</label>
87
<input
88
id="username"
89
type="text"
90
value={username() || ''}
91
onChange={(e) => setUsername(e.currentTarget.value)}
92
/>
93
</div>
94
<div>
95
<label for="website">Website</label>
96
<input
97
id="website"
98
type="text"
99
value={website() || ''}
100
onChange={(e) => setWebsite(e.currentTarget.value)}
101
/>
102
</div>
103
<div>
104
<button type="submit" class="button primary block" disabled={loading()}>
105
{loading() ? 'Saving ...' : 'Update profile'}
106
</button>
107
</div>
108
<button type="button" class="button block" onClick={() => supabase.auth.signOut()}>
109
Sign Out
110
</button>
111
</form>
112
</div>
113
)
114
}
115
116
export default Account
View source

Launch!#

Now that you have all the components in place, update App.tsx:

1
import { Component, createEffect, createSignal } from 'solid-js'
2
import { supabase } from './supabaseClient'
3
import Account from './Account'
4
import Auth from './Auth'
5
6
const App: Component = () => {
7
const [userId, setUserId] = createSignal<string | null>(null)
8
const [userEmail, setUserEmail] = createSignal<string | null>(null)
9
10
const syncClaims = async () => {
11
const { data } = await supabase.auth.getClaims()
12
setUserId((data?.claims.sub as string) ?? null)
13
setUserEmail((data?.claims.email as string) ?? null)
14
}
15
16
createEffect(() => {
17
syncClaims()
18
19
supabase.auth.onAuthStateChange(() => {
20
syncClaims()
21
})
22
})
23
24
return (
25
<div class="container" style={{ padding: '50px 0 100px 0' }}>
26
{!userId() ? <Auth /> : <Account userId={userId()!} userEmail={userEmail()} />}
27
</div>
28
)
29
}
30
31
export default App
View source

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

1
npm start

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

Supabase SolidJS

Bonus: Profile photos#

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

Create an upload widget#

Create an avatar for the user so that they can upload a profile photo. Start by creating a new component:

1
import { Component, createEffect, createSignal, JSX } from 'solid-js'
2
import { supabase } from './supabaseClient'
3
4
interface Props {
5
size: number
6
url: string | null
7
onUpload: (event: Event, filePath: string) => void
8
}
9
10
const Avatar: Component<Props> = (props) => {
11
const [avatarUrl, setAvatarUrl] = createSignal<string | null>(null)
12
const [uploading, setUploading] = createSignal(false)
13
14
createEffect(() => {
15
if (props.url) downloadImage(props.url)
16
})
17
18
const downloadImage = async (path: string) => {
19
try {
20
const { data, error } = await supabase.storage.from('avatars').download(path)
21
if (error) {
22
throw error
23
}
24
const url = URL.createObjectURL(data)
25
setAvatarUrl(url)
26
} catch (error) {
27
if (error instanceof Error) {
28
console.log('Error downloading image: ', error.message)
29
}
30
}
31
}
32
33
const uploadAvatar: JSX.EventHandler<HTMLInputElement, Event> = async (event) => {
34
try {
35
setUploading(true)
36
37
const target = event.currentTarget
38
if (!target?.files || target.files.length === 0) {
39
throw new Error('You must select an image to upload.')
40
}
41
42
const file = target.files[0]
43
const fileExt = file.name.split('.').pop()
44
const fileName = `${Math.random()}.${fileExt}`
45
const filePath = `${fileName}`
46
47
let { error: uploadError } = await supabase.storage.from('avatars').upload(filePath, file)
48
49
if (uploadError) {
50
throw uploadError
51
}
52
53
props.onUpload(event, filePath)
54
} catch (error) {
55
if (error instanceof Error) {
56
alert(error.message)
57
}
58
} finally {
59
setUploading(false)
60
}
61
}
62
63
return (
64
<div style={{ width: `${props.size}px` }} aria-live="polite">
65
{avatarUrl() ? (
66
<img
67
src={avatarUrl()!}
68
alt={avatarUrl() ? 'Avatar' : 'No image'}
69
class="avatar image"
70
style={{ height: `${props.size}px`, width: `${props.size}px` }}
71
/>
72
) : (
73
<div
74
class="avatar no-image"
75
style={{ height: `${props.size}px`, width: `${props.size}px` }}
76
/>
77
)}
78
<div style={{ width: `${props.size}px` }}>
79
<label class="button primary block" for="single">
80
{uploading() ? 'Uploading ...' : 'Upload avatar'}
81
</label>
82
<span style="display:none">
83
<input
84
type="file"
85
id="single"
86
accept="image/*"
87
onChange={uploadAvatar}
88
disabled={uploading()}
89
/>
90
</span>
91
</div>
92
</div>
93
)
94
}
95
96
export default Avatar
View source

Add the new widget#

And then add the widget to the Account page:

1
import { Component, createEffect, createSignal } from 'solid-js'
2
import Avatar from './Avatar'
3
import { supabase } from './supabaseClient'
4
5
// ...
6
7
return (
8
<div aria-live="polite">
9
<form onSubmit={updateProfile} class="form-widget">
10
<Avatar
11
url={avatarUrl()}
12
size={150}
13
onUpload={(e: Event, url: string) => {
14
setAvatarUrl(url)
15
updateProfile(e)
16
}}
17
/>
18
<div>Email: {userEmail}</div>
19
<div>
20
21
// ...
View source

At this stage you have a fully functional application!