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

@schift-io/sdk

v0.5.0

Published

Schift TypeScript SDK for embeddings, search, RAG chat, and workflows

Readme

@schift-io/sdk

Schift TypeScript SDK for embeddings, vector search, RAG chat, and workflows.

Install

npm install @schift-io/sdk

Quick Start

import { Schift } from "@schift-io/sdk";

const client = new Schift({ apiKey: "sch_your_api_key" });

// Embed a single text
const { embedding, dimensions } = await client.embed({
  text: "Hello, world!",
  model: "openai/text-embedding-3-small",
});
console.log(`Dimension: ${dimensions}, vector: [${embedding.slice(0, 3).join(", ")}, ...]`);

// Batch embed
const { embeddings } = await client.embedBatch({
  texts: ["first document", "second document"],
  model: "openai/text-embedding-3-small",
  dimensions: 1024,
});

API Key

Get your API key from the Schift Dashboard > API Keys.

You can also use environment variables:

const client = new Schift({ apiKey: process.env.SCHIFT_API_KEY! });

Features

Embeddings

// Single text
const resp = await client.embed({
  text: "Search query",
  model: "openai/text-embedding-3-small", // optional
  dimensions: 1024,                       // optional
});
// resp: { embedding: number[], model: string, dimensions: number, usage: { tokens: number } }

// Batch (up to 2048 texts)
const batch = await client.embedBatch({
  texts: ["doc 1", "doc 2", "doc 3"],
  model: "gemini/text-embedding-004",
});
// batch: { embeddings: number[][], model: string, dimensions: number, usage: { tokens, count } }

Search

const results = await client.search({
  query: "How does projection work?",
  collection: "my-docs",
  topK: 10,
});
// results: Array<{ id, score, modality, metadata? }>

Web Search

// Schift Cloud web search
const results = await client.webSearch("latest AI regulations 2026", 5);
results.forEach((r) => {
  console.log(r.title, r.url);
});
// BYOK provider for direct web search
import { WebSearch } from "@schift-io/sdk";

const webSearch = new WebSearch({
  provider: "tavily",
  providerApiKey: process.env.TAVILY_API_KEY!,
  maxResults: 5,
});

const fresh = await webSearch.search("Schift framework launch updates");

Tool calling helpers created from client.tools include schift_web_search by default, so OpenAI/Claude/Vercel AI SDK integrations can call live web search without extra wiring.

Collections

// List all collections
const collections = await client.listCollections();

// Get collection details
const col = await client.getCollection("collection-id");

// Delete collection
await client.deleteCollection("collection-id");

Workflows

Build and run RAG pipelines as composable DAGs.

Quick Start

// Create from template or blank
const wf = await client.workflows.create({ name: "My RAG Pipeline" });

// Run with inputs (multiple values supported)
const result = await client.workflows.run(wf.id, {
  query: "maternity leave policy",
  language: "ko",
});
console.log(result.outputs);

CRUD

const wf = await client.workflows.create({ name: "Pipeline" });
const all = await client.workflows.list();
const one = await client.workflows.get(wf.id);
const updated = await client.workflows.update(wf.id, { name: "Renamed" });
await client.workflows.delete(wf.id);

Blocks & Edges

// Add blocks
const retriever = await client.workflows.addBlock(wf.id, {
  type: "retriever",
  title: "Search Docs",
  config: { collection: "my-docs", top_k: 5, rerank: true },
});

const llm = await client.workflows.addBlock(wf.id, {
  type: "llm",
  config: {
    model: "openai/gpt-4o-mini", // or "anthropic/claude-sonnet-4-20250514", "gemini-2.5-flash"
    temperature: 0.7,
  },
});

// Connect blocks
await client.workflows.addEdge(wf.id, {
  source: retriever.id,
  target: llm.id,
});

// Remove
await client.workflows.removeBlock(wf.id, retriever.id);
await client.workflows.removeEdge(wf.id, edgeId);

WorkflowBuilder (Fluent API)

Build a graph locally, then send to the API in one call:

import { WorkflowBuilder } from "@schift-io/sdk";

const request = new WorkflowBuilder("My RAG Pipeline")
  .description("Retrieval-augmented generation")
  .addBlock("start", { type: "start" })
  .addBlock("retriever", {
    type: "retriever",
    config: { collection: "my-docs", top_k: 5 },
  })
  .addBlock("prompt", {
    type: "prompt_template",
    config: { template: "Context:\n{{results}}\n\nQ: {{query}}" },
  })
  .addBlock("llm", {
    type: "llm",
    config: { model: "openai/gpt-4o-mini" },
  })
  .addBlock("end", { type: "end" })
  .connect("start", "retriever")
  .connect("retriever", "prompt")
  .connect("prompt", "llm")
  .connect("llm", "end")
  .build();

const wf = await client.workflows.create(request);

YAML Import / Export

// Export
const yaml = await client.workflows.exportYaml(wf.id);

// Import from YAML string
const imported = await client.workflows.importYaml(yamlString);

Validation & Meta

// Validate graph
const { valid, errors } = await client.workflows.validate(wf.id);

// List available block types
const blockTypes = await client.workflows.getBlockTypes();

// List available templates
const templates = await client.workflows.getTemplates();

Block Types

| Category | Types | |----------|-------| | Control | start, end, conditional, loop | | Retrieval | retriever, reranker | | LLM | llm, prompt_template, answer | | Data | document_loader, chunker, embedder, text_processor | | Web | web_search | | Integration | api_call, webhook, code_executor | | Storage | vector_store, cache |

Configuration

const client = new Schift({
  apiKey: "sch_...",                      // required
  baseUrl: "https://api.schift.io",       // default
  timeout: 60_000,                        // default, in milliseconds
});

Error Handling

import { Schift, AuthError, QuotaError, SchiftError } from "@schift-io/sdk";

try {
  await client.embed({ text: "test" });
} catch (err) {
  if (err instanceof AuthError) {
    // 401: Invalid or expired API key
  } else if (err instanceof QuotaError) {
    // 402: Insufficient credits
  } else if (err instanceof SchiftError) {
    // Other API errors (403, 422, 429, 500, 502)
    console.error(err.message, err.statusCode);
  }
}

Supported Models

| Model | Provider | Dimensions | |-------|----------|------------| | openai/text-embedding-3-small | OpenAI | 1536 | | openai/text-embedding-3-large | OpenAI | 3072 | | gemini/text-embedding-004 | Google | 768 | | voyage/voyage-3-large | Voyage | 1024 | | schift-embed-1-preview | Schift | 1024 |

All models output to a canonical 1024-dimensional space via Schift's projection layer.

License

MIT