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

@pagopa/io-wallet-oid-federation

v1.2.1

Published

This package provides a set of tools, schemas, and utilities to work with the **IT Wallet OpenID Federation** specification. It is designed to help developers create and validate artifacts such as Entity Configurations and Entity Statements in a compliant

Downloads

7,927

Readme

@pagopa/io-wallet-oid-federation

This package provides a set of tools, schemas, and utilities to work with the IT Wallet OpenID Federation specification. It is designed to help developers create and validate artifacts such as Entity Configurations and Entity Statements in a compliant and secure manner.

Installation

To install the package, use your preferred package manager:

# Using pnpm
pnpm add @pagopa/io-wallet-oid-federation

# Using yarn
yarn add @pagopa/io-wallet-oid-federation

Core Concepts

OpenID Federation is a protocol that allows different entities (like Wallet Providers, Credential Issuers, and Verifiers) to establish trust with each other in a decentralized way. Instead of relying on a central authority, each entity publishes its own metadata in a self-signed JWT document called an Entity Configuration.

This package provides the necessary tools to:

  • Define Metadata: Use pre-built Zod schemas to define the metadata for different entity types (wallet_provider, openid_credential_issuer, etc.).

  • Create Entity Configurations: Generate a valid, signed JWT that represents your entity's configuration, which can then be published for other entities to discover and trust.

  • Validate Artifacts: Ensure that incoming federation documents are correctly structured and compliant with the IT Wallet specification.

Usage

Creating an Entity Configuration

The primary function of this package is createItWalletEntityConfiguration. It takes your entity's claims and a signing callback to produce a signed JWT.

Here is an example of how to create an Entity Configuration for a Credential Issuer:

import {
  createItWalletEntityConfiguration,
  SignCallback,
} from "@pagopa/io-wallet-oid-federation";

// Define your entity's base URL and public JWK
const baseURL = "https://issuer.example.it";
const publicJwk = {
  kty: "EC",
  crv: "P-256",
  x: "...",
  y: "...",
  kid: "key-1",
};

// Define a signing callback that uses your private key
const signJwtCallback: SignCallback = async ({ toBeSigned, jwk }) => {
  // Your signing logic here using the jwk parameter
  // Return the signature as Uint8Array
  // ...
};

// Create the Entity Configuration JWT
const entityConfigurationJwt = await createItWalletEntityConfiguration({
  header: {
    alg: "ES256",
    kid: publicJwk.kid,
    typ: "entity-statement+jwt",
  },
  claims: {
    iss: baseURL,
    sub: baseURL,
    exp: Math.floor(Date.now() / 1000) + 3600, // Expires in 1 hour
    iat: Math.floor(Date.now() / 1000),
    jwks: {
      keys: [publicJwk],
    },
    authority_hints: [`${baseURL}/trust_anchor`],
    metadata: {
      federation_entity: {
        organization_name: "PagoPa S.p.A.",
        homepage_uri: "https://io.italia.it",
        policy_uri: "https://io.italia.it/privacy-policy",
        logo_uri: "https://io.italia.it/assets/img/io-it-logo-blue.svg",
        contacts: ["[email protected]"],
        federation_resolve_endpoint: `${baseURL}/resolve`,
      },
      openid_credential_issuer: {
        // ... your issuer-specific metadata
      },
      oauth_authorization_server: {
        // ... your authorization server metadata
      },
    },
  },
  signJwtCallback,
});

console.log(entityConfigurationJwt);
// This JWT can now be served at `https://issuer.example.it/.well-known/openid-federation`

Versioned Entity Metadata Layout

Entity metadata schemas are organised by specification version under src/metadata/entity/:

metadata/entity/
├── v1.0/                              # Spec v1.0 schemas
│   ├── ItWalletProvider.ts            # wallet_provider
│   ├── itWalletAuthorizationServer.ts # oauth_authorization_server
│   ├── itWalletCredentialIssuer.ts    # openid_credential_issuer
│   ├── itWalletCredentialVerifier.ts  # openid_credential_verifier
│   └── index.ts
├── v1.3/                              # Spec v1.3 schemas
│   ├── itWalletSolution.ts            # wallet_solution (replaces wallet_provider)
│   ├── itWalletAuthorizationServer.ts # oauth_authorization_server (updated for v1.3)
│   ├── itWalletCredentialIssuer.ts    # v1.3 schema with breaking changes
│   ├── itWalletCredentialVerifier.ts  # openid_credential_verifier (updated for v1.3)
│   └── index.ts
├── itWalletFederationEntity.ts        # shared across versions
└── index.ts

The combined metadata schemas (itWalletMetadataV1_0, itWalletMetadataV1_3) and the itWalletMetadataSchema union are exported from src/metadata/itWalletMetadata.ts.

Breaking Changes in v1.3

The v1.3 specification introduces breaking changes to the openid_credential_issuer metadata schema. These changes are isolated to the v1.3 version to maintain backward compatibility with existing v1.0 implementations.

