Build a custom flow for adding an email to a user's account
Users are able to add multiple email addresses to their account. Adding an email address requires the user to verify the email address before it can be added to the user's account.
This guide demonstrates how to build a custom user interface that allows users to add and verify an email address for their account.
Configure email verification
There are two verification methods available for email addresses:
- Email verification code: Users receive an email with a one-time code to verify their email address.
- Email verification link: Users receive an email with a link to verify their email address.
By default, the verification method that is enabled is email verification code. To use email code verification, skip to the Email code verification section.
To use email links, you must configure the following settings in the Clerk Dashboard:
- On the User & authentication page of the Clerk Dashboard, under Email address, enable the Email verification link option. By default, Require the same device and browser is enabled, which means that email links are required to be verified from the same device and browser on which the sign-up or sign-in was initiated. For this guide, leave this setting enabled.
- Disable Email verification code.
- Save your changes.
Then skip to the Email link verification section.
Email code verification
- Every user has a object that represents their account. The
User
object has aemailAddresses
property that contains all the email addresses associated with the user. The useUser() hook is used to get theUser
object. - The method is passed to the useReverification() hook to require the user to reverify their credentials before being able to add an email address to their account.
- If the
createEmailAddress()
function is successful, a new object is created and stored inUser.emailAddresses
. - The
prepareVerification()
method is used on the newly createdEmailAddress
object to send a verification code to the user. - The
attemptVerification()
method is used on the sameEmailAddress
object with the verification code provided by the user to verify the email address.
'use client'
import * as React from 'react'
import { useUser, useReverification } from '@clerk/nextjs'
import { EmailAddressResource } from '@clerk/types'
export default function Page() {
const { isLoaded, isSignedIn, user } = useUser()
const [email, setEmail] = React.useState('')
const [code, setCode] = React.useState('')
const [isVerifying, setIsVerifying] = React.useState(false)
const [successful, setSuccessful] = React.useState(false)
const [emailObj, setEmailObj] = React.useState<EmailAddressResource | undefined>()
const createEmailAddress = useReverification((email: string) =>
user?.createEmailAddress({ email }),
)
if (!isLoaded) {
// Handle loading state
return null
}
if (!isSignedIn) {
// Handle signed out state
return <p>You must be logged in to access this page</p>
}
// Handle addition of the email address
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault()
try {
// Add an unverified email address to user
const res = await createEmailAddress(email)
// Reload user to get updated User object
await user.reload()
// Find the email address that was just added
const emailAddress = user.emailAddresses.find((a) => a.id === res?.id)
// Create a reference to the email address that was just added
setEmailObj(emailAddress)
// Send the user an email with the verification code
emailAddress?.prepareVerification({ strategy: 'email_code' })
// Set to true to display second form
// and capture the OTP code
setIsVerifying(true)
} catch (err) {
// See https://clerk.com/docs/custom-flows/error-handling
// for more info on error handling
console.error(JSON.stringify(err, null, 2))
}
}
// Handle the submission of the verification form
const verifyCode = async (e: React.FormEvent) => {
e.preventDefault()
try {
// Verify that the code entered matches the code sent to the user
const emailVerifyAttempt = await emailObj?.attemptVerification({ code })
if (emailVerifyAttempt?.verification.status === 'verified') {
setSuccessful(true)
} else {
// If the status is not complete, check why. User may need to
// complete further steps.
console.error(JSON.stringify(emailVerifyAttempt, null, 2))
}
} catch (err) {
console.error(JSON.stringify(err, null, 2))
}
}
// Display a success message if the email was added successfully
if (successful) {
return (
<>
<h1>Email added!</h1>
</>
)
}
// Display the verification form to capture the OTP code
if (isVerifying) {
return (
<>
<h1>Verify email</h1>
<div>
<form onSubmit={(e) => verifyCode(e)}>
<div>
<label htmlFor="code">Enter code</label>
<input
onChange={(e) => setCode(e.target.value)}
id="code"
name="code"
type="text"
value={code}
/>
</div>
<div>
<button type="submit">Verify</button>
</div>
</form>
</div>
</>
)
}
// Display the initial form to capture the email address
return (
<>
<h1>Add Email</h1>
<div>
<form onSubmit={(e) => handleSubmit(e)}>
<div>
<label htmlFor="email">Enter email address</label>
<input
onChange={(e) => setEmail(e.target.value)}
id="email"
name="email"
type="email"
value={email}
/>
</div>
<div>
<button type="submit">Continue</button>
</div>
</form>
</div>
</>
)
}
import SwiftUI
import Clerk
struct AddEmailView: View {
@State private var email = ""
@State private var code = ""
@State private var isVerifying = false
// Create a reference to the email address that we'll be creating
@State private var newEmailAddress: EmailAddress?
var body: some View {
if newEmailAddress?.verification?.status == .verified {
Text("Email added!")
}
if isVerifying {
TextField("Enter code", text: $code)
Button("Verify") {
Task { await verifyCode(code) }
}
} else {
TextField("Enter email address", text: $email)
Button("Continue") {
Task { await createEmail(email) }
}
}
}
}
extension AddEmailView {
func createEmail(_ email: String) async {
do {
guard let user = Clerk.shared.user else { return }
// Add an unverified email address to user,
// then send the user an email with the verification code
self.newEmailAddress = try await user
.createEmailAddress(email)
.prepareVerification(strategy: .emailCode)
// Set to true to display second form
// and capture the OTP code
isVerifying = true
} catch {
// See https://clerk.com/docs/custom-flows/error-handling
// for more info on error handling
dump(error)
}
}
func verifyCode(_ code: String) async {
do {
guard let newEmailAddress else { return }
// Verify that the code entered matches the code sent to the user
self.newEmailAddress = try await newEmailAddress.attemptVerification(strategy: .emailCode(code: code))
// If the status is not complete, check why. User may need to
// complete further steps.
dump(self.newEmailAddress?.verification?.status)
} catch {
// See https://clerk.com/docs/custom-flows/error-handling
// for more info on error handling
dump(error)
}
}
}
import android.util.Log
import androidx.lifecycle.ViewModel
import androidx.lifecycle.viewModelScope
import com.clerk.api.Clerk
import com.clerk.api.emailaddress.EmailAddress
import com.clerk.api.emailaddress.attemptVerification
import com.clerk.api.emailaddress.prepareVerification
import com.clerk.api.network.serialization.flatMap
import com.clerk.api.network.serialization.longErrorMessageOrNull
import com.clerk.api.network.serialization.onFailure
import com.clerk.api.network.serialization.onSuccess
import com.clerk.api.user.createEmailAddress
import kotlinx.coroutines.flow.MutableStateFlow
import kotlinx.coroutines.flow.asStateFlow
import kotlinx.coroutines.flow.combine
import kotlinx.coroutines.flow.launchIn
import kotlinx.coroutines.launch
class AddEmailViewModel : ViewModel() {
private val _uiState = MutableStateFlow<UiState>(UiState.NeedsVerification)
val uiState = _uiState.asStateFlow()
init {
combine(Clerk.isInitialized, Clerk.userFlow) { isInitialized, user ->
_uiState.value =
when {
!isInitialized -> UiState.Loading
user == null -> UiState.SignedOut
else -> UiState.NeedsVerification
}
}
.launchIn(viewModelScope)
}
fun createEmailAddress(emailAddress: String) {
val user = requireNotNull(Clerk.userFlow.value)
// Add an unverified email address to the user,
// then send the user an email with the verification code
viewModelScope.launch {
user
.createEmailAddress(emailAddress)
.flatMap { it.prepareVerification(EmailAddress.PrepareVerificationParams.EmailCode()) }
.onSuccess {
// Update the state to show that the email address has been created
// and that the user needs to verify the email address
_uiState.value = UiState.Verifying(it)
}
.onFailure {
Log.e(
"AddEmailViewModel",
"Failed to create email address and prepare verification: ${it.longErrorMessageOrNull}",
)
}
}
}
fun verifyCode(code: String, newEmailAddress: EmailAddress) {
viewModelScope.launch {
newEmailAddress
.attemptVerification(code)
.onSuccess {
// Update the state to show that the email addresshas been verified
_uiState.value = UiState.Verified
}
.onFailure {
Log.e("AddEmailViewModel", "Failed to verify email address: ${it.longErrorMessageOrNull}")
}
}
}
sealed interface UiState {
data object Loading : UiState
data object NeedsVerification : UiState
data class Verifying(val emailAddress: EmailAddress) : UiState
data object Verified : UiState
data object SignedOut : UiState
}
}
import android.os.Bundle
import androidx.activity.ComponentActivity
import androidx.activity.compose.setContent
import androidx.activity.viewModels
import androidx.compose.foundation.layout.Box
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.fillMaxSize
import androidx.compose.foundation.layout.padding
import androidx.compose.material3.Button
import androidx.compose.material3.CircularProgressIndicator
import androidx.compose.material3.Text
import androidx.compose.material3.TextField
import androidx.compose.runtime.Composable
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
import androidx.compose.runtime.setValue
import androidx.compose.ui.Alignment
import androidx.compose.ui.Modifier
import androidx.compose.ui.unit.dp
import androidx.lifecycle.compose.collectAsStateWithLifecycle
import com.clerk.api.emailaddress.EmailAddress
class AddEmailActivity : ComponentActivity() {
val viewModel: AddEmailViewModel by viewModels()
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContent {
val state by viewModel.uiState.collectAsStateWithLifecycle()
AddEmailView(
state = state,
onCreateEmailAddress = viewModel::createEmailAddress,
onVerifyCode = viewModel::verifyCode,
)
}
}
}
@Composable
fun AddEmailView(
state: AddEmailViewModel.UiState,
onCreateEmailAddress: (String) -> Unit,
onVerifyCode: (String, EmailAddress) -> Unit,
) {
Box(modifier = Modifier.fillMaxSize(), contentAlignment = Alignment.Center) {
when (state) {
AddEmailViewModel.UiState.NeedsVerification -> {
InputContentView(buttonText = "Continue", placeholder = "Enter email address") {
onCreateEmailAddress(it)
}
}
AddEmailViewModel.UiState.Verified -> Text("Verified!")
is AddEmailViewModel.UiState.Verifying -> {
InputContentView(buttonText = "Verify", placeholder = "Enter code") {
onVerifyCode(it, state.emailAddress)
}
}
AddEmailViewModel.UiState.Loading -> CircularProgressIndicator()
AddEmailViewModel.UiState.SignedOut -> Text("You must be signed in to add an email address.")
}
}
}
@Composable
fun InputContentView(
buttonText: String,
placeholder: String,
modifier: Modifier = Modifier,
onClick: (String) -> Unit,
) {
var input by remember { mutableStateOf("") }
Column(horizontalAlignment = Alignment.CenterHorizontally, modifier = modifier) {
TextField(
modifier = Modifier.padding(bottom = 16.dp),
value = input,
onValueChange = { input = it },
placeholder = { Text(placeholder) },
)
Button(onClick = { onClick(input) }) { Text(buttonText) }
}
}
- Every user has a object that represents their account. The
User
object has aemailAddresses
property that contains all the email addresses associated with the user. The useUser() hook is used to get theUser
object. - The method is passed to the useReverification() hook to require the user to reverify their credentials before being able to add an email address to their account.
- If the
createEmailAddress()
function is successful, a new object is created and stored inUser.emailAddresses
. - The newly created
EmailAddress
object is used to access the method. - The
createEmailLinkFlow()
method is used to access thestartEmailLinkFlow()
method. - The
startEmailLinkFlow()
method is called with theredirectUrl
parameter set to/account/add-email/verify
. It sends an email with a verification link to the user. When the user visits the link, they are redirected to the URL that was provided. - On the
/account/add-email/verify
page, the useClerk() hook is used to get thehandleEmailLinkVerification()
method. - The method is called to verify the email address. Error handling is included to handle any errors that occur during the verification process.
'use client'
import * as React from 'react'
import { useUser, useReverification } from '@clerk/nextjs'
export default function Page() {
const { isLoaded, isSignedIn, user } = useUser()
const [email, setEmail] = React.useState('')
const [verifying, setVerifying] = React.useState(false)
const [error, setError] = React.useState('')
const createEmailAddress = useReverification((email: string) =>
user?.createEmailAddress({ email }),
)
if (!isLoaded) {
// Handle loading state
return null
}
if (!isSignedIn) {
// Handle signed out state
return <p>You must be signed in to access this page</p>
}
// Handle addition of the email address
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault()
try {
setVerifying(true)
// Add an unverified email address to user
const res = await createEmailAddress(email)
// Reload user to get updated User object
await user.reload()
// Find the email address that was just added
const emailAddress = user.emailAddresses.find((a) => a.id === res.id)
if (!emailAddress) {
setError('Email address not found')
return
}
const { startEmailLinkFlow } = emailAddress.createEmailLinkFlow()
// Dynamically set the host domain for dev and prod
// You could instead use an environment variable or other source for the host domain
const protocol = window.location.protocol
const host = window.location.host
// Send the user an email with the verification link
startEmailLinkFlow({ redirectUrl: `${protocol}//${host}/account/add-email/verify` })
} catch (err) {
// See https://clerk.com/docs/custom-flows/error-handling
// for more info on error handling
console.error(JSON.stringify(err, null, 2))
setError('An error occurred.')
}
}
async function reset(e: React.FormEvent) {
e.preventDefault()
setVerifying(false)
}
if (error) {
return (
<div>
<p>Error: {error}</p>
<button onClick={() => setError('')}>Try again</button>
</div>
)
}
if (verifying) {
return (
<div>
<p>Check your email and visit the link that was sent to you.</p>
<form onSubmit={reset}>
<button type="submit">Restart</button>
</form>
</div>
)
}
// Display the initial form to capture the email address
return (
<>
<h1>Add email</h1>
<div>
<form onSubmit={(e) => handleSubmit(e)}>
<input
placeholder="Enter email address"
type="email"
value={email}
onChange={(e) => setEmail(e.target.value)}
/>
<button type="submit">Continue</button>
</form>
</div>
</>
)
}
'use client'
import * as React from 'react'
import { useClerk } from '@clerk/nextjs'
import { EmailLinkErrorCodeStatus, isEmailLinkError } from '@clerk/nextjs/errors'
import Link from 'next/link'
export type VerificationStatus =
| 'expired'
| 'failed'
| 'loading'
| 'verified'
| 'verified_switch_tab'
| 'client_mismatch'
export default function VerifyEmailLink() {
const [verificationStatus, setVerificationStatus] = React.useState('loading')
const { handleEmailLinkVerification, loaded } = useClerk()
async function verify() {
try {
await handleEmailLinkVerification({})
setVerificationStatus('verified')
} catch (err: any) {
let status: VerificationStatus = 'failed'
if (isEmailLinkError(err)) {
// If link expired, set status to expired
if (err.code === EmailLinkErrorCodeStatus.Expired) {
status = 'expired'
} else if (err.code === EmailLinkErrorCodeStatus.ClientMismatch) {
// OPTIONAL: This check is only required if you have
// the 'Require the same device and browser' setting
// enabled in the Clerk Dashboard
status = 'client_mismatch'
}
}
setVerificationStatus(status)
return
}
}
React.useEffect(() => {
if (!loaded) return
verify()
}, [handleEmailLinkVerification, loaded])
if (verificationStatus === 'loading') {
return <div>Loading...</div>
}
if (verificationStatus === 'failed') {
return (
<div>
<h1>Verify your email</h1>
<p>The email link verification failed.</p>
<Link href="/account/add-email">Return to add email</Link>
</div>
)
}
if (verificationStatus === 'expired') {
return (
<div>
<h1>Verify your email</h1>
<p>The email link has expired.</p>
<Link href="/account/add-email">Return to add email</Link>
</div>
)
}
// OPTIONAL: This check is only required if you have
// the 'Require the same device and browser' setting
// enabled in the Clerk Dashboard
if (verificationStatus === 'client_mismatch') {
return (
<div>
<h1>Verify your email</h1>
<p>
You must complete the email link verification on the same device and browser as you
started it on.
</p>
<Link href="/account/add-email">Return to add email</Link>
</div>
)
}
return (
<div>
<h1>Verify your email</h1>
<p>Successfully added email!</p>
</div>
)
}
Feedback
Last updated on