Nuxt Auth Utils
Add Authentication to Nuxt applications with secured & sealed cookies sessions.
Features
It has few dependencies (only from UnJS), run on multiple JS environments (Node, Deno, Workers) and is fully typed with TypeScript.
Requirements
This module only works with a Nuxt server running as it uses server API routes (nuxt build
).
This means that you cannot use this module with nuxt generate
.
You can anyway use Hybrid Rendering to pre-render pages of your application or disable server-side rendering completely.
Quick Setup
- Add
nuxt-auth-utils
in your Nuxt project
npx nuxi@latest module add auth-utils
- Add a
NUXT_SESSION_PASSWORD
env variable with at least 32 characters in the .env
.
NUXT_SESSION_PASSWORD=password-with-at-least-32-characters
Nuxt Auth Utils generates one for you when running Nuxt in development the first time if no NUXT_SESSION_PASSWORD
is set.
- That's it! You can now add authentication to your Nuxt app ✨
Vue Composable
Nuxt Auth Utils automatically adds some plugins to fetch the current user session to let you access it from your Vue components.
User Session
<script setup>
const { loggedIn, user, session, fetch, clear } = useUserSession()
</script>
<template>
<div v-if="loggedIn">
<h1>Welcome {{ user.login }}!</h1>
<p>Logged in since {{ session.loggedInAt }}</p>
<button @click="clear">Logout</button>
</div>
<div v-else>
<h1>Not logged in</h1>
<a href="/auth/github">Login with GitHub</a>
</div>
</template>
TypeScript Signature:
interface UserSessionComposable {
ready: ComputedRef<boolean>
loggedIn: ComputedRef<boolean>
user: ComputedRef<User | null>
session: Ref<UserSession>
fetch: () => Promise<void>
clear: () => Promise<void>
}
[!IMPORTANT]
Nuxt Auth Utils uses the /api/_auth/session
route for session management. Ensure your API route middleware doesn't interfere with this path.
Server Utils
The following helpers are auto-imported in your server/
directory.
Session Management
await setUserSession(event, {
user: {
login: 'atinux'
},
secure: {
apiToken: '1234567890'
},
loggedInAt: new Date()
})
await replaceUserSession(event, data)
const session = await getUserSession(event)
await clearUserSession(event)
const session = await requireUserSession(event)
You can define the type for your user session by creating a type declaration file (for example, auth.d.ts
) in your project to augment the UserSession
type:
declare module '#auth-utils' {
interface User {
}
interface UserSession {
}
interface SecureSessionData {
}
}
export {}
[!IMPORTANT]
Since we encrypt and store session data in cookies, we're constrained by the 4096-byte cookie size limit. Store only essential information.
OAuth Event Handlers
All handlers can be auto-imported and used in your server routes or API routes.
The pattern is defineOAuth<Provider>EventHandler({ onSuccess, config?, onError? })
, example: defineOAuthGitHubEventHandler
.
The helper returns an event handler that automatically redirects to the provider authorization page and then calls onSuccess
or onError
depending on the result.
The config
can be defined directly from the runtimeConfig
in your nuxt.config.ts
:
export default defineNuxtConfig({
runtimeConfig: {
oauth: {
<provider>: {
clientId: '...',
clientSecret: '...'
}
}
}
})
It can also be set using environment variables:
NUXT_OAUTH_<PROVIDER>_CLIENT_ID
NUXT_OAUTH_<PROVIDER>_CLIENT_SECRET
Provider is in uppercase (GITHUB, GOOGLE, etc.)
Supported OAuth Providers
- Auth0
- Authentik
- AWS Cognito
- Battle.net
- Discord
- Dropbox
- Facebook
- GitHub
- GitLab
- Google
- Instagram
- Keycloak
- Linear
- LinkedIn
- Microsoft
- PayPal
- Polar
- Seznam
- Spotify
- Steam
- TikTok
- Twitch
- VK
- WorkOS
- X (Twitter)
- XSUAA
- Yandex
You can add your favorite provider by creating a new file in src/runtime/server/lib/oauth/.
Example
Example: ~/server/routes/auth/github.get.ts
export default defineOAuthGitHubEventHandler({
config: {
emailRequired: true
},
async onSuccess(event, { user, tokens }) {
await setUserSession(event, {
user: {
githubId: user.id
}
})
return sendRedirect(event, '/')
},
onError(event, error) {
console.error('GitHub OAuth error:', error)
return sendRedirect(event, '/')
},
})
Make sure to set the callback URL in your OAuth app settings as <your-domain>/auth/github
.
If the redirect URL mismatch in production, this means that the module cannot guess the right redirect URL. You can set the NUXT_OAUTH_<PROVIDER>_REDIRECT_URL
env variable to overwrite the default one.
Password Hashing
Nuxt Auth Utils provides password hashing utilities like hashPassword
and verifyPassword
to hash and verify passwords by using scrypt as it is supported in many JS runtime.
const hashedPassword = await hashPassword('user_password')
if (await verifyPassword(hashedPassword, 'user_password')) {
}
You can configure the scrypt options in your nuxt.config.ts
:
export default defineNuxtConfig({
modules: ['nuxt-auth-utils'],
auth: {
hash: {
scrypt: {
}
}
}
})
WebAuthn (passkey)
WebAuthn (Web Authentication) is a web standard that enhances security by replacing passwords with passkeys using public key cryptography. Users can authenticate with biometric data (like fingerprints or facial recognition) or physical devices (like USB keys), reducing the risk of phishing and password breaches. This approach offers a more secure and user-friendly authentication method, supported by major browsers and platforms.
To enable WebAuthn you need to:
- Install the peer dependencies:
npx nypm i @simplewebauthn/server@11 @simplewebauthn/browser@11
- Enable it in your
nuxt.config.ts
export default defineNuxtConfig({
auth: {
webAuthn: true
}
})
Example
In this example we will implement the very basic steps to register and authenticate a credential.
The full code can be found in the playground. The example uses a SQLite database with the following minimal tables:
CREATE TABLE users (
id INTEGER PRIMARY KEY AUTOINCREMENT,
email TEXT NOT NULL
);
CREATE TABLE IF NOT EXISTS credentials (
userId INTEGER NOT NULL REFERENCES users(id) ON DELETE CASCADE ON UPDATE CASCADE,
id TEXT UNIQUE NOT NULL,
publicKey TEXT NOT NULL,
counter INTEGER NOT NULL,
backedUp INTEGER NOT NULL,
transports TEXT NOT NULL,
PRIMARY KEY ("userId", "id")
);
- For the
users
table it is important to have a unique identifier such as a username or email (here we use email). When creating a new credential, this identifier is required and stored with the passkey on the user's device, password manager, or authenticator. - The
credentials
table stores:
- The
userId
from the users
table. - The credential
id
(as unique index) - The credential
publicKey
- A
counter
. Each time a credential is used, the counter is incremented. We can use this value to perform extra security checks. More about counter
can be read here. For this example, we won't be using the counter. But you should update the counter in your database with the new value. - A
backedUp
flag. Normally, credentials are stored on the generating device. When you use a password manager or authenticator, the credential is "backed up" because it can be used on multiple devices. See this section for more details. - The credential
transports
. It is an array of strings that indicate how the credential communicates with the client. It is used to show the correct UI for the user to utilize the credential. Again, see this section for more details.
The following code does not include the actual database queries, but shows the general steps to follow. The full example can be found in the playground: registration, authentication and the database setup.
import { z } from 'zod'
export default defineWebAuthnRegisterEventHandler({
async validateUser(userBody, event) {
const session = await getUserSession(event)
if (session.user?.email && session.user.email !== body.userName) {
throw createError({ statusCode: 400, message: 'Email not matching curent session' })
}
return z.object({
userName: z.string().email()
}).parse(userBody)
},
async onSuccess(event, { credential, user }) {
const db = useDatabase()
let dbUser = await db.sql`...`
if (!dbUser) {
dbUser = await db.sql`...`
}
await db.sql`...`
await setUserSession(event, {
user: {
id: dbUser.id
},
loggedInAt: Date.now(),
})
},
})
export default defineWebAuthnAuthenticateEventHandler({
async allowCredentials(event, userName) {
const credentials = await useDatabase().sql`...`
if (!credentials.length)
throw createError({ statusCode: 400, message: 'User not found' })
return credentials
},
async getCredential(event, credentialId) {
const credential = await useDatabase().sql`...`
if (!credential)
throw createError({ statusCode: 400, message: 'Credential not found' })
return credential
},
async onSuccess(event, { credential, authenticationInfo }) {
const db = useDatabase()
const user = await db.sql`...`
await db.sql`...`
await setUserSession(event, {
user: {
id: user.id
},
loggedInAt: Date.now(),
})
},
})
[!IMPORTANT]
Webauthn uses challenges to prevent replay attacks. By default, this module does not make use if this feature. If you want to use challenges (which is highly recommended), the storeChallenge
and getChallenge
functions are provided. An attempt ID is created and sent with each authentication request. You can use this ID to store the challenge in a database or KV store as shown in the example below.
export default defineWebAuthnAuthenticateEventHandler({
async storeChallenge(event, challenge, attemptId) {
await useStorage().setItem(`attempt:${attemptId}`, challenge)
},
async getChallenge(event, attemptId) {
const challenge = await useStorage().getItem(`attempt:${attemptId}`)
await useStorage().removeItem(`attempt:${attemptId}`)
if (!challenge)
throw createError({ statusCode: 400, message: 'Challenge expired' })
return challenge
},
async onSuccess(event, { authenticator }) {
},
})
On the frontend it is as simple as:
<script setup lang="ts">
const { register, authenticate } = useWebAuthn({
registerEndpoint: '/api/webauthn/register', // Default
authenticateEndpoint: '/api/webauthn/authenticate', // Default
})
const { fetch: fetchUserSession } = useUserSession()
const userName = ref('')
async function signUp() {
await register({ userName: userName.value })
.then(fetchUserSession) // refetch the user session
}
async function signIn() {
await authenticate(userName.value)
.then(fetchUserSession) // refetch the user session
}
</script>
<template>
<form @submit.prevent="signUp">
<input v-model="userName" placeholder="Email or username" />
<button type="submit">Sign up</button>
</form>
<form @submit.prevent="signIn">
<input v-model="userName" placeholder="Email or username" />
<button type="submit">Sign in</button>
</form>
</template>
Take a look at the WebAuthnModal.vue
for a full example.
Demo
A full demo can be found on https://todo-passkeys.nuxt.dev using Drizzle ORM and NuxtHub.
The source code of the demo is available on https://github.com/atinux/todo-passkeys.
Extend Session
We leverage hooks to let you extend the session data with your own data or log when the user clears the session.
export default defineNitroPlugin(() => {
sessionHooks.hook('fetch', async (session, event) => {
})
sessionHooks.hook('clear', async (session, event) => {
})
})
Server-Side Rendering
You can make authenticated requests both from the client and the server. However, you must use useRequestFetch()
to make authenticated requests during SSR if you are not using useFetch()
<script setup lang="ts">
// When using useAsyncData
const { data } = await useAsyncData('team', () => useRequestFetch()('/api/protected-endpoint'))
// useFetch will automatically use useRequestFetch during SSR
const { data } = await useFetch('/api/protected-endpoint')
</script>
There's an open issue to include credentials in $fetch
in Nuxt.
Hybrid Rendering
When using Nuxt routeRules
to prerender or cache your pages, Nuxt Auth Utils will not fetch the user session during prerendering but instead fetch it on the client-side (after hydration).
This is because the user session is stored in a secure cookie and cannot be accessed during prerendering.
This means that you should not rely on the user session during prerendering.
<AuthState>
component
You can use the <AuthState>
component to safely display auth-related data in your components without worrying about the rendering mode.
One common use case if the Login button in the header:
<template>
<header>
<AuthState v-slot="{ loggedIn, clear }">
<button v-if="loggedIn" @click="clear">Logout</button>
<NuxtLink v-else to="/login">Login</NuxtLink>
</AuthState>
</header>
</template>
If the page is cached or prerendered, nothing will be rendered until the user session is fetched on the client-side.
You can use the placeholder
slot to show a placeholder on server-side and while the user session is being fetched on client-side for the prerendered pages:
<template>
<header>
<AuthState>
<template #default="{ loggedIn, clear }">
<button v-if="loggedIn" @click="clear">Logout</button>
<NuxtLink v-else to="/login">Login</NuxtLink>
</template>
<template #placeholder>
<button disabled>Loading...</button>
</template>
</AuthState>
</header>
</template>
If you are caching your routes with routeRules
, please make sure to use Nitro >= 2.9.7
to support the client-side fetching of the user session.
Configuration
We leverage runtimeConfig.session
to give the defaults option to h3 useSession
.
You can overwrite the options in your nuxt.config.ts
:
export default defineNuxtConfig({
modules: ['nuxt-auth-utils'],
runtimeConfig: {
session: {
maxAge: 60 * 60 * 24 * 7
}
}
})
Our defaults are:
{
name: 'nuxt-session',
password: process.env.NUXT_SESSION_PASSWORD || '',
cookie: {
sameSite: 'lax'
}
}
You can also overwrite the session config by passing it as 3rd argument of the setUserSession
and replaceUserSession
functions:
await setUserSession(event, { ... } , {
maxAge: 60 * 60 * 24 * 7
})
Checkout the SessionConfig
for all options.
More
- nuxt-authorization: Authorization module for managing permissions inside a Nuxt app, compatible with
nuxt-auth-utils
Development
npm install
npm run dev:prepare
npm run dev
npm run dev:build
npm run lint
npm run test
npm run test:watch
npm run release