Removed Fields

The following fields have been removed from the top-level openid_credential_issuer metadata:

  • revocation_endpoint - Replaced by status list aggregation mechanisms
  • status_assertion_endpoint - Replaced by status_list_aggregation_endpoint
  • credential_hash_alg_supported - No longer used in the specification
  • evidence_supported - Moved to credential-specific metadata

Added Fields

New fields introduced at the top level:

  • batch_credential_issuance (optional) - Configuration for batch credential issuance
    • batch_size (integer, positive) - Maximum number of credentials in a single batch request
  • status_list_aggregation_endpoint (optional, string URL) - Endpoint for TOKEN-STATUS-LIST aggregation per the specification

Enhanced Credential Configuration

Each entry in credential_configurations_supported now requires additional mandatory fields:

New Required Fields

  • credential_metadata (required) - Comprehensive display and claims metadata structure

    • display[] (optional) - Enhanced display metadata with:
      • name (required) - Display name
      • locale (required) - Locale identifier
      • description (optional) - Description text
      • logo (optional) - Logo image with URI and integrity hash
      • background_color (optional) - Background color
      • background_image (optional) - Background image with URI and integrity hash
      • watermark_image (optional) - Watermark image with URI and integrity hash
    • claims[] (optional) - Claim-level configuration with:
      • path (required) - JSON path to the claim
      • mandatory (optional, boolean) - Whether the claim is mandatory
      • sd (optional, enum: "always" | "never") - Selective disclosure configuration
      • display[] (optional) - Display metadata for the claim
  • schema_id (required, string) - Reference to the credential schema in the Schema Registry

  • authentic_sources (required) - Data source attribution

    • entity_id (required, string) - Source entity identifier
    • dataset_id (required, string) - Dataset identifier within the source

Enhanced Proof Types

The proof_types_supported.jwt object now supports an additional optional field:

  • key_attestations_required (optional, boolean) - Indicates whether key attestation is required per OpenID4VCI Appendix F.1 and Section 12.2

Image Metadata

Images in v1.3 support integrity verification through subresource integrity hashes:

{
  uri: "https://example.org/image.svg",
  "uri#integrity": "sha256-base64encodedHash",
  alt_text: "Alternative text for accessibility"
}

The uri#integrity field follows the Subresource Integrity specification format.

API Reference

Functions

  • createItWalletEntityConfiguration(options): Creates and signs an Entity Configuration JWT.
    • Parameters:
      • options.header: JWT header with algorithm, key id, and type
      • options.claims: Entity configuration claims (issuer, subject, metadata, etc.)
      • options.signJwtCallback: Callback function to sign the JWT
    • Returns: A signed JWT string

Types

  • SignCallback: Function type for signing JWT tokens

    type SignCallback = (options: {
      jwk: JsonWebKey;
      toBeSigned: Uint8Array;
    }) => Promise<Uint8Array>;
  • JsonWebKey: Type for JSON Web Key objects

  • ItWalletEntityConfigurationClaimsOptions: Input type for entity configuration claims

  • ItWalletEntityConfigurationClaims: Output type for entity configuration claims

  • ItWalletEntityStatementClaimsOptions: Input type for entity statement claims

  • ItWalletEntityStatementClaims: Output type for entity statement claims

Zod Schemas

This package exports a comprehensive set of Zod schemas to validate all parts of the federation artifacts.

JWK Schemas:

  • jsonWebKeySchema: Validates a single JSON Web Key (includes support for x5c certificate chain)

  • jsonWebKeySetSchema: Validates a JSON Web Key Set

Metadata Schemas:

  • itWalletFederationEntityMetadata: For federation_entity metadata

  • itWalletProviderEntityMetadata: For wallet_provider metadata (v1.0)

  • itWalletSolutionEntityMetadata: For wallet_solution metadata (v1.3)

  • itWalletCredentialIssuerMetadata: For openid_credential_issuer metadata

  • itWalletCredentialVerifierMetadata: For openid_credential_verifier metadata (v1.0 schema - default export)

  • itWalletCredentialVerifierMetadataV1_3: For openid_credential_verifier metadata (v1.3 - with logo_uri, encrypted_response_enc_values_supported, and enhanced vp_formats_supported)

  • itWalletAuthorizationServerMetadata: For oauth_authorization_server metadata

  • itWalletMetadataV1_0: Combined metadata schema for v1.0 entity types

  • itWalletMetadataV1_3: Combined metadata schema for v1.3 entity types

  • itWalletMetadataSchema: Union of itWalletMetadataV1_0 and itWalletMetadataV1_3

Claims Schemas:

  • itWalletEntityStatementClaimsSchema: Validates the claims within an Entity Statement

  • itWalletEntityConfigurationClaimsSchema: Validates the claims for an Entity Configuration (where iss must equal sub)