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

neural-ai-sdk

v0.1.5

Published

Unified SDK for interacting with various AI LLM providers

Readme

Neural AI SDK

A unified JavaScript/TypeScript SDK for interacting with various AI LLM providers. This SDK allows you to integrate multiple AI models from different organizations through a single consistent interface.

Supported AI Providers

  • OpenAI (GPT models)
  • Google (Gemini models)
  • DeepSeek
  • Ollama (local models)
  • HuggingFace

Installation

npm install neural-ai-sdk

Usage

Basic Example

import { NeuralAI, AIProvider } from "neural-ai-sdk";

// Create an OpenAI model
const openaiModel = NeuralAI.createModel(AIProvider.OPENAI, {
  apiKey: "your-openai-api-key", // Optional if OPENAI_API_KEY environment variable is set
  model: "gpt-4",
});

// Generate a response
async function generateResponse() {
  const response = await openaiModel.generate({
    prompt: "What is artificial intelligence?",
    systemPrompt: "You are a helpful AI assistant.",
  });

  console.log(response.text);
}

generateResponse();

Automatic Environment Variables Support

The SDK automatically loads environment variables from .env files when imported, so you don't need to manually configure dotenv. Simply create a .env file in your project root, and the API keys will be automatically detected:

// No need to provide API keys in code if they're set in .env files
// No need to manually call require('dotenv').config()
const openaiModel = NeuralAI.createModel(AIProvider.OPENAI, {
  model: "gpt-4",
});

const googleModel = NeuralAI.createModel(AIProvider.GOOGLE, {
  model: "gemini-pro",
});

Available environment variables:

| Provider | API Key Variable | Base URL Variable (optional) | | ----------- | --------------------- | ---------------------------- | | OpenAI | OPENAI_API_KEY | - | | Google | GOOGLE_API_KEY | - | | DeepSeek | DEEPSEEK_API_KEY | DEEPSEEK_BASE_URL | | HuggingFace | HUGGINGFACE_API_KEY | HUGGINGFACE_BASE_URL | | Ollama | - | OLLAMA_BASE_URL |

Using Streaming

import { NeuralAI, AIProvider } from "neural-ai-sdk";

// Create a Google model
const googleModel = NeuralAI.createModel(AIProvider.GOOGLE, {
  apiKey: "your-google-api-key",
  model: "gemini-pro",
});

// Stream a response
async function streamResponse() {
  const stream = googleModel.stream({
    prompt: "Write a short story about AI.",
  });

  for await (const chunk of stream) {
    process.stdout.write(chunk);
  }
}

streamResponse();

Working With Different Providers

import { NeuralAI, AIProvider } from "neural-ai-sdk";

// Create Ollama model (for local inference)
const ollamaModel = NeuralAI.createModel(AIProvider.OLLAMA, {
  // baseURL is optional if OLLAMA_BASE_URL environment variable is set
  model: "llama2",
});

// Create HuggingFace model
const huggingfaceModel = NeuralAI.createModel(AIProvider.HUGGINGFACE, {
  // apiKey is optional if HUGGINGFACE_API_KEY environment variable is set
  model: "meta-llama/Llama-2-7b-chat-hf",
});

// Create DeepSeek model
const deepseekModel = NeuralAI.createModel(AIProvider.DEEPSEEK, {
  // apiKey is optional if DEEPSEEK_API_KEY environment variable is set
  model: "deepseek-chat",
});

Using Multimodal Capabilities

The SDK supports multimodal capabilities for providers with vision-capable models. You can pass images to any model - the SDK will attempt to process them appropriately and provide helpful error messages if the model doesn't support vision inputs.

Simple Image + Text Example

import { NeuralAI, AIProvider } from "neural-ai-sdk";

// Create an OpenAI model with vision capabilities
const openaiModel = NeuralAI.createModel(AIProvider.OPENAI, {
  model: "gpt-4o", // Model that supports vision
});

// Process an image with a text prompt
async function analyzeImage() {
  const response = await openaiModel.generate({
    prompt: "What's in this image? Please describe it in detail.",
    // The image can be a URL, local file path, or Buffer
    image: "https://example.com/image.jpg",
  });

  console.log(response.text);
}

