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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@users-au/client

v1.0.0

Published

Users.au OAuth 2.0 frontend client library for Vanilla JS, Vue 3, React, and Next.js

Readme

Users.au Frontend Client

npm version License: MIT

The official frontend JavaScript/TypeScript client for Users.au OAuth 2.0 authentication. Works with Vanilla JS, Vue 3, React, and Next.js.

Mirrors the functionality of the users-au/laravel-client PHP package.


Table of Contents


Features

  • 🔐 OAuth 2.0 + PKCE — Secure authentication without exposing a client secret
  • 👤 User Management — Fetches and caches user profile automatically
  • 🔄 Token Management — Access & refresh token handling with auto-refresh
  • 💾 Flexible StoragelocalStorage, sessionStorage, or in-memory (SSR safe)
  • 🎨 Framework Agnostic — Core + first-class Vue 3, React, and Next.js integrations
  • 🚪 Single Sign-Out — Coordinated logout across your app and Users.au

Installation

npm install @users-au/client

Peer Dependencies

Install only what you need:

# For Vue 3
npm install vue

# For React / Next.js
npm install react react-dom

Configuration

| Option | Type | Default | Description | |--------|------|---------|-------------| | clientId | string | required | Your Users.au OAuth client ID | | host | string | required | Users.au host URL (e.g. https://auth.users.au) | | redirectUri | string | required | OAuth redirect URI registered with Users.au | | afterLoginUrl | string | '/' | Redirect URL after successful login | | afterLogoutUrl | string | '/' | Redirect URL after logout | | afterRegisterUrl | string | '/' | Redirect URL after registration | | scopes | string[] | ['openid', 'profile', 'email'] | OAuth scopes to request | | storage | 'localStorage' \| 'sessionStorage' \| 'memory' | 'localStorage' | Token storage strategy |


Usage — Vanilla JS / TypeScript

import { UsersauClient } from '@users-au/client';

const client = new UsersauClient({
  clientId: 'your_client_id',
  host: 'https://auth.users.au',
  redirectUri: 'https://yourapp.com/auth/callback',
  afterLoginUrl: '/dashboard',
  afterLogoutUrl: '/',
});

// Login
document.getElementById('login-btn')?.addEventListener('click', () => {
  client.login();
});

// Logout
document.getElementById('logout-btn')?.addEventListener('click', () => {
  client.logout();
});

// Register
document.getElementById('register-btn')?.addEventListener('click', () => {
  client.register();
});

// Manage account
document.getElementById('account-btn')?.addEventListener('click', () => {
  client.account();
});

// On your callback page (https://yourapp.com/auth/callback)
await client.handleCallback();

// Check auth state
console.log(client.isAuthenticated);  // true | false
console.log(client.user);             // UsersauUser | null
console.log(client.accessToken);      // string | null

// Subscribe to state changes
const unsubscribe = client.subscribe((state) => {
  console.log('Auth state changed:', state);
});

Usage — Vue 3

1. Install the plugin (main.ts)

import { createApp } from 'vue';
import { UsersauPlugin } from '@users-au/client/vue';
import App from './App.vue';

const app = createApp(App);

app.use(UsersauPlugin, {
  clientId: 'your_client_id',
  host: 'https://auth.users.au',
  redirectUri: 'https://yourapp.com/auth/callback',
  afterLoginUrl: '/dashboard',
});

app.mount('#app');

2. Use the composable

<script setup lang="ts">
import { useUsersau } from '@users-au/client/vue';

const { user, isAuthenticated, isLoading, login, logout, register, account } = useUsersau();
</script>

<template>
  <div v-if="isLoading">Loading...</div>
  <div v-else-if="isAuthenticated">
    <p>Welcome, {{ user?.name }}!</p>
    <img v-if="user?.avatar" :src="user.avatar" :alt="user.name" />
    <button @click="account">Manage Account</button>
    <button @click="logout">Logout</button>
  </div>
  <div v-else>
    <button @click="login">Login with Users.au</button>
    <button @click="register">Register with Users.au</button>
  </div>
</template>

3. Callback page (/auth/callback)

<script setup lang="ts">
import { onMounted } from 'vue';
import { useRouter } from 'vue-router';
import { useUsersau } from '@users-au/client/vue';

const { handleCallback, error } = useUsersau();
const router = useRouter();

onMounted(async () => {
  await handleCallback(); // automatically redirects after success
});
</script>

<template>
  <div v-if="error">Authentication failed: {{ error.message }}</div>
  <div v-else>Processing login...</div>
</template>

Usage — React

1. Wrap your app with the provider

// app.tsx
import { UsersauProvider } from '@users-au/client/react';

export default function App() {
  return (
    <UsersauProvider
      config={{
        clientId: 'your_client_id',
        host: 'https://auth.users.au',
        redirectUri: 'https://yourapp.com/auth/callback',
        afterLoginUrl: '/dashboard',
      }}
    >
      <MyApp />
    </UsersauProvider>
  );
}

2. Use the hook

import { useUsersau } from '@users-au/client/react';

export function Navbar() {
  const { user, isAuthenticated, login, logout, register, account } = useUsersau();

  if (isAuthenticated) {
    return (
      <nav>
        <span>Welcome, {user?.name}</span>
        <button onClick={account}>Manage Account</button>
        <button onClick={logout}>Logout</button>
      </nav>
    );
  }

  return (
    <nav>
      <button onClick={login}>Login with Users.au</button>
      <button onClick={register}>Register with Users.au</button>
    </nav>
  );
}

3. Callback page

// pages/auth/callback.tsx (or app/auth/callback/page.tsx)
import { useEffect } from 'react';
import { useUsersau } from '@users-au/client/react';

export default function CallbackPage() {
  const { handleCallback, isLoading, error } = useUsersau();

  useEffect(() => {
    handleCallback(); // automatically redirects after success
  }, []);

  if (error) return <p>Authentication failed: {error.message}</p>;
  return <p>Processing login...</p>;
}

Usage — Next.js

The @users-au/client/nextjs entry re-exports everything from the React integration with SSR-safe defaults (uses memory storage on the server).

// app/providers.tsx  ('use client')
'use client';
import { UsersauProvider } from '@users-au/client/nextjs';

export function Providers({ children }: { children: React.ReactNode }) {
  return (
    <UsersauProvider
      config={{
        clientId: process.env.NEXT_PUBLIC_USERSAU_CLIENT_ID!,
        host: process.env.NEXT_PUBLIC_USERSAU_HOST!,
        redirectUri: `${process.env.NEXT_PUBLIC_APP_URL}/auth/callback`,
      }}
    >
      {children}
    </UsersauProvider>
  );
}
// app/auth/callback/page.tsx  ('use client')
'use client';
import { useEffect } from 'react';
import { useSearchParams } from 'next/navigation';
import { useUsersau } from '@users-au/client/nextjs';

export default function CallbackPage() {
  const { handleCallback, error } = useUsersau();
  const searchParams = useSearchParams();

  useEffect(() => {
    const code = searchParams.get('code');
    const state = searchParams.get('state');
    if (code && state) {
      handleCallback({ code, state });
    }
  }, [searchParams]);

  if (error) return <p>Authentication failed: {error.message}</p>;
  return <p>Processing login...</p>;
}

Environment Variables (.env.local)

NEXT_PUBLIC_USERSAU_CLIENT_ID="your_client_id"
NEXT_PUBLIC_USERSAU_HOST="https://auth.users.au"
NEXT_PUBLIC_APP_URL="https://yourapp.com"

Using a client secret? See the BFF pattern for performing the token exchange server-side in a Next.js API route.


API Reference

UsersauClient

| Method | Returns | Description | |--------|---------|-------------| | login() | Promise<void> | Redirect to Users.au authorization | | register() | void | Redirect to Users.au registration | | handleCallback(params?) | Promise<UsersauUser> | Exchange code for tokens, fetch user | | logout() | void | Clear tokens, redirect to Users.au logout | | account() | void | Redirect to Users.au account page | | refreshToken() | Promise<UsersauTokens> | Refresh access token | | syncUser() | Promise<UsersauUser> | Re-fetch user info from Users.au | | subscribe(fn) | () => void | Subscribe to state changes (returns unsubscribe) |

| Property | Type | Description | |----------|------|-------------| | user | UsersauUser \| null | Current authenticated user | | isAuthenticated | boolean | Whether user is logged in | | accessToken | string \| null | Current access token | | state | UsersauState | Full reactive state snapshot |

UsersauUser

interface UsersauUser {
  id: string;
  nickname?: string;
  name: string;
  email: string;
  avatar?: string;
}

OAuth 2.0 Flow Overview

User clicks Login
      │
      ▼
client.login()  ──generates PKCE verifier + challenge──►  {host}/oauth/authorize
                                                                  │
                                                            User authenticates
                                                                  │
                                                          Redirect to redirectUri
                                                          ?code=...&state=...
                                                                  │
      ◄──────────────────────────────────────────────────────────┘
      │
client.handleCallback()
      │
      ├── POST {host}/oauth/token  (code + verifier)
      │         └── returns access_token, refresh_token
      │
      └── GET {host}/api/user  (Bearer token)
                └── returns user profile
                      │
                      └── Redirect to afterLoginUrl

Troubleshooting

OAuth state mismatch error The state parameter returned in the callback doesn't match what was stored. Ensure cookies/localStorage are not blocked and the login flow was initiated from the same browser session.

No PKCE verifier found error The PKCE code verifier wasn't found in storage. This can happen if:

  • The user opened the callback URL in a different browser/tab
  • Storage was cleared between login and callback
  • Third-party cookie blocking affected localStorage

SSR / Next.js hydration issues Use 'use client' on components that call useUsersau(). The storage: 'memory' option prevents server-side storage access errors.


Contributing

See CONTRIBUTING.md.

License

MIT © Users.au