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

@agentspan/sdk

v0.0.1

Published

JavaScript SDK for Agentspan — define and run agents on Conductor

Readme

Agentspan JS SDK

JavaScript SDK for building and running AI agents on Conductor. Define agents and tools in plain JavaScript (or TypeScript), run them durably on Conductor.

  • JavaScript-first — no build step required, CommonJS out of the box
  • TypeScript support — type definitions included; optional @AgentTool class decorator
  • Conductor workers — tool functions run as distributed Conductor tasks via @io-orkes/conductor-javascript
  • Same wire format as the Python SDK — share agents across languages

Installation

npm install @agentspan/sdk

Requires Node 18+ (uses native fetch).


Quick start

const { Agent, AgentRuntime, tool } = require('@agentspan/sdk')

const getWeather = tool(
  async function getWeather({ city }) {
    return { city, temperature_f: 72, condition: 'Sunny' }
  },
  {
    description: 'Get the current weather for a city.',
    inputSchema: {
      type: 'object',
      properties: { city: { type: 'string' } },
      required: ['city'],
    },
  }
)

const agent = new Agent({
  name: 'weather_agent',
  model: 'openai/gpt-4o',
  instructions: 'You are a helpful weather assistant.',
  tools: [getWeather],
})

const runtime = new AgentRuntime({ serverUrl: 'http://localhost:8080' })
const result = await runtime.run(agent, "What's the weather in SF?")
result.printResult()
await runtime.shutdown()

Configuration

Set environment variables (or create a .env file — dotenv is auto-loaded in examples):

| Variable | Default | Description | |----------|---------|-------------| | AGENTSPAN_SERVER_URL | http://localhost:8080/api | Conductor server URL | | AGENTSPAN_AUTH_KEY | — | Auth key (Orkes Cloud only) | | AGENTSPAN_AUTH_SECRET | — | Auth secret (Orkes Cloud only) | | AGENTSPAN_WORKER_POLL_INTERVAL | 100 | Worker poll interval (ms) | | AGENTSPAN_LOG_LEVEL | INFO | DEBUG / INFO / WARN / ERROR | | AGENT_LLM_MODEL | — | Model in provider/model format, e.g. openai/gpt-4o |

cp .env.example .env
# then edit .env

API reference

tool(fn, options)

Wraps a function as an agent tool. The function receives a single input object matching the inputSchema and should return a plain object (or a value that will be wrapped in { result }).

const myTool = tool(
  async function myTool({ x, y }) {
    return { sum: x + y }
  },
  {
    name: 'my_tool',            // optional — defaults to function name
    description: 'Add two numbers.',
    inputSchema: {
      type: 'object',
      properties: {
        x: { type: 'number' },
        y: { type: 'number' },
      },
      required: ['x', 'y'],
    },
    approvalRequired: false,    // set true for human-in-the-loop
    timeoutSeconds: 30,         // optional
  }
)

Server-side tools (no local worker)

const { httpTool, mcpTool } = require('@agentspan/sdk')

// HTTP tool — Conductor calls the endpoint directly
const weatherApi = httpTool({
  name: 'get_weather',
  description: 'Fetch live weather data.',
  url: 'https://api.weather.example.com/current',
  method: 'GET',
  inputSchema: {
    type: 'object',
    properties: { city: { type: 'string' } },
    required: ['city'],
  },
})

// MCP tool — routes through an MCP server
const githubTools = mcpTool({
  name: 'github_mcp',
  description: 'GitHub tools via MCP.',
  serverUrl: 'http://localhost:3001/mcp',
})

new Agent(options)

const agent = new Agent({
  name: 'my_agent',           // required — unique name, becomes the workflow name
  model: 'openai/gpt-4o',     // 'provider/model' format
  instructions: 'You are...', // system prompt (string or () => string)
  tools: [myTool],            // tool() wrappers, httpTool/mcpTool defs, or toolsFrom() output
  maxTurns: 25,               // max LLM iterations (default: 25)
  temperature: 0,             // optional
  maxTokens: 4096,            // optional
})

Multi-agent

const researcher = new Agent({ name: 'researcher', model: 'openai/gpt-4o', tools: [search] })
const writer     = new Agent({ name: 'writer',     model: 'openai/gpt-4o' })

// Handoff — LLM decides which sub-agent to call
const coordinator = new Agent({
  name: 'coordinator',
  model: 'openai/gpt-4o',
  agents: [researcher, writer],
  strategy: 'handoff',
})

// Sequential pipeline — output of each step feeds the next
const pipeline = new Agent({
  name: 'pipeline',
  agents: [researcher, writer],
  strategy: 'sequential',
})

// Parallel — all sub-agents run concurrently
const panel = new Agent({
  name: 'panel',
  agents: [researcher, writer],
  strategy: 'parallel',
})

new AgentRuntime(options)

