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

@hathbanger/tap-core

v1.0.0

Published

RFC 9421 HTTP Message Signatures for AI agents — crypto primitives for Visa Trusted Agent Protocol (TAP)

Readme

@hathbanger/tap-core

RFC 9421 HTTP Message Signatures for AI agents — the crypto primitives behind Visa's Trusted Agent Protocol (TAP).

Generate Ed25519 keypairs, sign HTTP requests with cryptographically verifiable identity, and verify those signatures on the server side. Works in Node.js and any runtime with the Web Crypto API.

import { generateKeyPair, signRequest, verifyAgentSignature } from "@hathbanger/tap-core"

const keyPair = await generateKeyPair()

const headers = await signRequest(keyPair, [
  ["@method", "POST"],
  ["@authority", "api.example.com"],
  ["@path", "/v1/checkout"],
], "agent-payer-auth")

// headers["signature-input"] → sig1=("@method" "@authority" "@path");created=...;keyid="...";...
// headers["signature"]       → sig1=:base64url:

Install

npm install @hathbanger/tap-core
# or
pnpm add @hathbanger/tap-core

Requires Node.js 18+. No native dependencies.


Core concepts

Keypair — an Ed25519 keypair with a derived key ID (JWK SHA-256 thumbprint). The public half is published to a JWKS endpoint; the private half signs requests.

Signature-Input — an RFC 9421 header that describes what was signed: the ordered list of covered components, a timestamp window, nonce, key ID, algorithm, and an optional application tag.

Signature — the Ed25519 signature over the canonical signature base, base64url-encoded.

Verification — the recipient re-derives the signature base from the live request values and verifies the signature against the key fetched from JWKS.


Usage

1. Generate a keypair

import { generateKeyPair, exportKeyPairToJwk } from "@hathbanger/tap-core"

const keyPair = await generateKeyPair()
// keyPair.keyId     → "abc123..." (JWK thumbprint, stable key identifier)
// keyPair.privateKey → CryptoKey (sign)
// keyPair.publicKey  → CryptoKey (verify)
// keyPair.jwk        → TapJwk    (publish to /.well-known/jwks)

// Export to JWK for storage / transport
const { privateJwk, publicJwk } = await exportKeyPairToJwk(keyPair)

2. Sign a request

Pass an ordered list of [componentName, componentValue] tuples. You control exactly which parts of the request are covered.

import { signRequest } from "@hathbanger/tap-core"

// Minimal — authority + path only
const headers = await signRequest(keyPair, [
  ["@authority", "api.example.com"],
  ["@path", "/v1/browse"],
], "agent-browser-auth")

// Full — method + authority + path + body integrity
const headers = await signRequest(keyPair, [
  ["@method", "POST"],
  ["@authority", "api.example.com"],
  ["@path", "/v1/checkout"],
  ["content-type", "application/json"],
  ["content-digest", `sha-256=:${bodyDigestBase64}:`],
], "agent-payer-auth")

// Attach to your fetch call
await fetch("https://api.example.com/v1/checkout", {
  method: "POST",
  headers: { ...headers, "content-type": "application/json" },
  body: JSON.stringify(payload),
})

Covered component names follow RFC 9421 conventions:

  • Derived: @method, @authority, @path, @target-uri, @scheme, @query
  • HTTP fields: any lowercase header name — content-type, content-digest, authorization, etc.

Tags are application-defined labels. TAP uses: | Tag | When to use | |-----|-------------| | agent-browser-auth | Agent browsing / reading data | | agent-payer-auth | Agent initiating a payment as payer | | agent-payee-auth | Agent accepting a payment as payee |

3. Verify a signature

The verifier reads the covered component list out of Signature-Input and reconstructs the base from the values you supply. Pass a map of all components that could appear.

import { verifyAgentSignature, fetchPublicKeyFromJwks } from "@hathbanger/tap-core"

const result = await verifyAgentSignature(
  {
    "@method":    req.method,
    "@authority": req.headers.host,
    "@path":      new URL(req.url, "http://x").pathname,
    "content-type": req.headers["content-type"] ?? "",
  },
  req.headers["signature-input"],
  req.headers["signature"],
  (kid) => fetchPublicKeyFromJwks("https://mcp.visa.com/.well-known/jwks", kid)
)

if (!result.valid) {
  return res.status(401).json({ error: result.failureReason })
}

// result.agentKeyId → verified key ID
// result.tag        → "agent-payer-auth" etc.

4. Load a keypair from stored JWK

import { loadKeyPairFromJwk } from "@hathbanger/tap-core"

const privateJwk = JSON.parse(fs.readFileSync("agent.private.jwk.json", "utf-8"))
const keyPair = await loadKeyPairFromJwk(privateJwk)

5. Serve a JWKS endpoint

import { buildJwksResponse } from "@hathbanger/tap-core"

