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 🙏

© 2025 – Pkg Stats / Ryan Hefner

jorel

v0.13.2

Published

The easiest way to use LLMs, including streams, images, documents, tools and various agent scenarios.

Downloads

892

Readme

JorEl

JorEl is a powerful TypeScript library that provides a unified interface for working with multiple Large Language Models (LLMs). It simplifies complex LLM interactions like tool calling, image processing, and agent workflows while maintaining full flexibility.

The full documentation is available at https://christianheine.github.io/jorel/.

Key Features

  • Multi-Provider Support: Seamlessly work with OpenAI, Anthropic, Groq, Google Vertex AI, Ollama, OpenRouter, and more
  • Unified Interface: Single, consistent API across all providers
  • Rich Media Support: Built-in handling for images and vision models
  • Tool Integration: First-class support for function calling and external tools
  • Document Grounding: Easy integration of external documents for context
  • Agent Framework: Simple but powerful system for complex task processing
  • Type Safety: Fully written in TypeScript

Why JorEl?

  • 🚀 Simple to Start: Get running with a single line of code
  • 🔄 Easy to Switch: Change providers or models without changing your code
  • 🛠 Powerful When Needed: Access low-level provider features when required
  • 📦 Production Ready: Built on official provider SDKs

Introduction

Installation

Install JorEl via npm or yarn:

npm install jorel

Starter Repository

To get started quickly, you can also use the JorEl Starter repository. It includes pre-configured TypeScript, ESLint, and Prettier settings, along with commonly used utilities like zod and dotenv.

Either clone the repository or use degit to create a new project:

npx degit christianheine/jorel-starter my-jorel-project
cd my-jorel-project
npm install

Then just rename the .env.example file to .env and add your API keys.

To run the example, use:

npm run start

Quick start

import { JorEl } from "jorel";

// Create a new JorEl instance with the providers you want to use
const jorel = new JorEl({ openAI: { apiKey: "your-openai-api-key" } });

// Optionally, set a default model
jorel.models.setDefault("gpt-4o-mini");

// Generate a response for a text prompt, using the default model
const response = await jorel.text("What is the capital of Australia, in one word?");

console.log(response); // "Sydney"

Basic Usage

1. Simple Response Generation

This is the most basic usage of JorEl. It will use the default model and provider and return a string.

const jorEl = new JorEl({ openAI: true }); // Uses OPENAI_API_KEY env variable
const response = await jorEl.text("What is the capital of France?");
// Paris

2. JSON Response Generation

Works similar to the simple response generation, but returns a JSON object.

const response = await jorEl.json("Format this as JSON: Name = John, Age = 30");
// { name: "John", age: 30 }

3. Streaming Responses

Will stream the response as it is generated.

const stream = jorEl.stream("Generate a story");
for await (const chunk of stream) {
    process.stdout.write(chunk);
}

4. Image Context

Allows to pass images to the model.

// Load image
const localImage = await ImageContent.fromFile("./image.png");

// Pass image along with the question
const response = await jorEl.text([
  "Can you describe what is in this image?",
  localImage
]);
// The image shows a cute cat sitting on a chair.

5. Document Context

Allows to pass documents to the model. This helps with context and grounding.

const companyProfile = await LlmDocument.fromFile("company-profile.txt");
const response = await jorEl.text("What are the products of this company?", {
  documents: [companyProfile]
});
// Response with companyProfile as context

6. Tool Integration

Allows to pass tools to the model. Tools are functions that the model can call to get information (or perform actions).

import { z } from "zod";

const response = await jorEl.text("What's the weather in Sydney?", {
  tools: [{
    name: "get_weather",
    description: "Get the current temperature and conditions for a city",
    executor: getWeather, // function that returns a promise
    params: z.object({ city: z.string() })
  }]
});

7. Responses with metadata

Works with both text and json and returns the response, metadata and messages, e.g. to store them in a database.

