The simplest way of doing Auth with seamless and decentralized Key-Management for SSO, Authentication, Membership, and Profile-Management
Being trusted by Financial Institutions for Client Onboarding and Digital Communities for Membership Management. Examples include NSAuth and OneBoard. The SDK enables client-side managing of private-keys with WebAuthn passkeys (FIDO2 credentials). By leveraging passkeys, users avoid traditional private‑key backups and password hassles, relying instead on biometric or device‑based authentication. The keys are compatible with common blockchains like Bitcoin and Ethereum and data is stored as events on public relays and can be encrypted.
Open‑source, client‑side, decentralized single‑sign‑on (SSO) like NSAuth is superior because it puts the user’s identity and cryptographic keys directly in the hands of the individual, eliminating reliance on any central authority that could become a single point of failure, a privacy sinkhole, or a bottleneck for policy updates. By storing a self‑sovereign credential on the device’s secure enclave and validating access against a signed, versioned member list, every interaction—from unlocking a gym door to logging into an online course is verified instantly without ever transmitting personal identifiers. This architecture enables real‑time privilege changes (a badge upgrade or a revocation propagates the moment the list is updated), removes passwords and phishing risk through biometric or hardware‑key authentication, and works uniformly for anyone, including stateless persons or diaspora communities, because trust is derived from cryptographic proofs rather than government‑issued IDs. Moreover, being open source lets developers audit the code, contribute improvements, and ensure transparency, while the decentralized design guarantees that no single entity can unilaterally alter membership rules, providing stronger governance, auditability, and privacy than traditional, server‑centric SSO solutions.
NSAuth is designed as a frontend SSO where data can be synced in a trust minimized way. The basics are there for extensions to interoperate with Farcaster, Nostr, Ethereum, Solana or even regular webservers.
Derive the private key directly from the PRF value produced by a passkey.
Encrypt an existing private key with a key derived from the passkey’s PRF output. WebAuthn PRF Extension The PRF (Pseudo‑Random Function) extension, part of WebAuthn Level 3, yields deterministic 32‑byte high‑entropy values from an authenticator’s internal private key and a supplied salt. The same credential ID and salt always generate the same PRF output, which never leaves the device except during authentication.
A 32‑byte PRF output can serve as a private key if it falls within the secp256k1 range (1 ≤ value < n). The chance of falling outside this range is astronomically low (~2⁻²²⁴), so explicit range checks are generally unnecessary.
Install the client on a new device. Fetch the latest kind 30100 event for the target public key. Extract the PWKBlob and decrypt it with the passkey’s PRF value. Use the recovered private key for signing. Multiple passkeys can each have their own PWKBlob, allowing redundancy across devices.
Install from npm:
npm install ns-auth-sdk
# or
pnpm install ns-auth-sdk
# or
yarn add ns-auth-sdkimport { AuthService, RelayService } from 'ns-auth-sdk';
import { EventStore } from 'applesauce-core';
// Initialize auth service
const authService = new AuthService({
rpId: 'your-domain.com',
rpName: 'Your App Name',
storageKey: 'nsauth_keyinfo',
cacheOnCreation: true, // Enable early caching (default: true)
});
// Initialize relay service with EventStore
const relayService = new RelayService({
relayUrls: ['wss://relay.io'],
});
// Initialize with EventStore
const eventStore = new EventStore(/* config */);
relayService.initialize(eventStore);import { useAuthStore } from 'ns-auth-sdk';
function App() {
const publicKey = useAuthStore((state) => state.publicKey);
const isAuthenticated = useAuthStore((state) => state.isAuthenticated);
const setAuthenticated = useAuthStore((state) => state.setAuthenticated);
// Initialize auth on mount
useAuthInit(authService, setAuthenticated);
// ... rest of your app
}import { RegistrationFlow } from 'ns-auth-sdk';
import { useRouter } from 'next/navigation'; // or your router
function RegisterPage() {
const router = useRouter();
return (
<RegistrationFlow
authService={authService}
setAuthenticated={useAuthStore((state) => state.setAuthenticated)}
onSuccess={() => router.push('/profile')}
/>
);
}import { LoginButton } from 'ns-auth-sdk';
function LoginPage() {
return (
<LoginButton
authService={authService}
setAuthenticated={useAuthStore((state) => state.setAuthenticated)}
setLoginError={useAuthStore((state) => state.setLoginError)}
onSuccess={() => router.push('/dashboard')}
/>
);
}import { ProfilePage } from 'ns-auth-sdk';
function ProfilePageComponent() {
const publicKey = useAuthStore((state) => state.publicKey);
return (
<ProfilePage
authService={authService}
relayService={relayService}
publicKey={publicKey}
onUnauthenticated={() => router.push('/login')}
onSuccess={() => router.push('/membership')}
onRoleSuggestion={async (about) => {
// Optional: Provide role suggestion callback
const response = await fetch('/api/suggest-role', {
method: 'POST',
body: JSON.stringify({ about }),
});
const data = await response.json();
return data.role || null;
}}
/>
);
}import { MembershipPage } from 'ns-auth-sdk';
function MembershipPageComponent() {
const publicKey = useAuthStore((state) => state.publicKey);
return (
<MembershipPage
authService={authService}
relayService={relayService}
publicKey={publicKey}
onUnauthenticated={() => router.push('/login')}
/>
);
}createPasskey(username?: string): Promise<Uint8Array>- Create a new passkeycreateNostrKey(credentialId?: Uint8Array): Promise<NostrKeyInfo>- Create Nostr key from passkeygetPublicKey(): Promise<string>- Get current public keysignEvent(event: NostrEvent): Promise<NostrEvent>- Sign a Nostr eventgetCurrentKeyInfo(): NostrKeyInfo | null- Get current key infosetCurrentKeyInfo(keyInfo: NostrKeyInfo): void- Set current key infohasKeyInfo(): boolean- Check if key info existsclearStoredKeyInfo(): void- Clear stored key infoisPrfSupported(): Promise<boolean>- Check if PRF is supported
interface NosskeyManagerOptions {
cacheOptions?: {
enabled: boolean;
timeoutMs?: number;
cacheOnCreation?: boolean; // Cache key immediately after derivation (default: true)
};
storageOptions?: {
enabled: boolean;
storage?: Storage;
storageKey?: string;
};
prfOptions?: {
rpId?: string;
timeout?: number;
userVerification?: UserVerificationRequirement;
};
}Cache Options:
enabled: Enable/disable key cachingtimeoutMs: Cache timeout in milliseconds (default: 30 minutes)cacheOnCreation: Whentrue, caches the key immediately aftercreateNostrKey()to reduce biometric prompts from 2-3 to 1-2. This is enabled by default for better user experience.
Service for communicating with Nostr relays using applesauce-core.
initialize(eventStore: EventStore): void- Initialize with EventStoregetRelays(): string[]- Get current relay URLssetRelays(urls: string[]): void- Set relay URLspublishEvent(event: NostrEvent, timeoutMs?: number): Promise<boolean>- Publish eventfetchProfile(pubkey: string): Promise<ProfileMetadata | null>- Fetch profilefetchProfileRoleTag(pubkey: string): Promise<string | null>- Fetch role tagfetchFollowList(pubkey: string): Promise<FollowEntry[]>- Fetch follow listfetchMultipleProfiles(pubkeys: string[]): Promise<Map<string, ProfileMetadata>>- Fetch multiple profilesqueryProfiles(pubkeys?: string[], limit?: number): Promise<Map<string, ProfileMetadata>>- Query profilespublishFollowList(pubkey: string, followList: FollowEntry[], signEvent: (event: NostrEvent) => Promise<NostrEvent>): Promise<boolean>- Publish follow list
All components are framework-agnostic React components that accept callback props for navigation.
authService: AuthService- Auth service instancerelayService?: RelayService- Relay service instance (required for profile/membership)publicKey?: string | null- Current user's public keyonSuccess?: () => void- Success callbackonUnauthenticated?: () => void- Unauthenticated callback
This library is designed to work seamlessly with applesauce-core. The RelayService uses applesauce's EventStore for all relay operations.
import { EventStore } from 'applesauce-core';
import { RelayService } from 'ns-auth-sdk';
const eventStore = new EventStore({
// configuration
});
const relayService = new RelayService();
relayService.initialize(eventStore);- Configure a strict Content Security Policy (CSP) in the host app to restrict script and image sources.
- Add rate limiting or debouncing around profile queries and event publishing in the host app or API layer.
- Avoid surfacing raw error details to end users; log detailed errors in secure logs.