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

@stackbilt/llm-providers

v1.1.0

Published

Multi-LLM failover with circuit breakers, cost tracking, and intelligent retry. Cloudflare Workers native.

Downloads

216

Readme

@stackbilt/llm-providers

A multi-provider LLM abstraction layer with automatic failover, circuit breakers, cost tracking, and intelligent retry. Built for Cloudflare Workers but runs anywhere with a standard fetch API. Extracted from a production orchestration platform handling 80K+ LOC across multiple services.

Features

  • Multi-provider failover -- OpenAI, Anthropic, and Cloudflare Workers AI behind a single interface
  • Circuit breaker -- state machine (closed / open / half-open) prevents cascading failures
  • Exponential backoff retry -- configurable delays, jitter, and per-error-class behavior
  • Cost tracking and optimization -- per-provider cost attribution, budget alerts, automatic routing to cheaper providers
  • Streaming -- SSE streaming support for all three providers
  • Tool/function calling -- OpenAI and Anthropic tool use with unified response format
  • Batch processing -- concurrent request batching with rate-limit awareness
  • Health monitoring -- per-provider health checks, metrics, and circuit breaker state

Installation

npm install @stackbilt/llm-providers

Quick Start

import { LLMProviders, MODELS } from '@stackbilt/llm-providers';

const llm = new LLMProviders({
  openai: { apiKey: process.env.OPENAI_API_KEY },
  anthropic: { apiKey: process.env.ANTHROPIC_API_KEY },
  cloudflare: { ai: env.AI }, // Cloudflare Workers AI binding
  defaultProvider: 'auto',
  costOptimization: true,
  enableCircuitBreaker: true,
});

const response = await llm.generateResponse({
  messages: [
    { role: 'system', content: 'You are a helpful assistant.' },
    { role: 'user', content: 'Summarize the circuit breaker pattern.' },
  ],
  maxTokens: 1000,
  temperature: 0.7,
});

console.log(response.message);
console.log(`Provider: ${response.provider}, Cost: $${response.usage.cost}`);

Provider Configuration

OpenAI

{
  apiKey: 'sk-...',
  organization: 'org-...',   // optional
  project: 'proj-...',       // optional
  baseUrl: 'https://api.openai.com/v1', // optional, for proxies
  timeout: 30000,
  maxRetries: 3,
}

Anthropic

{
  apiKey: 'sk-ant-...',
  version: '2023-06-01',     // optional
  baseUrl: 'https://api.anthropic.com', // optional
  timeout: 30000,
  maxRetries: 3,
}

Cloudflare Workers AI

{
  ai: env.AI,                // Cloudflare AI binding (required)
  accountId: '...',          // optional
  timeout: 30000,
  maxRetries: 3,
}

Circuit Breaker

Each provider gets its own circuit breaker that tracks consecutive failures.

| State | Behavior | |-------|----------| | Closed | Requests pass through normally. Failures increment a counter. | | Open | All requests are immediately rejected. After resetTimeout ms, transitions to half-open. | | Half-open | A single test request is allowed through. Success closes the circuit; failure re-opens it. |

Default thresholds: 5 failures to open, 60s reset timeout, 5-minute monitoring window.

import { CircuitBreakerManager } from '@stackbilt/llm-providers';

const manager = new CircuitBreakerManager({
  failureThreshold: 5,
  resetTimeout: 60000,
  monitoringPeriod: 300000,
});

const breaker = manager.getBreaker('openai');
console.log(breaker.getHealth());

Cost Optimization

When costOptimization: true, the factory routes requests to the cheapest available provider. Cloudflare Workers AI is essentially free and gets top priority.

import { createCostOptimizedLLMProviders } from '@stackbilt/llm-providers';

const llm = createCostOptimizedLLMProviders({
  openai: { apiKey: process.env.OPENAI_API_KEY },
  cloudflare: { ai: env.AI },
});

const analytics = llm.getCostAnalytics();
// { breakdown: { openai: { cost, requests, tokens }, ... }, total: 0.042, recommendations: [...] }

Retry with Backoff

Transient errors (rate limits, network errors, server errors) are retried automatically with exponential backoff and jitter.

