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

@attest-protocol/attest-ts

v0.2.0

Published

TypeScript SDK for the Action Receipts protocol

Readme

@attest-protocol/attest-ts

TypeScript SDK for the Action Receipts protocol

npm License: Apache 2.0 TypeScript Node.js


Create, sign, hash-chain, store, and verify cryptographically signed audit trails for AI agent actions.

Zero runtime dependencies — uses only node:crypto and node:sqlite.

SpecReference Implementationnpm


Why receipts?

AI agents that read files, run commands, and browse the web are powerful — but that power needs accountability. When an agent operates autonomously, you need to know exactly what it did, prove that the record hasn't been tampered with, and keep sensitive details private.

Use cases:

  • Post-incident review — an agent ran overnight and something broke. The receipt chain shows exactly which actions it took, in what order, and whether each succeeded or failed — with cryptographic proof the log hasn't been altered after the fact.
  • Compliance and audit — regulated environments require evidence of what systems did and why. Receipts are W3C Verifiable Credentials with Ed25519 signatures, giving auditors a tamper-evident trail they can independently verify.
  • Safer autonomous agents — agents can query their own audit trail mid-session. Before taking a high-risk action, they can check what they've already done and whether previous steps succeeded, enabling self-correcting workflows.
  • Multi-agent trust — when agents collaborate, receipts serve as proof of prior actions. Agent B can verify that Agent A actually completed step 1 before proceeding to step 2, without trusting a shared log.
  • Usage tracking — every action is classified by type and risk level, giving you a structured breakdown of what agents spent their time on.

Beyond local storage

Today, this SDK stores receipts locally in SQLite — fully under your control. The Attest Protocol is designed for receipts to travel further when you choose: publishing to a shared ledger, forwarding to a compliance system, or exchanging between agents as proof of prior actions. The receipts are portable W3C Verifiable Credentials, but where they go is always your decision.

Install

npm install @attest-protocol/attest-ts

Quick start

Create and sign a receipt

import {
  createReceipt,
  generateKeyPair,
  hashReceipt,
  signReceipt,
} from "@attest-protocol/attest-ts";

// Generate an Ed25519 key pair
const keys = generateKeyPair();

// Create an unsigned receipt
const unsigned = createReceipt({
  issuer: { id: "did:agent:my-agent" },
  principal: { id: "did:user:alice" },
  action: {
    type: "filesystem.file.read",
    risk_level: "low",
    target: { system: "local", resource: "/docs/report.md" },
  },
  outcome: { status: "success" },
  chain: {
    sequence: 1,
    previous_receipt_hash: null,
    chain_id: "chain_session-1",
  },
});

// Sign and hash
const receipt = signReceipt(unsigned, keys.privateKey, "did:agent:my-agent#key-1");
const hash = hashReceipt(receipt);

Store and query

import { openStore } from "@attest-protocol/attest-ts";

const store = openStore("receipts.db");
store.insert(receipt, hash);

// Query by chain
const chain = store.getChain("chain_session-1");

// Query with filters
const highRisk = store.query({ riskLevel: "high", status: "success" });

// Summary statistics
const stats = store.stats();

store.close();

Verify a chain

import { verifyChain, verifyStoredChain } from "@attest-protocol/attest-ts";

// Verify an array of receipts
const result = verifyChain(receipts, publicKey);
console.log(result.valid);          // true if all signatures and hash links check out
console.log(result.length);         // number of receipts verified

// Or verify directly from the store
const storeResult = verifyStoredChain(store, "chain_session-1", publicKey);

Classify tool calls

import { classifyToolCall, loadTaxonomyConfig } from "@attest-protocol/attest-ts";

// Built-in classification
const result = classifyToolCall("read_file");
// → { action_type: "unknown", risk_level: "medium" }

// With custom mappings
const mappings = loadTaxonomyConfig("taxonomy.json");
const mapped = classifyToolCall("read_file", mappings);
// → { action_type: "filesystem.file.read", risk_level: "low" }

What is an Action Receipt?

A W3C Verifiable Credential signed with Ed25519, recording:

| Field | What it captures | |:---|:---| | Action | What happened, classified by a standardized taxonomy | | Principal | Who authorized it (human or organization) | | Issuer | Which agent performed it | | Outcome | Success/failure, reversibility, undo method | | Chain | SHA-256 hash link to the previous receipt (tamper-evident) | | Privacy | Parameters are hashed, never stored in plaintext |

API reference

Receipt creation and signing

import {
  createReceipt,       // Build an unsigned receipt from input fields
  generateKeyPair,     // Ed25519 key pair (PEM-encoded)
  signReceipt,         // Sign with Ed25519Signature2020 proof
  verifyReceipt,       // Verify a single receipt's signature
} from "@attest-protocol/attest-ts";

Hashing and canonicalization

import {
  canonicalize,        // RFC 8785 JSON canonicalization
  hashReceipt,         // Hash receipt (excluding proof) → "sha256:<hex>"
  sha256,              // Hash arbitrary data → "sha256:<hex>"
} from "@attest-protocol/attest-ts";

Chain verification

import {
  verifyChain,         // Verify signatures, hash links, and sequence numbering
} from "@attest-protocol/attest-ts";

Storage (SQLite)

import {
  openStore,           // Open or create a receipt store
  ReceiptStore,        // Insert, query, get by ID, get chain, stats
  verifyStoredChain,   // Load a chain from store and verify integrity
} from "@attest-protocol/attest-ts";

Taxonomy

import {
  classifyToolCall,    // Map tool names → action types + risk levels
  loadTaxonomyConfig,  // Load tool→action mappings from a JSON config file
  ALL_ACTIONS,         // All 15 built-in action types
  resolveActionType,   // Look up action type with fallback to "unknown"
} from "@attest-protocol/attest-ts";

Subpath imports

For more targeted imports:

import { createReceipt, signReceipt } from "@attest-protocol/attest-ts/receipt";
import { openStore } from "@attest-protocol/attest-ts/store";
import { classifyToolCall } from "@attest-protocol/attest-ts/taxonomy";

Project structure

src/
  receipt/      # Receipt creation, Ed25519 signing, RFC 8785 hashing, chain verification
  store/        # SQLite persistence and chain integrity verification
  taxonomy/     # Action type classification (15 types) + config file loading

Development

pnpm install
pnpm run test          # 101 tests
pnpm run check         # typecheck + lint
pnpm run build         # compile to dist/

| | | |:---|:---| | Language | TypeScript ESM, strict mode | | Linting | Biome (tabs, double quotes) | | Testing | Vitest (colocated *.test.ts files) | | Runtime deps | Zero — node:crypto and node:sqlite only |

Ecosystem

| Repository | Description | |:---|:---| | attest-protocol/spec | Protocol specification, JSON Schemas, canonical taxonomy | | @attest-protocol/attest-ts (this package) | TypeScript SDK | | ojongerius/attest | MCP proxy + CLI (reference implementation, consumes this SDK) | | attest-protocol/attest-py | Python SDK (PyPI) |

License

Apache 2.0 — see LICENSE.