
Security News
Official Go SDK for MCP in Development, Stable Release Expected in August
The official Go SDK for the Model Context Protocol is in development, with a stable, production-ready release expected by August 2025.
[![npm version][npm-version-src]][npm-version-href] [![npm downloads][npm-downloads-src]][npm-downloads-href] [](https://GitHub.com/sidebase/nuxt-user/) [![License][license-src]][license-h
Nuxt user authentication and sessions via NextAuth.js.
nuxt-user
wraps NextAuth.js to offer the reliability & convenience of a 12k star library to the nuxt 3 ecosystem with a native developer experience (DX).
npm i -D @sidebase/nuxt-user
nuxt.config.ts
:
export default defineNuxtConfig({
modules: ['@sidebase/nuxt-user'],
})
.vue
files):
const {
status,
data,
signIn,
signOut,
} = await useSession({
// Whether a session is required. If it is, a redirect to the signin page will happen if no active session exists
required: true
})
// Session status: `unauthenticated`, `loading`, `authenticated`
status.value
// Session data, e.g., expiration, user.email, ...
data.value
// Start the unbranded sign-in flow
signIn()
// Logout the user
await signOut()
There's more supported methods in the useSession
composable, you can create authentication middlewares for your app and more - read the documentation below.
nuxt-user
is still under active development. The goal of this library is to reach feature-parity with NextAuth.js
. Currently, the library supports:
useSession
composable to: signIn
, signOut
, getCsrfToken
, getProviders
, getSession
GET /signin
,POST /signin/:provider
,GET/POST /callback/:provider
,GET /signout
,POST /signout
,GET /session
,GET /csrf
,GET /providers
Visit the nuxt-user
demo page here:
You can find the full source code here.
This module also has it's own playground, you can also use that to get familiar with it and play around a bit:
> git clone https://github.com/sidebase/nuxt-user
> cd nuxt-user
> npm i
> npm run dev:prepare
> npm run dev
# TODO: Add instructions to add example provider
# -> open http://localhost:3000
Note: The playground has considerably less polishing than the example page.
First of all: If you want to have an interactive look, either check-out the demo page or the module playground in the sections above.
The nuxt-user
module takes care of authentication and sessions:
- authentication: The process of ensuring that somebody is who they claims to be. This is like a passport check at the border: You present some sort of proof that 100% tells the checking entity that you are who you claim to be (typically, this is your passport). The border agents checks the passport and let's you through.
- sessions: Persist the information that you have been authenticated for some duration across different requests. Additional data can be attached to a session, e.g., via the mail
or username
that may be part of data attached to the session. Note: If you need only sessions but no authentication, you can check-out nuxt-session.
In addition, you can use nuxt-user
to build authorization on top of the supported authentication + session mechanisms: As soon as you know "whos who", you can use this information to let somebody with the right email adress (for example) into a specific area. Right now, this is not supported out of the box.
Below we describe:
This module allows you user-data access, signing in, signing out and more on the client-side via useSession
. It also allows you to defined middlewares that protects your page.
The useSession
composable is your main gateway to accessing and manipulating session-state and data. Here's the main methdos you can use:
const {
status,
data,
getCsrfToken,
getProviders,
getSession,
signIn,
signOut,
} = await useSession({
// Whether a session is required. If it is, a redirect to the signin page will happen if no active session exists
required: true
})
// Session status, either `unauthenticated`, `loading`, `authenticated`, see https://next-auth.js.org/getting-started/client#signout
status.value
// Session data, either `undefined` (= authentication not attempted), `null` (= user unauthenticated), `loading` (= session loading in progress), see https://next-auth.js.org/getting-started/client#signout
data.value
// Get / Reload the current session from the server, pass `{ required: true }` to force a login if no session exists, see https://next-auth.js.org/getting-started/client#getsession
await getSession()
// Get the current CSRF token, usually you do not need this function, see https://next-auth.js.org/getting-started/client#signout
await getCsrfToken()
// Get the supported providers, e.g., to build your own login page, see https://next-auth.js.org/getting-started/client#getproviders
await getProviders()
// Trigger a sign in, see https://next-auth.js.org/getting-started/client#signin
signIn()
// Trigger a sign out, see https://next-auth.js.org/getting-started/client#signout
await signOut()
Session data
has the following interface:
interface DefaultSession {
user?: {
name?: string | null;
email?: string | null;
image?: string | null;
};
expires: ISODateString;
}
Note that this is only set when the use is logged-in and when the provider used to login the user provides the fields.
You can use this library to define client-side middlewares. This library supports all of nuxt's supported approaches to define client-side middlewares, read on to learn how.
Create a global authentication middleware that ensures that your user is authenticated no matter which page they visit. For this create a file in the middlewares
directory that has a .global.ts
post-fix. It should look like this:
// file: ~/middlewares/auth.global.ts
import { defineNuxtRouteMiddleware } from '#app'
import useSession from '~/composables/useSession'
export default defineNuxtRouteMiddleware(async () => {
await useSession()
})
That's it! This middleware will fetch a session and if no active session exists for the current user redirect to the login screen. If you want to write custom redirect logic, you could alter the above code to only apply to specific routes. Here is a global middleware that protects only the routes that start with /secret/
:
// file: ~/middlewares/auth.global.ts
import { defineNuxtRouteMiddleware } from '#app'
import useSession from '~/composables/useSession'
export default defineNuxtRouteMiddleware(async (to) => {
if (!to.path.startsWith('/secret/')) {
return
}
await useSession()
})
Here's a middleware that redirects to a custom login page:
// file: ~/middlewares/auth.global.ts
import { defineNuxtRouteMiddleware, navigateTo } from '#app'
import useSession from '~/composables/useSession'
export default defineNuxtRouteMiddleware(async (to) => {
// 1. Always allow access to the login page
if (to.path === '/login') {
return
}
// 2. Otherwise: Check status and redirect to login page
const { status } = await useSession({ required: false })
if (status.value !== 'authenticated') {
navigateTo('/login')
}
})
Named middlewares behave similar to global middlewares but are not automatically applied to any pages.
To use them, first create a middleware:
// file: ~/middlewares/auth.ts
import { defineNuxtRouteMiddleware } from '#app'
import useSession from '~/composables/useSession'
export default defineNuxtRouteMiddleware(async () => {
await useSession()
})
Note that there's no .global.ts
postfix in the filename above! Then inside your pages use this middleware like this:
<!-- file: ~/pages/protected.vue -->
<template>
<div>I'm a secret!</div>
</template>
<script setup lang="ts">
definePageMeta({
middleware: ['auth']
})
</script>
Note: definePageMeta
can only be used inside the pages/
directory!
Nuxt now calls the auth.ts
middleware on every visit to this page.
To define a named middleware, you need to use definePageMeta
as described in the nuxt docs. Then you can just call useSession
as in the other middlewares. Here's an example that would protect just the page itself:
<!-- file: ~/pages/protected.vue -->
<template>
<div>I'm a secret!</div>
</template>
<script setup lang="ts">
definePageMeta({
middleware: async () => {
await useSession()
}
})
</script>
Note: definePageMeta
can only be used inside the pages/
directory!
All endpoints that NextAuth.js supports are also supported by nuxt-user
:
GET /signin
,POST /signin/:provider
,GET/POST /callback/:provider
,GET /signout
,POST /signout
,GET /session
,GET /csrf
,GET /providers
You can directly interact with them if you wish to, it's probably a better idea to use useSession
where possible though. See the full rest API documentation of NextAuth.js here.
The idea of this library is to re-use all the open-source implementation that already exist in the JS ecosystem instead of rolling our own. The idea was born when researching through the ecosystem of framework-specific authentication libraries to figure out what the best implementation approach for a state-of-the-art nuxt 3 authentication library would be.
During research it became clear that implementing everything from scratch will be:
In order to avoid these problems without taking forever (leaving nuxt without an authentication library in the meantime), we decided to investigate if we can wrap NextAuth.js
, the most popular authentication library in the Next.js ecosystem by far and a trusted, well maintained one at that!
In our investigation we found prior attempts to make NextAuth.js framework agnostic. These have more or less come to fruition, so far mostly resulting in some PoCs and example apps. Looking at these was quite helpful to get started. In particular, big pushes in the right direction came from:
The main part of the work was to piece everything together, resolve some outstanding issues with existing PoCs, add new things where nothing existed yet, e.g., for the client useSession
composable by going through the NextAuth.js client code and translating it to a nuxt 3 approach.
Roughly, the roadmap of nuxt-user
is:
local
/ credentials
flow than NextAuth.js does out of the box (they don't do it for good reasons, so, there really is an honest discussion to be had), adding more UI focused components that automatically and easily wrap your app in a nice auth page, ...We also want to listen to all suggestions, feature requests, bug reports, ... from you. So if you have any ideas, please open an issue or reach out to us on Twitter or via E-Mail.
npm run dev:prepare
to generate type stubs.npm run dev
to start the module playground in development mode.npm run lint
to run eslintnpm run type
to run typescheck via tscFAQs
[![npm version][npm-version-src]][npm-version-href] [![npm downloads][npm-downloads-src]][npm-downloads-href] [](https://GitHub.com/sidebase/nuxt-user/) [![License][license-src]][license-h
We found that nuxt-user demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
The official Go SDK for the Model Context Protocol is in development, with a stable, production-ready release expected by August 2025.
Security News
New research reveals that LLMs often fake understanding, passing benchmarks but failing to apply concepts or stay internally consistent.
Security News
Django has updated its security policies to reject AI-generated vulnerability reports that include fabricated or unverifiable content.