npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@rabrennie/sveltekit-auth

v0.0.8

Published

Auth library for SvelteKit supporting OpenID/OAuth providers

Downloads

3

Readme

sveltekit-auth

Auth library for SvelteKit supporting OpenID/OAuth providers

Table of Contents

Installing

Using npm:

$ npm install @rabrennie/sveltekit-auth

Using yarn:

$ yarn add @rabrennie/sveltekit-auth

Using pnpm:

$ pnpm add @rabrennie/sveltekit-auth

Setup

Handle Hook

In order to be able to handle the auth routes and populate event.locals you must register a handle hook in src/hooks.server.ts (or src/hooks.server.js if not using typescript). Your hooks file should look like the following:

import type { Handle } from '@sveltejs/kit';

export const handle = AuthHandler(config) satisfies Handle

or if using more than one handle function

import type { Handle } from '@sveltejs/kit';
import { sequence } from '@sveltejs/kit/hooks';
import { AuthHandler } from '@rabrennie/sveltekit-auth';

const authHandler = AuthHandler(config) satisfies Handle;

const anotherHandler = (async ({ event, resolve }) => {
    return resolve(event);
}) satisfies Handle;


// You should always have authHandler first in the sequence
export const handle = sequence(authHandler, anotherHandler)

The config options for AuthHandler are defined here.

App Types

You need to tell Sveltekit that we have objects in PageData and Locals so it can correctly type them. Your src/app.d.ts should look like the following:

import type { AuthClient, AuthPageData } from '@rabrennie/sveltekit-auth';

declare global {
    namespace App {
        // ...other types
        interface Locals {
            // ...other types
            auth: AuthClient;
        }
        interface PageData {
            // ...other types
            auth: AuthPageData;
        }
    }
}

export {};

For more information about this see the Sveltekit Docs

Server layout file

In your root /src/+layout.server.ts (or /src/+layout.server.js if not using typescript) you will have to expose the data to the client in order to be able to use the helper methods. You can do this by making the file look like the following:

import type { LayoutServerLoad } from './$types';

export const load: LayoutServerLoad = async ({ locals }) => {
    return {
        auth: await locals.auth.getAuthPageData(),
    };
};

Protecting Routes

You have a few options to protect routes. You should always do route protection in +page.server.ts (or +page.server.js if not using typescript) files to ensure they are always run for the route.

Using the RequireAuth helper

In your +page.server.ts (or +page.server.js if not using typescript) for a route you can define a load function and wrap it in the RequireAuth helper. If the session is not set the user will be redirected to the loginRoute defined in the AuthHandler config.

Here is an example of using the helper:

import type { PageServerLoad } from './$types';
import { RequireAuth, type Authenticated } from '@rabrennie/sveltekit-auth/helpers';

const loadFunction: Authenticated<PageServerLoad> = async ({ locals }) => {
   const session = await locals.auth.getSession();
   // do something with the session.
};

export const load = RequireAuth(loadFunction);

You can also use this to protect actions in the same way

import type { Actions } from './$types';
import { RequireAuth } from '@rabrennie/sveltekit-auth/helpers';

export const actions = {
    anAction: RequireAuth(async ({ locals }) => {
        const session = await locals.auth.getSession();
        // do something with the session.
    })
} satisfies Actions;

Checking the session manually

In your +page.server.ts (or +page.server.js if not using typescript) for a route you can define a load function and check the session manually.

Here is an example of checking the session manually:

import type { PageServerLoad } from './$types';
import { redirect } from '@sveltejs/kit';

export const load: PageServerLoad = async ({ locals }) => {
    const session = await locals.auth.getSession();
 
    if (!session) {
        throw redirect(302, '/login');
    }
    
    // do something with the session.
 };

You can also use this to protect actions in the same way

import type { Actions } from './$types';
import { redirect } from '@sveltejs/kit';

export const actions = {
    anAction: RequireAuth(async ({ locals }) => {
        const session = await locals.auth.getSession();
 
        if (!session) {
            throw redirect(302, '/login');
        }
        
        // do something with the session.
    })
} satisfies Actions;

Client Helpers

use:login and use:logout

Note these can only be used on DOM elements

You can use these helpers to set the correct handler on an element for logging in and out. For anchor elements this will set the href attribute to the relevant url. For all other elements they will register a click handler that will navigate to the correct url.

Example usage:

<script lang="ts">
    import { login, logout} from '@rabrennie/sveltekit-auth/client';
</script>

<a use:login={'github'}>Log in with GitHub</a>
<button use:logout>Logout</button>

loginUrl() and logoutUrl()

You can use these helpers to get the relevant url for logging in and out.

Example usage:

<script lang="ts">
    import { page } from '$app/stores';
    import { loginUrl, logoutUrl } from '@rabrennie/sveltekit-auth/client';
</script>

<a href={loginUrl($page.data, 'github')}>Log in with GitHub</a>
<a href={logoutUrl($page.data)}>Logout</a>

goToLogin() and goToLogout()

You can use these helpers to navigate to the relevant url for logging in and out.

Example usage:

<script lang="ts">
    import { page } from '$app/stores';
    import { goToLogin, goToLogout } from '@rabrennie/sveltekit-auth/client';
</script>

<button on:click={() => goToLogin($page.data, 'github')}>Log in with GitHub</button>
<button on:click={() => goToLogout($page.data)}>Logout</button>

AuthHandler

AuthHandler Options

Below is the definition for the AuthHandler config. You do not need to provide any of the optional parameters.

export interface AuthHandlerConfig {
    /**
     * Registers all the providers that the current app supports
     *
     * @example [new GithubProvider(config)]
     */
    providers: AuthProvider<AuthProviderConfig, Profile>[];

    /**
     * Registers the session strategy that will be used in the current app.
     *
     * @example new JwtProvider(config)
     */
    sessionStrategy: SessionStrategy<SessionStrategyConfig>;

    /**
     * Allows hooking into certain parts of the auth process. Can be used for features such as persisting user data to database
     * or logging
     */
    hooks?: AuthHandlerHooks;

    /**
     * Changes the "root" path prefix for all routes used by sveltekit-auth. By default this is set to '/auth' and
     * all urls used by sveltekit-auth will start with '/auth' (example: '/auth/redirect/github')
     *
     * @example '/auth'
     * @default '/auth'
     */
    routePrefix?: string;

    /**
     * Changes the part of the path used to match a callback route. By default this is set to '/callback'
     * (example: '/auth/callback/github')
     *
     * @example '/callback'
     * @default '/callback'
     */
    callbackPrefix?: string;

    /**
     * Changes the part of the path used to match a redirect route. By default this is set to '/redirect'
     * (example: '/auth/redirect/github')
     *
     * @example '/redirect'
     * @default '/redirect'
     */
    redirectPrefix?: string;

    /**
     * Changes the part of the path used to match the logout route. By default this is set to '/logout'
     * (example: '/auth/logout')
     *
     * @example '/logout'
     * @default '/logout'
     */
    logoutPrefix?: string;

    /**
     * Where the user will be redirected to when using the RequireAuth helper if they are not logged in
     *
     * @example '/login'
     * @default '/login'
     */
    loginRoute?: string;

    /**
     * Where the user will be redirected to on a successful login
     *
     * @example '/'
     * @default '/'
     */
    loginRedirectRoute?: string;

    /**
     * Where the user will be redirected to after logging out, Defaults to loginRoute
     *
     * @example '/login'
     * @default '/login'
     */
    logoutRoute?: string;
}

License

MIT