import { RetryManager, retry } from '@stackbilt/llm-providers';

// Standalone retry for any async operation
const result = await retry(
  () => fetch('https://api.example.com/data'),
  { maxRetries: 3, initialDelay: 1000, backoffMultiplier: 2 }
);

// Or configure per-provider via RetryManager
const retryManager = new RetryManager({
  maxRetries: 5,
  initialDelay: 500,
  maxDelay: 30000,
  backoffMultiplier: 2,
});

Fallback Rules

Customize when and how the factory falls back between providers:

const llm = new LLMProviders({
  openai: { apiKey: '...' },
  anthropic: { apiKey: '...' },
  cloudflare: { ai: env.AI },
  fallbackRules: [
    { condition: 'rate_limit', fallbackProvider: 'cloudflare' },
    { condition: 'cost', threshold: 10, fallbackProvider: 'cloudflare' },
    { condition: 'error', fallbackProvider: 'anthropic' },
  ],
});

Error Handling

Structured error classes for each failure mode:

import {
  RateLimitError,
  QuotaExceededError,
  AuthenticationError,
  CircuitBreakerOpenError,
  TimeoutError,
  LLMErrorFactory,
} from '@stackbilt/llm-providers';

try {
  await llm.generateResponse(request);
} catch (error) {
  if (error instanceof RateLimitError) {
    // Automatic retry already attempted; consider switching providers
  } else if (error instanceof CircuitBreakerOpenError) {
    // Provider is temporarily disabled
  } else if (error instanceof AuthenticationError) {
    // Check API key -- will NOT trigger fallback
  }
}

Model Constants

Predefined model identifiers for convenience:

import { MODELS, getRecommendedModel } from '@stackbilt/llm-providers';

MODELS.GPT_4O;              // 'gpt-4o'
MODELS.CLAUDE_3_5_SONNET;   // 'claude-3-5-sonnet-20241022'
MODELS.LLAMA_3_1_8B;        // '@cf/meta/llama-3.1-8b-instruct'

// Get best model for a use case given available providers
const model = getRecommendedModel('COST_EFFECTIVE', ['openai', 'cloudflare']);

API Reference

Core Classes

| Class | Description | |-------|-------------| | LLMProviders | High-level facade -- initialize providers, generate responses, check health | | LLMProviderFactory | Lower-level factory with provider chain building and fallback logic | | OpenAIProvider | OpenAI GPT models (streaming, tools, batch) | | AnthropicProvider | Anthropic Claude models (streaming, tools) | | CloudflareProvider | Cloudflare Workers AI (streaming, batch, cost optimization) | | BaseProvider | Abstract base with shared resiliency, metrics, and cost calculation |

Utilities

| Class | Description | |-------|-------------| | CircuitBreaker | Per-provider circuit breaker state machine | | CircuitBreakerManager | Manages circuit breakers across multiple providers | | RetryManager | Exponential backoff retry with jitter | | CostTracker | Per-provider cost accumulation and budget alerts | | CostOptimizer | Static methods for optimal provider selection |

Key Types

| Type | Description | |------|-------------| | LLMRequest | Unified request: messages, model, temperature, tools, metadata | | LLMResponse | Unified response: message, usage, provider, cost, tool calls | | LLMProvider | Provider interface: generateResponse, healthCheck, estimateCost | | ProviderFactoryConfig | Factory configuration: provider configs, fallback rules, flags | | CircuitBreakerConfig | Failure threshold, reset timeout, monitoring period | | RetryConfig | Max retries, delays, backoff multiplier, retryable error codes | | CostConfig | Token costs, monthly budget, alert threshold |

Factory Functions

| Function | Description | |----------|-------------| | createLLMProviders(config) | Create an LLMProviders instance | | createCostOptimizedLLMProviders(config) | Create with cost optimization, circuit breakers, and retries enabled | | createLLMProviderFactory(config) | Create a bare LLMProviderFactory | | createCostOptimizedFactory(config) | Create a cost-optimized factory | | getRecommendedModel(useCase, providers) | Pick the best model for a use case | | retry(fn, config) | One-shot retry wrapper for any async function |

License

Apache-2.0


Built by Stackbilt.