batch-ai
v1.0.0
Published
A unified SDK for making batch AI requests across different model providers
Downloads
455
Maintainers
Readme
batch-ai
A unified TypeScript SDK for making batch AI requests across different model providers. Process thousands of prompts efficiently using official batch APIs from OpenAI and Anthropic.
Inspired by the Vercel AI SDK, this library aims to provide a unified interface for batch processing across different AI providers. Just like Vercel's SDK allows developers to easily switch between different LLM providers without changing their application code, batch-ai lets you handle large-scale batch processing with the same simplicity - write once, run with any supported provider.
Features
- 🚀 Unified Interface: Single API for multiple AI providers
- 🔒 Type Safety: Full TypeScript support with Zod schema validation
- 📦 Provider Support:
- OpenAI (gpt-4o, etc)
- Anthropic (Claude 3.5 Sonnet, etc)
- Coming Soon:
- Google (Gemini)
- xAI (Grok)
- Want another provider? Open an issue!
- 🛠️ Batch Operations:
createObjectBatch: Generate structured outputs (JSON) from prompts- Coming Soon:
generateTextBatch: Generate free-form text responses- Want to speed up text batch development? Open an issue!
- ⚡ Performance: Process thousands of prompts efficiently
- 🔍 Error Handling: Robust error handling with detailed error types
System Prompts
batch-ai supports system prompts for both OpenAI and Anthropic models. System prompts help you guide the model's behavior without taking up space in your input text.
To use system prompts, simply add the optional systemPrompt property to your requests:
const requests = [
{
customId: "task-1",
input: "What is the capital of France?",
systemPrompt:
"You are a helpful geography expert. Provide concise answers.",
},
];System prompts are completely optional and can be omitted if not needed.
Installation
npm install batch-ai
# or
yarn add batch-ai
# or
pnpm add batch-aiQuick Start
API Key Configuration
You can configure your API keys in one of two ways:
- Environment Variables (Recommended):
# .env
OPENAI_API_KEY=sk-...
ANTHROPIC_API_KEY=sk-...- Explicit Configuration:
const model = openai("gpt-4o", {
apiKey: "sk-...", // Your OpenAI API key
});
// or
const model = anthropic("claude-3-5-sonnet-20241022", {
apiKey: "sk-...", // Your Anthropic API key
});Basic Usage
import { z } from "zod";
import { openai, anthropic, createObjectBatch, getObjectBatch } from "batch-ai";
// Define your output schema
const SentimentSchema = z.object({
sentiment: z.enum(["positive", "negative", "neutral"]),
confidence: z.number(),
});
// Initialize a model
const model = openai("gpt-4o", {
apiKey: process.env.OPENAI_API_KEY, // Optional if set in environment
});
// Prepare your batch requests, input can include text and images
// Both OpenAI and Anthropic use the same input format
const requests = [
{
customId: "review-1",
input: [
{
type: "text",
text: "I absolutely love this product! Best purchase ever.",
},
],
systemPrompt:
"You are a sentiment analysis assistant. Analyze the sentiment of the review provided.",
},
{
customId: "review-2",
input: [
{ type: "text", text: "This is terrible, would not recommend." },
{
type: "image_url",
image_url: {
url: "https://example.com/product-image.jpg",
},
},
],
systemPrompt:
"You are a sentiment analysis assistant. Analyze the sentiment of the review provided.",
},
];
// Create a batch
const { batchId } = await createObjectBatch({
model,
requests,
outputSchema: SentimentSchema,
});
// Poll for results
const { batch, results } = await getObjectBatch({
model,
batchId,
});
// Process results
results?.forEach((result) => {
console.log(result.customId, result.output);
});Using with Anthropic
The same input format works with Anthropic:
const model = anthropic("claude-3-opus-20240229", {
apiKey: process.env.ANTHROPIC_API_KEY,
});
// Same request format as OpenAI
const requests = [
{
customId: "analysis-1",
input: [
{ type: "text", text: "Analyze this text for sentiment" },
{
type: "image_url",
image_url: {
url: "https://example.com/image.jpg",
},
},
],
},
];
const { batchId } = await createObjectBatch({
model,
requests,
outputSchema: SentimentSchema,
});Supported Providers
OpenAI
import { openai } from "batch-ai";
const model = openai("gpt-4o", {
apiKey: process.env.OPENAI_API_KEY,
});Anthropic
import { anthropic } from "batch-ai";
const model = anthropic("claude-3-5-sonnet-20241022", {
apiKey: process.env.ANTHROPIC_API_KEY,
});API Reference
Factory Functions
openai(modelId: OpenAIModel, config?: LanguageModelConfig)
Creates an OpenAI language model instance.
interface LanguageModelConfig {
apiKey?: string;
}anthropic(modelId: AnthropicModel, config?: LanguageModelConfig)
Creates an Anthropic language model instance.
Batch Operations
createObjectBatch
Creates a new batch of requests.
interface CreateObjectBatchParams {
model: LanguageModel;
requests: BatchRequest<string>[];
outputSchema: z.ZodSchema<unknown>;
}
interface CreateObjectBatchResponse {
batchId: string;
}getObjectBatch
Retrieves batch status and results.
interface GetObjectBatchParams {
model: LanguageModel;
batchId: string;
}
// Returns
interface {
batch: Batch;
results?: BatchResponse<TOutput>[];
}Types
BatchStatus
type BatchStatus =
| "validating"
| "in_progress"
| "completed"
| "failed"
| "expired"
| "cancelling"
| "cancelled";BatchResponse<T>
interface BatchResponse<T> {
customId: string;
output?: T;
error?: {
code: string;
message: string;
};
usage?: {
promptTokens: number;
completionTokens: number;
totalTokens: number;
};
}Error Handling
The SDK throws typed BatchError instances:
class BatchError extends Error {
constructor(message: string, public code: string, public batchId?: string);
}Common error codes:
batch_creation_failed: Failed to create a new batchbatch_retrieval_failed: Failed to retrieve batch statusresults_not_ready: Batch results are not yet availableresults_retrieval_failed: Failed to retrieve batch resultsbatch_cancellation_failed: Failed to cancel batch
Contributing
Contributions are welcome! Please feel free to submit a Pull Request. For major changes, please open an issue first to discuss what you would like to change.
- Fork the repository
- Create your feature branch (
git checkout -b feature/amazing-feature) - Commit your changes (
git commit -m 'Add some amazing feature') - Push to the branch (
git push origin feature/amazing-feature) - Open a Pull Request
License
This project is licensed under the MIT License - see the LICENSE file for details.
