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

@gamma23/sdk

v0.1.0

Published

Official TypeScript SDK for the Gamma23 agent payments API

Readme

@gamma23/sdk

Official TypeScript SDK for the Gamma23 agent payments API. Give your AI agents the ability to spend money safely — with budgets, policy guardrails, and full auditability.

Installation

npm install @gamma23/sdk
pnpm add @gamma23/sdk
yarn add @gamma23/sdk

Requirements: Node.js 18+ (uses native fetch)

Quick Start

import { Gamma23 } from '@gamma23/sdk';

const gamma23 = new Gamma23({
  apiKey: process.env.GAMMA23_API_KEY!, // gm23_...
});

// 1. Create a spend intent
const intent = await gamma23.spendIntents.create({
  goal: 'Purchase cloud compute credits',
  budget: 50.00,
  currency: 'USD',
  merchant: 'AWS',
  category: 'cloud_compute',
});

console.log(`Intent ${intent.id}: ${intent.status}`);
// Intent si_abc123: APPROVED

// 2. Execute the approved intent
if (intent.spendToken) {
  const result = await gamma23.spendIntents.execute(intent.id, {
    spendToken: intent.spendToken,
    mode: 'LIVE',
  });

  console.log(`Transaction ${result.transactionId}: $${result.amount}`);
}

Configuration

const gamma23 = new Gamma23({
  apiKey: 'gm23_...',          // Required — your API key
  baseUrl: 'https://...',      // Optional — defaults to GAMMA23_API_URL env var or https://gamma23.app
  timeout: 30_000,             // Optional — request timeout in ms (default: 30s)
  maxRetries: 3,               // Optional — retry count for 429/5xx (default: 3)
});

API Reference

Spend Intents

Spend intents are the core primitive — they represent an agent's intent to spend money, subject to policy evaluation.

spendIntents.create(params)

Create a new spend intent for policy evaluation.

const intent = await gamma23.spendIntents.create({
  goal: 'Book a flight to SF',
  budget: 500,
  currency: 'USD',          // optional, defaults to USD
  merchant: 'United',       // optional
  category: 'travel',       // optional
  domain: 'united.com',     // optional
  metadata: { trip: 'Q1' }, // optional, arbitrary metadata
  idempotencyKey: 'uniq-1', // optional, prevents duplicate creation
});

Returns: SpendIntent

| Field | Type | Description | |-------|------|-------------| | id | string | Unique intent identifier | | status | SpendIntentStatus | PENDING, APPROVED, DENIED, EXECUTED, CANCELLED, EXPIRED | | goal | string | What the agent wants to buy | | budget | number | Maximum spend amount | | currency | string | ISO 4217 currency code | | selectedRail | string \| null | Payment rail selected by policy | | policyDecision | string \| null | Policy engine decision details | | spendToken | string | Token required to execute (present when approved) | | executeUrl | string | URL to execute the intent | | tokenExpiresInSeconds | number | Time until token expires | | spendRequestId | string | Associated spend request ID |

spendIntents.get(id)

Retrieve a spend intent by ID.

const intent = await gamma23.spendIntents.get('si_abc123');

spendIntents.cancel(id)

Cancel a pending or approved spend intent.

const cancelled = await gamma23.spendIntents.cancel('si_abc123');

spendIntents.execute(id, params)

Execute an approved spend intent.

const result = await gamma23.spendIntents.execute('si_abc123', {
  spendToken: intent.spendToken!,
  mode: 'LIVE', // MANUAL | MOCK | SIMULATED | LIVE
});

Returns: ExecuteResult

| Field | Type | Description | |-------|------|-------------| | intentId | string | The intent that was executed | | transactionId | string | Unique transaction identifier | | status | string | Transaction status | | amount | number | Amount charged | | currency | string | Currency of the charge | | riskFlags | string[] | Any risk flags raised | | isSimulated | boolean | Whether this was a simulation | | stripeIntentId | string | Stripe PaymentIntent ID (if applicable) | | instructions | string | Manual execution instructions (if MANUAL mode) | | message | string | Human-readable status message |


Payments

Direct payment requests, bypassing the intent flow.

payments.create(params)

const payment = await gamma23.payments.create({
  amount: 25.00,
  merchant: 'Stripe',
  domain: 'stripe.com',
  category: 'saas',
  reason: 'Monthly subscription',
  evidenceLinks: ['https://example.com/invoice.pdf'],
  idempotencyKey: 'pay-001',
});

payments.execute(id, params)

const result = await gamma23.payments.execute(payment.id, {
  spendToken: '...',
  mode: 'LIVE',
});

Agents

agents.getBudget(agentId)

Get the current budget status for an agent.

const budget = await gamma23.agents.getBudget('agent_abc');

console.log(`Remaining: $${budget.remainingBudget}`);
console.log(`Utilization: ${budget.budgetUtilizationPct}%`);
console.log(`Can spend: ${budget.canSpend}`);

Returns: AgentBudget

| Field | Type | Description | |-------|------|-------------| | agentId | string | Agent identifier | | agentName | string | Human-readable agent name | | monthlyBudget | number | Total monthly budget | | currentSpend | number | Amount spent this period | | remainingBudget | number | Budget remaining | | budgetUtilizationPct | number | Percentage of budget used | | canSpend | boolean | Whether the agent can still spend |


Error Handling

All API errors throw a Gamma23Error with structured fields:

import { Gamma23, Gamma23Error, Gamma23TimeoutError } from '@gamma23/sdk';

try {
  await gamma23.spendIntents.create({ goal: '...', budget: 100 });
} catch (err) {
  if (err instanceof Gamma23Error) {
    console.error(`Status: ${err.status}`);        // HTTP status code
    console.error(`Code: ${err.code}`);             // API error code
    console.error(`Message: ${err.message}`);       // Human-readable message
    console.error(`Request ID: ${err.requestId}`);  // For support tickets
  }

  if (err instanceof Gamma23TimeoutError) {
    console.error('Request timed out — try increasing the timeout');
  }
}

Error Types

| Class | When | |-------|------| | Gamma23Error | Any non-2xx API response | | Gamma23TimeoutError | Request exceeded timeout | | Gamma23ConnectionError | Network / DNS failure |


Retry Behavior

The SDK automatically retries on transient failures (HTTP 429, 5xx) with exponential backoff:

| Attempt | Delay | |---------|-------| | 1st retry | ~1s + jitter | | 2nd retry | ~2s + jitter | | 3rd retry | ~4s + jitter |

Customize via maxRetries:

const gamma23 = new Gamma23({
  apiKey: '...',
  maxRetries: 5, // up to 5 retries
});

Set maxRetries: 0 to disable retries entirely.


TypeScript

This SDK is written in TypeScript and ships with full type declarations. All request params and response types are exported:

import type {
  CreateSpendIntentParams,
  SpendIntent,
  ExecuteResult,
  AgentBudget,
} from '@gamma23/sdk';

License

MIT