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

@rocksolidknowledge/authzen-client

v1.0.0

Published

Client library for AuthZen Authorization API

Readme

AuthZen TypeScript Client

A TypeScript client library for interacting with AuthZen-compliant Policy Decision Points (PDPs). This library implements the AuthZen Authorization API 1.0 specification.

Features

  • Discovery - Automatic PDP configuration via /.well-known/authzen-configuration
  • Access Evaluation API - Single authorization decisions
  • Access Evaluations API - Batch authorization decisions with multiple evaluation semantics
  • Type Safety - Full TypeScript support with comprehensive type definitions
  • Validation - Built-in request validation with descriptive error messages
  • Modern - Uses global fetch; works with Node.js 18+ and modern browsers

Installation

npm install @rocksolidknowledge/authzen-client

Quick Start

The client uses AuthZen discovery to automatically resolve evaluation endpoints. On the first call to evaluate() or evaluations(), the client fetches /.well-known/authzen-configuration from the PDP URL and caches the result.

import { AuthZenClient } from '@rocksolidknowledge/authzen-client';

// Create a client pointing at your PDP
const client = new AuthZenClient({
  pdpUrl: 'https://pdp.mycompany.com',
  token: 'your-bearer-token', // Optional
});

// Single access evaluation
const response = await client.evaluate({
  subject: { type: 'user', id: '[email protected]' },
  action: { name: 'can_read' },
  resource: { type: 'document', id: '123' },
});

if (response.decision) {
  console.log('Access granted');
} else {
  console.log('Access denied');
}

API Reference

Client Configuration

import { AuthZenClientConfig } from '@rocksolidknowledge/authzen-client';

const client = new AuthZenClient({
  pdpUrl: 'https://pdp.mycompany.com',  // PDP base URL (required)
  token: 'your-bearer-token',           // Bearer token for authentication (optional)
  headers: { 'X-Custom': 'value' },     // Additional request headers (optional)
  timeout: 10000,                        // Request timeout in ms (default: 10000)
});

Discovery

Fetch the PDP's AuthZen configuration from /.well-known/authzen-configuration. This is called automatically before the first evaluation, but you can also call it explicitly:

const config = await client.discover();

console.log(config.policy_decision_point);
console.log(config.access_evaluation_endpoint);
console.log(config.access_evaluations_endpoint);

The returned AuthZenConfiguration object may contain:

| Property | Description | |---|---| | policy_decision_point | Base URL of the PDP (required) | | access_evaluation_endpoint | Single evaluation endpoint | | access_evaluations_endpoint | Batch evaluations endpoint | | search_subject_endpoint | Subject search endpoint | | search_resource_endpoint | Resource search endpoint | | search_action_endpoint | Action search endpoint |

Single Access Evaluation

Evaluate a single authorization request:

const response = await client.evaluate({
  subject: {
    type: 'user',
    id: '[email protected]',
    properties: { department: 'Sales' }
  },
  action: {
    name: 'can_read',
    properties: { method: 'GET' }
  },
  resource: {
    type: 'document',
    id: '123',
    properties: { classification: 'confidential' }
  },
  context: {
    time: new Date().toISOString(),
    location: 'office'
  }
});

console.log(response.decision); // true or false

For single evaluations, subject, action, and resource are all required.

Batch Access Evaluations

Evaluate multiple authorization requests in a single call using evaluations():

const response = await client.evaluations({
  // Default values applied to all evaluations
  subject: { type: 'user', id: '[email protected]' },
  context: { time: new Date().toISOString() },

  // Individual evaluations (can omit fields covered by defaults)
  // Values in individual evaluations will override a default if both are supplied
  evaluations: [
    {
      action: { name: 'can_read' },
      resource: { type: 'document', id: '123' }
    },
    {
      action: { name: 'can_write' },
      resource: { type: 'document', id: '456' }
    }
  ],

  options: {
    evaluations_semantic: 'execute_all'
  }
});

response.evaluations.forEach((result, i) => {
  console.log(`Evaluation ${i}: ${result.decision ? 'ALLOW' : 'DENY'}`);
});

Evaluation Semantics

The batch evaluation API supports three evaluation semantics via options.evaluations_semantic:

| Semantic | Description | |---|---| | execute_all | Execute all evaluations and return all results (default) | | deny_on_first_deny | Stop and return on the first denial (short-circuit AND) | | permit_on_first_permit | Stop and return on the first permit (short-circuit OR) |

Error Handling

The client provides specific error classes for different failure modes:

import {
  AuthZenError,
  AuthZenValidationError,
  AuthZenRequestError,
  AuthZenResponseError,
  AuthZenNetworkError,
  AuthZenDiscoveryError,
} from '@rocksolidknowledge/authzen-client';