// In your route handler:
const body = buildJwksResponse([keyPair.jwk])
res.json(body)
// → { keys: [{ kty: "OKP", crv: "Ed25519", x: "...", kid: "...", use: "sig" }] }

API Reference

Keys

| Function | Description | |----------|-------------| | generateKeyPair() | Generate an Ed25519 TapKeyPair with derived key ID | | exportKeyPairToJwk(pair) | Export keypair to { privateJwk, publicJwk } | | loadKeyPairFromJwk(privateJwk) | Reconstruct a TapKeyPair from a stored private JWK | | importPrivateKey(jwk) | Import a raw JWK → CryptoKey for signing | | importPublicKey(jwk) | Import a raw JWK → CryptoKey for verification |

Signing

| Function | Description | |----------|-------------| | signRequest(keyPair, components, tag) | Sign an HTTP request — returns { "signature-input", "signature" } | | signPayload(keyPair, payload) | Sign an arbitrary JSON payload — returns base64url signature | | buildSignatureBase(components, params) | Low-level: construct the RFC 9421 signature base string | | buildSignatureInputParams(componentNames, params) | Low-level: serialize the Inner List + params string |

Verification

| Function | Description | |----------|-------------| | verifyAgentSignature(componentValues, sigInput, sig, fetchKey) | Verify an RFC 9421 agent signature | | parseSignatureInput(header) | Parse Signature-Input{ params, components, raw } | | parseSignatureHeader(header) | Extract raw base64url signature from Signature header | | verifyConsumerRecognition(obj, nonce, fetchKey) | Verify a TAP Consumer Recognition Object | | verifyPaymentContainer(obj, nonce, fetchKey) | Verify a TAP Payment Container | | verifyAgentPayeeObject(payment, fetchKey) | Verify a TAP A2A payment credential |

JWKS

| Function | Description | |----------|-------------| | fetchPublicKeyFromJwks(url, keyId) | Fetch a key by ID from a JWKS endpoint (5-min cache) | | buildJwksResponse(publicJwks) | Build a { keys: [...] } JWKS response body |

Nonce / Timestamps

| Function | Description | |----------|-------------| | generateNonce() | Generate a cryptographically random base64url nonce | | makeTimestamps() | Return { created, expires } with an 8-minute window | | validateTimestamps(created, expires) | Validate timestamp window against current time | | nowSeconds() | Current Unix timestamp in seconds |

TAP Tokens (Consumer Identity)

| Function | Description | |----------|-------------| | createIdToken(keyPair, claims) | Create an EdDSA JWT for a Consumer Recognition Object | | verifyIdToken(token, publicJwk, audience) | Verify and decode a TAP ID token | | hashPii(value) | SHA-256 hash a PII value (email / phone) | | maskEmail(email) | Mask email to a***@domain.com | | maskPhone(phone) | Mask phone to ***-***-1234 |


Types

import type {
  TapKeyPair,          // { keyId, privateKey, publicKey, jwk }
  TapJwk,              // JWK with optional kid, use, alg
  TapSignedHeaders,    // { "signature-input": string; signature: string }
  SignatureInputParams,// { tag, keyId, alg, created, expires, nonce }
  SignatureTag,        // "agent-browser-auth" | "agent-payer-auth" | "agent-payee-auth"
  VerificationResult,  // { valid, agentKeyId?, tag?, failureReason? }
} from "@hathbanger/tap-core"

Express middleware example

import express from "express"
import { verifyAgentSignature, fetchPublicKeyFromJwks } from "@hathbanger/tap-core"

const JWKS_URL = process.env.TAP_JWKS_URL ?? "http://localhost:4456/.well-known/jwks"

async function tapAuth(req, res, next) {
  const sigInput = req.headers["signature-input"]
  const sig      = req.headers["signature"]

  if (!sigInput || !sig) return next() // not a TAP request

  const result = await verifyAgentSignature(
    {
      "@method":    req.method,
      "@authority": req.hostname,
      "@path":      req.path,
    },
    sigInput,
    sig,
    (kid) => fetchPublicKeyFromJwks(JWKS_URL, kid)
  )

  if (!result.valid) {
    return res.status(401).json({ error: result.failureReason })
  }

  req.tapAgent = { keyId: result.agentKeyId, tag: result.tag }
  next()
}

Spec compliance

This library implements the signature and verification mechanics from RFC 9421 — HTTP Message Signatures. Key points:

  • Signature base is constructed as specified in §2.5, with each covered component on its own line followed by "@signature-params".
  • Inner List serialization (§4.1) covers any ordered set of derived components (@method, @authority, @path, etc.) and HTTP field names.
  • Algorithm: Ed25519 (alg="ed25519") using Web Crypto subtle.sign/verify.
  • Key IDs: derived as a JWK SHA-256 thumbprint (RFC 7638).
  • Timestamp window: 8 minutes (createdexpires), enforced on both sign and verify.

License

MIT