analyzeImage();

Using Multiple Images

For more complex scenarios with multiple images or mixed content:

import { NeuralAI, AIProvider } from "neural-ai-sdk";

// Create a Google model with multimodal support
const googleModel = NeuralAI.createModel(AIProvider.GOOGLE, {
  model: "gemini-2.0-flash",
});

async function compareImages() {
  const response = await googleModel.generate({
    prompt: "Compare these two images and tell me the differences:",
    content: [
      {
        type: "image",
        source: "https://example.com/image1.jpg",
      },
      {
        type: "text",
        text: "This is the first image.",
      },
      {
        type: "image",
        source: "https://example.com/image2.jpg",
      },
      {
        type: "text",
        text: "This is the second image.",
      },
    ],
  });

  console.log(response.text);
}

compareImages();

Supported Image Sources

The SDK handles various image sources:

  • URLs: "https://example.com/image.jpg"
  • Local file paths: "/path/to/local/image.jpg"
  • Buffers: Direct image data as a Buffer object

The SDK automatically handles:

  • Base64 encoding
  • MIME type detection
  • Image formatting for each provider's API

Multimodal Support Across Providers

All providers can attempt to process images - the SDK will automatically handle errors gracefully if a specific model doesn't support multimodal inputs.

| Provider | Common Vision-Capable Models | | ----------- | --------------------------------------------------- | | OpenAI | gpt-4o, gpt-4-vision | | Google | gemini-2.0-flash | | Ollama | llama-3.2-vision, llama3-vision, bakllava, llava | | HuggingFace | llava, cogvlm, idefics, instructblip | | DeepSeek | (Check provider documentation for supported models) |

Environment Configuration

You can set up environment variables by:

  1. Creating a .env file in your project root
  2. Setting environment variables in your deployment platform
  3. Setting them in your system environment

Example .env file:

OPENAI_API_KEY=your_openai_key_here
GOOGLE_API_KEY=your_google_key_here
DEEPSEEK_API_KEY=your_deepseek_key_here
HUGGINGFACE_API_KEY=your_huggingface_key_here
OLLAMA_BASE_URL=http://localhost:11434/api

The SDK automatically loads environment variables from .env files when imported, so you don't need to manually configure dotenv.

Configuration Options

All models accept the following configuration options:

| Option | Description | | ------------- | ------------------------------------------------------------------------------ | | apiKey | API key for authentication (optional if set as environment variable) | | baseURL | Base URL for the API (optional, uses environment variable or default endpoint) | | model | The model to use (optional, each provider has a default) | | temperature | Controls randomness (0.0 to 1.0) | | maxTokens | Maximum number of tokens to generate | | topP | Nucleus sampling parameter |

Using Request Options

You can provide options at the time of the request that override the model's default configuration:

const response = await openaiModel.generate({
  prompt: "Explain quantum computing",
  options: {
    temperature: 0.7,
    maxTokens: 500,
  },
});

Advanced Usage

Access Raw API Responses

Each response includes a raw property with the full response data from the provider:

const response = await openaiModel.generate({
  prompt: "Summarize machine learning",
});

// Access the raw response data
console.log(response.raw);

Response Usage Information

When available, you can access token usage information:

const response = await openaiModel.generate({
  prompt: "Explain neural networks",
});

console.log(`Prompt tokens: ${response.usage?.promptTokens}`);
console.log(`Completion tokens: ${response.usage?.completionTokens}`);
console.log(`Total tokens: ${response.usage?.totalTokens}`);

Multimodal Streaming

You can also stream responses from multimodal prompts:

import { NeuralAI, AIProvider } from "neural-ai-sdk";

const model = NeuralAI.createModel(AIProvider.OPENAI, {
  model: "gpt-4o",
});

async function streamImageAnalysis() {
  const stream = model.stream({
    prompt: "Describe this image in detail:",
    image: "https://example.com/image.jpg",
  });

  for await (const chunk of stream) {
    process.stdout.write(chunk);
  }
}

streamImageAnalysis();

License

MIT