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

@frumu/tandem-client

v0.4.0

Published

TypeScript client for the Tandem autonomous agent engine HTTP + SSE API

Readme

@frumu/tandem-client

TypeScript / Node.js client for the Tandem autonomous agent engine HTTP + SSE API.

Install

npm install @frumu/tandem-client

Requires Node 18+ (uses built-in fetch and ReadableStream).

Quick start

import { TandemClient } from "@frumu/tandem-client";

const client = new TandemClient({
  baseUrl: "http://localhost:39731", // engine URL
  token: "your-engine-token", // from `tandem-engine token generate`
});

// 1. Create a session
const sessionId = await client.sessions.create({
  title: "My agent session",
  directory: "/path/to/my/project",
});

// 2. Start an async run
const { runId } = await client.sessions.promptAsync(
  sessionId,
  "Summarize the README and list the top 3 TODOs"
);

// 3. Stream the response
for await (const event of client.stream(sessionId, runId)) {
  if (event.type === "session.response") {
    process.stdout.write(String(event.properties.delta ?? ""));
  }
  if (
    event.type === "run.complete" ||
    event.type === "run.completed" ||
    event.type === "run.failed" ||
    event.type === "session.run.finished"
  )
    break;
}

API

new TandemClient(options)

| Option | Type | Description | | ----------- | -------- | ----------------------------------------------- | | baseUrl | string | Engine base URL (e.g. http://localhost:39731) | | token | string | Engine API token | | timeoutMs | number | Request timeout in ms (default 20000) |

client.setToken(token)void

Update the bearer token used for subsequent HTTP and SSE requests.

client.health()SystemHealth

Check engine readiness.

client.stream(sessionId, runId?, options?)AsyncGenerator<EngineEvent>

Stream events from a session run. Yields typed EngineEvent objects.

client.globalStream(options?)AsyncGenerator<EngineEvent>

Stream all engine events across all sessions.


client.sessions

| Method | Description | | ------------------------------------ | --------------------------------------- | | create(options?) | Create a session, returns sessionId | | list(options?) | List sessions | | get(sessionId) | Get session details | | delete(sessionId) | Delete a session | | messages(sessionId) | Get message history | | activeRun(sessionId) | Get the currently active run | | promptAsync(sessionId, prompt) | Start an async run, returns { runId } | | promptAsyncParts(sessionId, parts) | Start async run with text/file parts |

Prompt with file attachments:

const { runId } = await client.sessions.promptAsyncParts(sessionId, [
  {
    type: "file",
    mime: "image/jpeg",
    filename: "photo.jpg",
    url: "/srv/tandem/channel_uploads/telegram/123/photo.jpg",
  },
  { type: "text", text: "Describe this image." },
]);

client.routines

| Method | Description | | ------------------------------- | ----------------------------- | | list(family?) | List routines or automations | | create(options, family?) | Create a scheduled routine | | delete(id, family?) | Delete a routine | | runNow(id, family?) | Trigger a routine immediately | | listRuns(family?, limit?) | List recent run records | | listArtifacts(runId, family?) | List artifacts from a run |

Create a scheduled routine:

await client.routines.create({
  name: "Daily digest",
  schedule: "0 8 * * *", // cron expression
  prompt: "Summarize today's activity and write a report",
  allowed_tools: ["read", "websearch", "webfetch"],
});

client.mcp

| Method | Description | | --------------------------- | --------------------------- | | list() | List registered MCP servers | | listTools() | List all discovered tools | | add(options) | Register an MCP server | | connect(name) | Connect and discover tools | | disconnect(name) | Disconnect | | refresh(name) | Re-discover tools | | setEnabled(name, enabled) | Enable/disable |

await client.mcp.add({ name: "arcade", transport: "https://mcp.arcade.ai/mcp" });
await client.mcp.connect("arcade");
const tools = await client.mcp.listTools();

client.channels

| Method | Description | | ----------------------- | ------------------------------ | | config() | Get channel configuration | | status() | Get live connection status | | put(channel, payload) | Configure a channel | | delete(channel) | Remove a channel configuration |

client.packs

| Method | Description | | ------------------------------------- | ------------------------------------------- | | list() | List installed packs | | inspect(selector) | Inspect pack manifest/trust/risk | | install({ path \| url, source? }) | Install a pack zip | | installFromAttachment(options) | Install from downloaded attachment path | | uninstall({ pack_id \| name }) | Uninstall pack | | export(options) | Export installed pack to zip | | detect({ path, ... }) | Detect root tandempack.yaml marker in zip | | updates(selector) | Check updates (stub in v0.4.0) | | update(selector, { target_version}) | Apply update (stub in v0.4.0) |

client.capabilities

| Method | Description | | ------------------- | ------------------------------------------------ | | getBindings() | Load current capability bindings file | | setBindings(file) | Replace capability bindings file | | discovery() | Discover provider tools for capability resolver | | resolve(input) | Resolve capability IDs to provider tool bindings |

client.permissions

| Method | Description | | ------------------------- | --------------------------------- | | list() | List pending requests and rules | | reply(requestId, reply) | Approve/deny a permission request |

client.memory

// Put (global record; SDK accepts `text`, server persists `content`)
await client.memory.put({
  text: "Use WAL mode for sqlite in long-lived services.",
  run_id: "run-123",
});

// Search
const found = await client.memory.search({ query: "sqlite wal", limit: 5 });

// List by user scope
const listing = await client.memory.list({ userId: "user-123", q: "sqlite" });

// Promote / demote / delete
await client.memory.promote({ id: listing.items[0].id! });
await client.memory.demote({ id: listing.items[0].id!, runId: "run-123" });
await client.memory.delete(listing.items[0].id!);

client.providers

| Method | Description | | ---------------------------------- | ---------------------------------- | | catalog() | List available providers | | config() | Get current provider configuration | | setDefaults(providerId, modelId) | Set default provider and model | | setApiKey(providerId, apiKey) | Store an API key |


Engine events reference

Common event.type values:

| Type | Description | | ------------------------- | -------------------------------------------------- | | session.response | Streaming text delta in event.properties.delta | | session.tool_call | Tool invocation in event.properties | | session.tool_result | Tool result | | run.complete | Run finished successfully (legacy event name) | | run.completed | Run finished successfully | | run.failed | Run failed | | session.run.finished | Session-scoped terminal run event | | permission.request | Approval needed — use client.permissions.reply() | | memory.write.succeeded | Memory write persisted | | memory.search.performed | Memory retrieval telemetry | | memory.context.injected | Prompt context injection telemetry |

License

MIT