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

authkit-react-native

v0.1.0

Published

WorkOS AuthKit integration for React Native — OAuth 2.0 PKCE auth with token storage, session restoration, and automatic refresh

Readme

AuthKit for React Native

WorkOS AuthKit integration for React Native. Handles the full OAuth 2.0 PKCE flow, token storage, automatic session restoration, and token refresh — built on Zustand and Expo modules.

For server-side auth proxy examples (Hono, Next.js), see the examples/ directory.

Installation

npx expo install authkit-react-native zustand expo-auth-session expo-secure-store expo-web-browser @react-native-async-storage/async-storage

Client Usage

Create the hook

Create a useAuth hook that your app imports everywhere. The store is created at module scope so the session begins restoring immediately on app launch.

// hooks/useAuth.ts
import { createAuthStore } from "authkit-react-native";
import { useStore } from "zustand";

const authStore = createAuthStore({
  authorizationEndpoint: `${process.env.EXPO_PUBLIC_API_URL}/v1/auth/authorize`,
  tokenEndpoint: `${process.env.EXPO_PUBLIC_API_URL}/v1/auth/token`,
  revocationEndpoint: `${process.env.EXPO_PUBLIC_API_URL}/v1/auth/revoke`,
});

export function useAuth() {
  return useStore(authStore);
}

Protected routes

Because the store lives outside React, there's no provider to wrap your app in. Just call useAuth() in a layout to gate routes while the session is loading:

// app/(auth)/_layout.tsx
import { useAuth } from "@/hooks/useAuth";
import { Redirect, Stack } from "expo-router";

export default function AuthLayout() {
  const { user, isLoading } = useAuth();

  if (isLoading) return <Loading />;
  if (!user) return <Redirect href="/sign-in" />;

  return <Stack />;
}

Sign in

Call signIn() to open the WorkOS AuthKit sign-in page. Returns true on success, false if the user cancelled.

import { useAuth } from "@/hooks/useAuth";

function SignInScreen() {
  const { signIn } = useAuth();

  return (
    <>
      <Button title="Sign in" onPress={() => signIn()} />
      <Button
        title="Sign up"
        onPress={() => signIn({ screenHint: "sign-up" })}
      />
    </>
  );
}

Sign out

signOut() revokes the token and clears storage. It does not show any confirmation UI — add that in your app:

import { useAuth } from "@/hooks/useAuth";
import { Alert } from "react-native";

function SignOutButton() {
  const { user, signOut } = useAuth();

  const handleSignOut = () => {
    Alert.alert(
      user?.email
        ? `Are you sure you want to sign out as ${user.email}?`
        : "Are you sure you want to sign out?",
      undefined,
      [
        { text: "Cancel", style: "cancel" },
        { text: "Sign out", style: "destructive", onPress: () => signOut() },
      ],
    );
  };

  return <Button title="Sign out" onPress={handleSignOut} />;
}

Bare React Native (without Expo)

This package is built around Expo modules but works in any React Native app. Expo packages can be used in bare React Native projects by adding the Expo modules runtime:

  1. Install the expo package:
    npm install expo
    npx install-expo-modules
  2. Install the peer dependencies using npx expo install (handles native linking):
    npx expo install expo-auth-session expo-secure-store expo-web-browser @react-native-async-storage/async-storage zustand
  3. Ensure your app's URL scheme is configured for the OAuth redirect. In app.json or your native project's Info.plist / AndroidManifest.xml, register a deep link scheme (e.g., myapp://).

After that, usage is identical to the examples above.

Configuration

| Option | Required | Default | Description | | ----------------------- | -------- | ------------------- | ------------------------------------------------------------------------- | | authorizationEndpoint | * | WorkOS default | OAuth authorize URL. Required unless clientId is provided. | | clientId | * | — | WorkOS client ID. Required when using the default authorization endpoint. | | tokenEndpoint | Yes | — | Token exchange URL. | | revocationEndpoint | Yes | — | Token revocation URL. | | redirectUri | No | makeRedirectUri() | OAuth redirect URI. | | storageKeyPrefix | No | "workos" | Prefix for SecureStore/AsyncStorage keys. | | devMode | No | false | Logs errors to the console when enabled. |