try {
  const response = await client.evaluate(request);
} catch (error) {
  if (error instanceof AuthZenValidationError) {
    // Request failed local validation (e.g. missing subject)
    console.error('Validation:', error.message);
  } else if (error instanceof AuthZenDiscoveryError) {
    // Discovery endpoint returned invalid configuration
    console.error('Discovery:', error.message);
  } else if (error instanceof AuthZenRequestError) {
    // PDP returned an HTTP error (4xx/5xx)
    console.error('HTTP error:', error.statusCode, error.message);
    console.error('Response data:', error.responseData);
  } else if (error instanceof AuthZenResponseError) {
    // Response was not valid JSON
    console.error('Response error:', error.statusCode, error.message);
  } else if (error instanceof AuthZenNetworkError) {
    // Network failure or timeout
    console.error('Network:', error.message);
  } else if (error instanceof AuthZenError) {
    // Base error class — catches all of the above
    console.error('AuthZen error:', error.message);
    console.error('Request ID:', error.requestId);
  }
}

All error classes extend AuthZenError, which includes an optional requestId for correlation.

Built-in Constants

The library exports commonly used constant values:

import { SubjectTypes, ResourceTypes, ActionNames, HttpStatusCodes } from '@rocksolidknowledge/authzen-client';

// Subject types
SubjectTypes.USER       // 'user'
SubjectTypes.SERVICE    // 'service'
SubjectTypes.GROUP      // 'group'
SubjectTypes.ROLE       // 'role'

// Resource types
ResourceTypes.DOCUMENT  // 'document'
ResourceTypes.API       // 'api'
ResourceTypes.FOLDER    // 'folder'
ResourceTypes.DATABASE  // 'database'
ResourceTypes.SERVICE   // 'service'

// Action names
ActionNames.READ        // 'can_read'
ActionNames.WRITE       // 'can_write'
ActionNames.DELETE      // 'can_delete'
ActionNames.EXECUTE     // 'can_execute'
ActionNames.CREATE      // 'can_create'
ActionNames.UPDATE      // 'can_update'
ActionNames.VIEW        // 'can_view'
ActionNames.EDIT        // 'can_edit'

Advanced Examples

Rich Context Evaluation

const response = await client.evaluate({
  subject: {
    type: 'user',
    id: '[email protected]',
    properties: {
      department: 'Sales',
      role: 'Manager',
      clearance_level: 'confidential'
    }
  },
  action: {
    name: 'can_read',
    properties: {
      method: 'GET',
      api_endpoint: '/documents/123'
    }
  },
  resource: {
    type: 'document',
    id: '123',
    properties: {
      owner: '[email protected]',
      classification: 'confidential',
      project: 'Project Alpha'
    }
  },
  context: {
    location: 'office',
    device_type: 'laptop',
    ip_address: '192.168.1.100',
    time: new Date().toISOString()
  }
});

Batch Evaluation with Short-Circuit Logic

const response = await client.evaluations({
  subject: { type: 'user', id: '[email protected]' },
  evaluations: [
    { action: { name: 'can_read' }, resource: { type: 'document', id: '1' } },
    { action: { name: 'can_read' }, resource: { type: 'document', id: '2' } },
    { action: { name: 'can_read' }, resource: { type: 'document', id: '3' } }
  ],
  options: {
    evaluations_semantic: 'deny_on_first_deny' // Stop on first denial
  }
});

console.log(`Evaluated ${response.evaluations.length} requests`);

Batch Evaluation with Mixed Defaults

Individual evaluations can omit fields that are provided as top-level defaults:

const response = await client.evaluations({
  // These defaults apply to any evaluation that omits the field
  subject: { type: 'user', id: '[email protected]' },
  resource: { type: 'document', id: 'shared-document' },
  action: { name: 'read' },
  context: { environment: 'production' },

  evaluations: [
    // Uses all defaults
    {},
    // Overrides subject only
    { subject: { type: 'user', id: '[email protected]' } },
    // Overrides resource and action
    {
      resource: { type: 'api', id: 'user-service' },
      action: { name: 'execute' }
    },
  ]
});

Compatibility

The client uses the global fetch API, which is available natively in:

  • Node.js 18+ (built-in global fetch)
  • Modern browsers (Chrome, Firefox, Safari, Edge)

No additional fetch polyfill is required for these environments.

Development

Building

npm run build

Testing

npm test

Linting

npm run lint

License

MIT License - see LICENSE file for details.

Related

Changelog

1.0.0

  • Initial release
  • Support endpoint discovery
  • Support for Access Evaluation API
  • Support for Access Evaluations API (batch)
  • TypeScript support
  • Documentation