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

defuss-jwt

v1.0.0

Published

Lean Ed25519 JWT signer/validator with pluggable storage. Based on JOSE.

Readme

defuss-jwt

Ed25519 JWT key management library - token minter/signer/validator with pluggable storage. Based on JOSE.

Install the package (Node.js 18+):

npm install defuss-jwt
# or
pnpm add defuss-jwt
# or
yarn add defuss-jwt

defuss-jwt provides a minimal, function-only Ed25519 JWT toolkit built on jose that emphasizes safe defaults and easy key management. Thus, you need a JWK key-pair to sign and verify tokens.

npx defuss-jwt gen-keys

It writes the file: .env.defuss_auth_keys which contains:

DEFUSS_AUTH_PRIVATE_JWK=...
DEFUSS_AUTH_PUBLIC_JWK=...
DEFUSS_AUTH_KID=...

Key-pairs are read from the process.env as base64url-encoded JSON JWKs by default, so make sure you load them into your environment - e.g. using defuss-env's load method.

You can also generate and pass JWKs directly to the API.

import {
  genEd25519Pair,
  createAuth,
  verifyJwtWithKey,
  signJwt,
  peekHeader,
} from "defuss-jwt";

// Generate keys (kid is RFC 7638 thumbprint)
const keys = await genEd25519Pair();

// Create the auth instance (no token persistence; revocation via tombstones)
const auth = createAuth(keys, {
  storage: {
    async setTokenToStorage(t) { /* persist { id, revoked, expHint? } */ },
    async getTokenFromStorage(id) { /* return tombstone or undefined */ },
  },
  policy: {
    iss: "https://issuer.example.com",
    aud: "my-audience",
    clockToleranceSec: 60, // default is 60
  },
  // Optional: accept rotated keys
  extraPublicKeys: {
    // [oldKid]: oldPublicJwk
  },
  // Optional: require current kid in header
  enforceKid: true,
});

// Issue (no persistence)
const { token, jti, exp } = await auth.issueToken({
  sub: "user-123",
  ttlSec: 3600,
  scope: ["read", "write"],
  nbfSec: 30, // optional not-before (iat + 30s)
});

// Validate
const result = await auth.validateToken(token);
// => { sub, jti, iat, exp, scope? }

// Revoke (tombstone only)
await auth.revokeToken(jti, exp);

defuss-jwt is a minimal, function-only Ed25519 JWT toolkit built on jose that emphasizes safe defaults:

  • Algorithm pinned to EdDSA, OKP/Ed25519 only
  • Deterministic kid via RFC 7638 JWK thumbprint
  • Header peeking (alg/curve guarded) to choose keys before verification
  • Stateless issuance (no persistence) and revocation via tombstones
  • Time validations (exp/nbf/iat) with issuer/audience and clock tolerance

Features

  • Ed25519-only (OKP, crv=Ed25519), alg pinned to EdDSA
  • RFC 7638 thumbprint for kid (stable across runtimes)
  • Header peeking to select the correct public key safely
  • Stateless issuance; revocation via tombstones in your storage
  • Time validation with iss/aud and clockTolerance
  • Key rotation via extraPublicKeys; optional strict kid via enforceKid
  • TypeScript-first, ESM

Supported algorithms and JWT structure

// Protected header (example)
{
  "alg": "EdDSA",
  "typ": "JWT",
  "kid": "RFC7638-thumbprint"
}

// Claims (example)
{
  "sub": "user-123",        // required by validateToken
  "jti": "uuid-v4",         // auto-set by signJwt; required by validateToken
  "iat": 1714761600,        // seconds since epoch
  "exp": 1714765200,        // required
  "nbf": 1714761630,        // optional (iat + nbfSec)
  "iss": "https://issuer",  // optional (policy.iss)
  "aud": "my-audience",     // optional (policy.aud)
  "scope": ["read", "write"]// optional array
}
  • alg must be EdDSA; curve, if present, must be Ed25519 (enforced in peekHeader).
  • validateToken requires sub, jti, numeric iat and exp.
  • signJwt sets iat, exp, jti; you control sub/scope/nbf; iss/aud are injected via policy.

API Reference

genEd25519Pair(): Promise<{ publicJwk: JWK; privateJwk: JWK; kid: string }>

Generate an Ed25519 key pair. kid is the RFC 7638 SHA-256 thumbprint of the public JWK. The kid is set on both returned JWKs.

signJwt(payload, privateJwk, kid, expEpoch, iatEpoch): Promise

Sign with EdDSA, header set to { alg: "EdDSA", typ: "JWT", kid }. Adds iat, exp, jti.

verifyJwtWithKey(token, publicJwk, opts?): Promise

Verify with jose’s jwtVerify, restricted to algorithms: ["EdDSA"]. Pass issuer, audience, clockTolerance, etc. in opts.

peekHeader(token): JWSHeaderParameters

Decode the protected header without verification. Throws unless alg === "EdDSA" and crv (if present) is "Ed25519".

createAuth(keys, opts): { issueToken, revokeToken, validateToken }

  • keys: { publicJwk: JWK; privateJwk: JWK; kid: string }
  • opts:
    • storage: {
      • setTokenToStorage({ id, revoked, expHint? }): Promise
      • getTokenFromStorage(id): Promise<{ id, revoked, expHint? } | undefined> }
    • policy?: { iss?: string; aud?: string; clockToleranceSec?: number }
    • extraPublicKeys?: Record<string, JWK>
    • enforceKid?: boolean
    • now?: () => Date // testing override

Methods:

  • issueToken({ sub: string; ttlSec: number; scope?: string[]; nbfSec?: number })
    • Returns { token, jti, exp }. Internally self-verifies once (with policy) to normalize jti.
  • revokeToken(jti: string, expHint?: number)
    • Tombstone only; use expHint for purge planning.
  • validateToken(token: string): Promise<{ sub, jti, iat, exp, scope? }>
    • Peeks header to select key: enforceKid strictly matches current kid; otherwise tries current kid, then extraPublicKeys[kid], else falls back to current publicJwk.
    • Verifies with policy. Requires sub, jti, iat, exp. Rejects revoked tokens via storage lookup.

Security Features

  • Algorithm pinning to EdDSA; rejects other algs during header peek
  • Curve restriction to Ed25519 (OKP)
  • Deterministic kid via JWK thumbprint (RFC 7638)
  • Time validations: exp/nbf/iat with clock tolerance
  • Optional kid enforcement to avoid unknown/rotated keys
  • Stateless issuance; revocation through server-side tombstones

CLI Tool

This package is programmatic only. No CLI is shipped. You can still serialize keys for environment transport:

# Example: serialize JWKs and kid to base64url for env usage
# (programmatic snippet, not a CLI)

Error Handling

import { signJwt, verifyJwtWithKey, peekHeader } from "defuss-jwt";

// Invalid algorithm in header
expect(() => peekHeader("eyJhbGciOiAiUlMyNTYifQ.payload.sig"))
  .toThrow("Invalid alg (must be EdDSA)");

// Expired token
await expect(verifyJwtWithKey(expiredToken, publicJwk)).rejects.toThrow();

// Malformed token claims (validateToken requires sub/jti/iat/exp)
await expect(auth.validateToken(await signJwt({}, privateJwk, kid, exp, iat)))
  .rejects.toThrow("Malformed token claims");

Why defuss-jwt?

  • Security-first defaults (alg pinning, Ed25519 only)
  • Deterministic, interoperable kid via RFC 7638
  • Simple key rotation and optional strict kid enforcement
  • Stateless issuance with explicit, pluggable revocation
  • Tight, well-tested surface built on jose
  • TypeScript-first, ESM