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

@alien-id/sso-agent-id

v1.0.2

Published

Verify Alien Agent ID tokens — Ed25519 token verification for Node.js services

Downloads

306

Readme

@alien-id/sso-agent-id

Verify Alien Agent ID tokens in Node.js services. Zero dependencies, Ed25519 signature verification, full owner chain verification via Alien SSO.


Additional Resources


Table of Contents


Install

npm install @alien-id/sso-agent-id

Requires Node.js 18+ (Ed25519 support in node:crypto). Zero runtime dependencies.

Quick start

Verify an agent's identity and that their claimed owner is real:

import {
  fetchAlienJWKS,
  verifyAgentRequestWithOwner,
} from '@alien-id/sso-agent-id';

// Fetch JWKS at startup and cache it
const jwks = await fetchAlienJWKS();

// In your request handler
const result = verifyAgentRequestWithOwner(req, { jwks });
if (!result.ok) {
  return res.status(401).json({ error: result.error });
}

// result.fingerprint  — stable agent identity
// result.owner        — human owner's AlienID address
// result.ownerVerified — true: cryptographically proven via Alien SSO
// result.issuer       — "https://sso.alien-api.com"

This verifies the full trust chain: agent key → owner binding → id_token → Alien SSO JWKS → verified human. The owner field is not just self-asserted — it's backed by the SSO server's RS256 signature.

Basic verification (no owner proof)

If you only need to confirm the agent holds a valid Ed25519 key and don't care about the owner claim, you can use verifyAgentToken.

Warning: The owner field is not verified in this mode. Any process can generate a keypair and claim any owner address. Do not use result.owner for access control decisions without full owner verification above.

import { verifyAgentRequest } from '@alien-id/sso-agent-id';

const result = verifyAgentRequest(req);
if (!result.ok) {
  return res.status(401).json({ error: result.error });
}

// result.ownerVerified === false

API

verifyAgentToken(tokenB64, opts?)

Verify a base64url-encoded Agent ID token.

| Parameter | Type | Description | | --- | --- | --- | | tokenB64 | string | The token (everything after "AgentID " in the header) | | opts.maxAgeMs | number | Max token age. Default: 300000 (5 min) | | opts.clockSkewMs | number | Allowed clock skew for future timestamps. Default: 30000 (30 sec) |

Returns VerifySuccess:

{
  ok: true,
  fingerprint: string,     // SHA-256 hex of public key DER (stable identity)
  publicKeyPem: string,    // Ed25519 public key in SPKI PEM
  owner: string | null,    // Human owner's AlienID address
  ownerVerified: false,    // Not verified — use verifyAgentTokenWithOwner
  timestamp: number,       // Token creation time (ms)
  nonce: string,           // Random hex (replay protection)
}

Returns VerifyFailure:

{
  ok: false,
  error: string,  // Human-readable error
}

verifyAgentRequest(req, opts?)

Extract the token from req.headers.authorization and verify it. Works with Express, Fastify, Node http, Next.js, or any object with a headers property.

| Parameter | Type | Description | | --- | --- | --- | | req | { headers: Record<string, string \| string[] \| undefined> } | Request object | | opts | VerifyOptions | Same options as verifyAgentToken |

verifyAgentTokenWithOwner(tokenB64, opts)

Verify a token with full owner chain verification.

| Parameter | Type | Description | | --- | --- | --- | | tokenB64 | string | The token | | opts.jwks | JWKS | Pre-fetched JWKS from fetchAlienJWKS() | | opts.maxAgeMs | number | Max token age. Default: 300000 | | opts.clockSkewMs | number | Allowed clock skew. Default: 30000 |

Returns VerifyOwnerSuccess:

{
  ok: true,
  fingerprint: string,
  publicKeyPem: string,
  owner: string,
  ownerVerified: true,          // Owner cryptographically verified
  ownerProofVerified: boolean,  // Human consent signature present
  issuer: string,               // SSO issuer URL
  timestamp: number,
  nonce: string,
}

verifyAgentRequestWithOwner(req, opts)

Extract the token from req.headers.authorization and verify with full owner chain.

| Parameter | Type | Description | | --- | --- | --- | | req | { headers: Record<string, string \| string[] \| undefined> } | Request object | | opts | VerifyOwnerOptions | Same options as verifyAgentTokenWithOwner |

fetchAlienJWKS(ssoBaseUrl?)

Fetch the JWKS from the Alien SSO server. Callers should cache the result.

| Parameter | Type | Description | | --- | --- | --- | | ssoBaseUrl | string | Default: https://sso.alien-api.com |

Returns Promise<JWKS>.

How it works

