TypeScript client for any-llm-gateway. Communicate with any LLM provider through the gateway using a single, typed interface.
import { GatewayClient } from "@mozilla-ai/any-llm";
const client = new GatewayClient({
apiBase: "http://localhost:8000",
platformToken: "your-token-here",
});
const response = await client.completion({
model: "openai:gpt-4o-mini",
messages: [{ role: "user", content: "Hello!" }],
});
console.log(response.choices[0].message.content);That's it! Change the model string to switch between LLM providers through the gateway.
- Node.js 18 or newer
- A running any-llm-gateway instance
npm install @mozilla-ai/any-llmSet environment variables for your gateway:
export GATEWAY_API_BASE="http://localhost:8000"
export GATEWAY_PLATFORM_TOKEN="your-token-here"
# or for non-platform mode:
export GATEWAY_API_KEY="your-key-here"Alternatively, pass credentials directly when creating the client (see Usage examples).
This TypeScript SDK is a client for any-llm-gateway, an optional FastAPI-based proxy server that adds enterprise-grade features on top of the core library:
- Budget Management - Enforce spending limits with automatic daily, weekly, or monthly resets
- API Key Management - Issue, revoke, and monitor virtual API keys without exposing provider credentials
- Usage Analytics - Track every request with full token counts, costs, and metadata
- Multi-tenant Support - Manage access and budgets across users and teams
The gateway sits between your applications and LLM providers, exposing an OpenAI-compatible API that works with any supported provider.
docker run \
-e GATEWAY_MASTER_KEY="your-secure-master-key" \
-e OPENAI_API_KEY="your-api-key" \
-p 8000:8000 \
ghcr.io/mozilla-ai/any-llm/gateway:latestNote: You can use a specific release version instead of
latest(e.g.,1.2.0). See available versions.
Prefer a hosted experience? The any-llm platform provides a managed control plane for keys, usage tracking, and cost visibility across providers, while still building on the same any-llm interfaces.
The client supports two authentication modes, matching the Python SDK:
Uses a Bearer token in the standard Authorization header:
const client = new GatewayClient({
apiBase: "http://localhost:8000",
platformToken: "tk_your_platform_token",
});Sends the API key via a custom AnyLLM-Key header:
const client = new GatewayClient({
apiBase: "http://localhost:8000",
apiKey: "your-api-key",
});When no explicit credentials are provided, the client reads from environment variables:
// Uses GATEWAY_API_BASE, GATEWAY_PLATFORM_TOKEN, or GATEWAY_API_KEY
const client = new GatewayClient();const response = await client.completion({
model: "openai:gpt-4o-mini",
messages: [{ role: "user", content: "Hello!" }],
});
console.log(response.choices[0].message.content);const stream = await client.completion({
model: "openai:gpt-4o-mini",
messages: [{ role: "user", content: "Tell me a story." }],
stream: true,
});
for await (const chunk of stream) {
const content = chunk.choices[0]?.delta?.content;
if (content) process.stdout.write(content);
}const response = await client.response({
model: "openai:gpt-4o-mini",
input: "Summarize this in one sentence.",
});
console.log(response.output_text);const result = await client.embedding({
model: "openai:text-embedding-3-small",
input: "Hello world",
});
console.log(result.data[0].embedding);import { GatewayClient, UnsupportedCapabilityError } from "@mozilla-ai/any-llm";
try {
const result = await client.moderation({
model: "openai:omni-moderation-latest",
input: "I want to hurt someone",
});
if (result.results[0].flagged) {
throw new Error("unsafe input");
}
} catch (err) {
if (err instanceof UnsupportedCapabilityError) {
// The selected provider doesn't offer moderation (e.g. Anthropic).
console.error(`${err.provider} does not support ${err.capability}`);
} else {
throw err;
}
}To preserve the upstream provider's raw response body, pass
includeRaw: true. Each result then carries a provider_raw field:
const result = await client.moderation({
model: "openai:omni-moderation-latest",
input: "...",
includeRaw: true,
});
console.log(result.results[0].provider_raw);const models = await client.listModels();
for (const model of models) {
console.log(model.id);
}In platform mode, HTTP errors are mapped to typed exceptions:
import { GatewayClient, AuthenticationError, RateLimitError } from "@mozilla-ai/any-llm";
try {
const response = await client.completion({
model: "openai:gpt-4o-mini",
messages: [{ role: "user", content: "Hello!" }],
});
} catch (error) {
if (error instanceof AuthenticationError) {
console.error("Invalid credentials:", error.message);
} else if (error instanceof RateLimitError) {
console.error("Rate limited, retry after:", error.retryAfter);
}
}| HTTP Status | Error Class | Description |
|---|---|---|
| 400 (capability) | UnsupportedCapabilityError |
Selected provider does not support the requested capability (e.g. moderation) |
| 401, 403 | AuthenticationError |
Invalid or missing credentials |
| 402 | InsufficientFundsError |
Budget or credits exhausted |
| 404 | ModelNotFoundError |
Model not found or unavailable |
| 429 | RateLimitError |
Rate limit exceeded (includes retryAfter) |
| 502 | UpstreamProviderError |
Upstream provider unreachable |
| 504 | GatewayTimeoutError |
Gateway timed out waiting for provider |
UnsupportedCapabilityError surfaces in both platform and non-platform modes; the other mappings are platform-mode only.
- Simple, unified interface - Single client for all providers through the gateway, switch models with just a string change
- Developer friendly - Full TypeScript types for better IDE support and clear, actionable error messages
- Leverages the OpenAI SDK - Built on the official OpenAI Node.js SDK for maximum compatibility
- Stays framework-agnostic so it can be used across different projects and use cases
- Battle-tested - Powers our own production tools (any-agent)
# Install dependencies
npm install
# Run unit tests
npm run test:unit
# Run integration tests (requires a running gateway)
npm run test:integration
# Run all tests
npm test
# Type-check
npm run typecheck
# Build
npm run build- Full Documentation - Complete guides and API reference
- Supported Providers - List of all supported LLM providers
- Gateway Documentation - Gateway setup and deployment
- Python SDK - The full Python SDK with direct provider access
- any-llm Platform (Beta) - Hosted control plane for key management, usage tracking, and cost visibility
We welcome contributions from developers of all skill levels! Please see the Contributing Guide or open an issue to discuss changes.
This project is licensed under the Apache License 2.0 - see the LICENSE file for details.