const { response, meta, messages } = await jorEl.text(
  "What is the capital or France?",
  {
    systemMessage: "Answer as succinctly as possible",
  },
  true // Request metadata
);

console.log(response);
// "Paris"

console.log(meta);
// {
//   model: 'gpt-4o-mini',
//   provider: 'openai',
//   temperature: 0,
//   durationMs: 757,
//   inputTokens: 26,
//   outputTokens: 16
// }

console.log(messages);
// Array of system and user messages with timestamps

8. Follow-up generation

You can add the message history to a follow-up generation to use the previous messages for context.


const { response, messages } = await jorEl.text(
  "What is the capital of France",
  {
    systemMessage: "Answer as few words as possible",
  },
  true,
);

console.log(response);
// Paris

const followUpResponse = await jorEl.text('And Germany?', {
  messageHistory: messages,
  systemMessage: "Answer with additional details",
})

console.log(followUpResponse);
// The capital of Germany is Berlin. Berlin is not only the largest city in Germany
// but also a significant cultural, political, and historical center in Europe.
// It is known for its rich history, vibrant arts scene, and landmarks such as the
// Brandenburg Gate, the Berlin Wall, and Museum Island.

9. Using OpenRouter

JorEl supports OpenRouter, which gives you access to various models from different providers through a single API:

// Initialize with OpenRouter
const jorEl = new JorEl({
  openRouter: true, // Uses OPEN_ROUTER_API_KEY environment variable
});

// Register a model from Anthropic via OpenRouter
jorEl.providers.openRouter.addModel("anthropic/claude-3-7-sonnet");

// Use the model
const response = await jorEl.text("What is the capital of France?", {
  model: "anthropic/claude-3-7-sonnet",
});
// Paris

Advanced Features

1. Agents

JorEl provides a powerful agent system for complex task processing:

// Create a JorEl instance
const jorel = new JorEl({ openAI: { apiKey: "your-openai-api-key" } });

// Register tools that agents can use
jorel.team.addTools([{
  name: "get_weather",
  description: "Get weather information",
  executor: async ({ city }) => ({ temperature: 22, conditions: "sunny" }),
  params: z.object({ city: z.string() })
}]);

// Create a weather agent
const weatherAgent = jorel.team.addAgent({
  name: "weather_agent",
  description: "Weather information specialist",
  systemMessageTemplate: "You are a weather specialist. Return JSON responses.",
  allowedTools: ["get_weather"],
  responseType: "json"
});

// Create and execute a task
const task = await jorel.team.createTask("What's the weather in Sydney?");
const taskExecution = await jorel.team.executeTask(task, {
  limits: {
    maxIterations: 10,
    maxGenerations: 6
  }
});

console.log(taskExecution.result);
// {
//   "city": "Sydney",
//   "temperature": 22,
//   "conditions": "sunny"
// }

Agents can also delegate tasks to other specialized agents:

// Create a main agent that can delegate
const mainAgent = jorel.team.addAgent({
  name: "main_agent",
  description: "Main assistant that coordinates with specialists",
});

// Add a weather specialist that the main agent can delegate to
mainAgent.addDelegate({
  name: "weather_agent",
  description: "Weather information specialist",
  systemMessageTemplate: "You are a weather specialist.",
  allowedTools: ["get_weather"]
});

Provider Support

JorEl supports multiple LLM providers out of the box:

  • OpenAI
  • Anthropic
  • Groq
  • Grok
  • Google Vertex AI
  • Google Generative AI (experimental)
  • Ollama
  • Mistral
  • OpenRouter

Each provider can be configured during initialization or registered later:

// During initialization
const jorEl = new JorEl({
  openAI: { apiKey: "..." },
  anthropic: { apiKey: "..." },
  openRouter: { apiKey: "..." }
});

// Or after initialization
jorEl.providers.registerGroq({ apiKey: "..." });

For complete documentation, visit our documentation site.