const runtime = new AgentRuntime({
  serverUrl: 'http://localhost:8080', // auto-appends /api if missing
  authKey: '...',                     // optional
  authSecret: '...',                  // optional
  logLevel: 'INFO',
})

runtime.run(agent, prompt, [options])AgentResult

Blocks until the workflow completes.

const result = await runtime.run(agent, "What's the weather in SF?")

console.log(result.output)        // { result: "The weather in SF is..." }
console.log(result.status)        // 'COMPLETED'
console.log(result.toolCalls)     // [{ name, args, result }, ...]
console.log(result.isSuccess)     // true
result.printResult()              // pretty-print to stdout

runtime.start(agent, prompt, [options])AgentHandle

Fire-and-forget — returns a handle immediately.

const handle = await runtime.start(agent, 'Long running task...')

console.log(handle.workflowId)

// Poll status
const status = await handle.getStatus()
// { isComplete, isRunning, isWaiting, status, output, ... }

// Block until done
const result = await handle.wait()

// Human-in-the-loop approval (when isWaiting === true)
await handle.approve()
await handle.reject('Too risky')

runtime.stream(agent, prompt, [options])AsyncIterable<AgentEvent>

Stream events as they happen.

for await (const event of runtime.stream(agent, prompt)) {
  switch (event.type) {
    case 'thinking':
      console.log('thinking:', event.content)
      break
    case 'tool_call':
      console.log(`calling ${event.toolName}(`, event.args, ')')
      break
    case 'tool_result':
      console.log(`${event.toolName} returned`, event.result)
      break
    case 'waiting':
      // approval-required tool is paused — use handle.approve() / handle.reject()
      break
    case 'error':
      console.error('error:', event.error)
      break
    case 'done':
      console.log('output:', event.output)
      break
  }
}

runtime.plan(agent) → workflow definition JSON

Compile an agent to a Conductor workflow definition without running it.

const workflowDef = await runtime.plan(agent)
console.log(JSON.stringify(workflowDef, null, 2))

runtime.shutdown()

Stop all workers cleanly.

await runtime.shutdown()

TypeScript — @AgentTool decorator

For TypeScript projects, you can define tools as decorated class methods instead of using tool(). The decorator is a method decorator only (TypeScript/JavaScript limitation — standalone function decorators are not supported).

import { AgentTool, toolsFrom } from '@agentspan/sdk/decorators'
const { Agent, AgentRuntime } = require('@agentspan/sdk')

class WeatherTools {
  @AgentTool({
    description: 'Get the current weather for a city.',
    inputSchema: {
      type: 'object',
      properties: { city: { type: 'string' } },
      required: ['city'],
    },
  })
  async getWeather({ city }: { city: string }) {
    return { city, temperature_f: 58, condition: 'Foggy' }
  }

  @AgentTool({
    description: 'Evaluate a math expression.',
    inputSchema: {
      type: 'object',
      properties: { expression: { type: 'string' } },
      required: ['expression'],
    },
  })
  async calculate({ expression }: { expression: string }) {
    return { expression, result: eval(expression) }
  }
}

// toolsFrom() extracts all @AgentTool-decorated methods as tool() wrappers
const agent = new Agent({
  name: 'my_agent',
  model: 'openai/gpt-4o',
  tools: toolsFrom(new WeatherTools()),
})

Build the decorator module before use:

npm run build:decorators

Or run directly with ts-node:

npx ts-node --project decorators/tsconfig.json examples/weather-decorators.ts

Note: Requires "experimentalDecorators": true in your tsconfig.json.


Examples

# Plain JS weather example
AGENTSPAN_SERVER_URL=http://localhost:8080 \
AGENT_LLM_MODEL=openai/gpt-4o \
node examples/weather.js

# Custom prompt
node examples/weather.js "What's the weather in Tokyo and London?"

# Streaming events
node examples/weather-stream.js "What's the weather in Miami?"

# TypeScript @AgentTool decorator
npx ts-node --project decorators/tsconfig.json examples/weather-decorators.ts

Project structure

agentspan-js/
├── src/
│   ├── index.js          # Public API
│   ├── agent.js          # Agent class
│   ├── tool.js           # tool(), httpTool(), mcpTool()
│   ├── runtime.js        # AgentRuntime
│   ├── config.js         # AgentConfig (env var loading)
│   ├── result.js         # AgentResult, AgentHandle, AgentEvent
│   ├── serializer.js     # Agent → AgentConfig JSON
│   └── worker-manager.js # Conductor TaskManager wrapper
├── decorators/
│   ├── index.ts          # @AgentTool + toolsFrom() (TypeScript)
│   └── tsconfig.json
├── types/
│   └── index.d.ts        # TypeScript type definitions
├── examples/
│   ├── weather.js             # Plain JS example
│   ├── weather-stream.js      # Streaming events
│   └── weather-decorators.ts  # TypeScript decorator example
├── js-sdk-plan.md
├── .env.example
└── package.json