sequenceDiagram
    participant Agent
    participant Service
    participant SSO as Alien SSO
    Agent->>Agent: Sign payload with Ed25519 key
    Agent->>Service: Authorization: AgentID <token>
    Service->>Service: Decode token, verify Ed25519 signature
    Service->>Service: Check timestamp, fingerprint
    alt Owner verification requested
        Service->>Service: Verify owner binding signature
        Service->>SSO: Fetch JWKS (cached)
        SSO-->>Service: RSA public keys
        Service->>Service: Verify id_token RS256 signature
        Service->>Service: Check id_token.sub == owner
    end
    Service-->>Agent: 200 OK (or 401)

The token is self-contained: it carries the agent's public key and the full owner proof chain, so verification requires no database lookup, no key exchange, and no pre-registration.

Framework examples

Next.js App Router

import { NextRequest, NextResponse } from 'next/server';
import { verifyAgentToken } from '@alien-id/sso-agent-id';

export async function GET(req: NextRequest) {
  const auth = req.headers.get('authorization');
  if (!auth?.startsWith('AgentID ')) {
    return NextResponse.json({ error: 'Unauthorized' }, { status: 401 });
  }

  const result = verifyAgentToken(auth.slice(8).trim());
  if (!result.ok) {
    return NextResponse.json({ error: result.error }, { status: 401 });
  }

  return NextResponse.json({ agent: result.fingerprint });
}

Express

import express from 'express';
import { verifyAgentRequest } from '@alien-id/sso-agent-id';

const app = express();

function requireAgent(req, res, next) {
  const result = verifyAgentRequest(req);
  if (!result.ok) return res.status(401).json({ error: result.error });
  req.agent = result;
  next();
}

app.get('/api/data', requireAgent, (req, res) => {
  res.json({ data: 'secret', agent: req.agent.fingerprint });
});

Fastify

import Fastify from 'fastify';
import { verifyAgentRequest } from '@alien-id/sso-agent-id';

const app = Fastify();

app.decorateRequest('agent', null);

app.addHook('preHandler', async (request, reply) => {
  if (!request.headers.authorization?.startsWith('AgentID ')) return;
  const result = verifyAgentRequest(request);
  if (!result.ok) return reply.code(401).send({ error: result.error });
  request.agent = result;
});

Access control patterns

Any verified agent

if (!result.ok) return res.status(401).json({ error: result.error });

Human-owned agents only

if (!result.owner) return res.status(403).json({ error: 'Human-owned agent required' });

Allow-list by fingerprint

const ALLOWED = new Set(['f5d9fac4...', '42fbde2a...']);
if (!ALLOWED.has(result.fingerprint)) {
  return res.status(403).json({ error: 'Agent not authorized' });
}

Allow-list by verified owner

Use verifyAgentRequestWithOwner to ensure the owner claim is real:

import {
  fetchAlienJWKS,
  verifyAgentRequestWithOwner,
} from '@alien-id/sso-agent-id';

const jwks = await fetchAlienJWKS();
const OWNERS = new Set(['00000003...', '00000003...']);

const result = verifyAgentRequestWithOwner(req, { jwks });
if (!result.ok) return res.status(401).json({ error: result.error });
if (!OWNERS.has(result.owner)) {
  return res.status(403).json({ error: 'Owner not authorized' });
}

Configuration

| Option | Default | Description | | --- | --- | --- | | maxAgeMs | 300000 (5 min) | Reject tokens older than this | | clockSkewMs | 30000 (30 sec) | Allow tokens this far in the future |

verifyAgentToken(token, {
  maxAgeMs: 60_000,      // 1 minute
  clockSkewMs: 10_000,   // 10 seconds
});

Error reference

| Error | Meaning | | --- | --- | | Invalid token encoding | Not valid base64url JSON | | Unsupported token version: N | Unknown token version | | Token expired (age: Ns) | Older than maxAgeMs or future beyond clockSkewMs | | Invalid public key in token | publicKeyPem is not a valid Ed25519 key | | Fingerprint does not match public key | fingerprint doesn't match SHA-256 of the key DER | | Signature verification failed | Ed25519 signature is invalid — token was tampered with | | Multiple Authorization headers | Duplicate Authorization headers detected | | Missing header: Authorization: AgentID <token> | No valid header found | | Missing field: ownerBinding | Token lacks owner binding (for owner verification) | | Missing field: idToken | Token lacks id_token (for owner verification) | | Owner binding signature verification failed | Binding not signed by this agent key | | Owner binding agent fingerprint mismatch | Binding references a different agent | | Owner binding ownerSessionSub mismatch | Binding owner differs from token owner | | id_token hash does not match owner binding | id_token doesn't match the binding | | id_token signature verification failed | RS256 signature invalid against JWKS | | id_token sub does not match token owner | JWT subject differs from claimed owner |