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

@stateset/sandbox-sdk

v1.0.3

Published

TypeScript SDK for StateSet Sandbox - Create isolated execution environments for running Claude Code agents

Readme

@stateset/sandbox-sdk

TypeScript SDK for the StateSet Sandbox API. Create isolated Kubernetes-based execution environments with pre-installed AI tools for running Claude Code agents and StateSet commerce operations.

Features

  • Isolated Environments: Each sandbox runs in its own Kubernetes pod with resource limits
  • Pre-installed CLIs: Claude Code (claude) and StateSet CLI (stateset) ready to use
  • File Operations: Read, write, and manage files in the sandbox workspace
  • Streaming Execution: Real-time stdout/stderr streaming for long-running commands
  • Auto-cleanup: Sandboxes automatically terminate after configurable timeout

Pre-installed Tools

Every sandbox includes:

| Tool | Command | Description | |------|---------|-------------| | Claude Code | claude | AI coding assistant with file/bash tools | | StateSet CLI | stateset | AI-powered commerce operations | | Node.js | node, npm | JavaScript runtime (v22) | | TypeScript | tsc, tsx | TypeScript compiler and runner | | Python | python3, pip | Python runtime with AI packages | | Git | git, gh | Version control with GitHub CLI | | Go | go | Go programming language | | Rust | cargo, rustc | Rust programming language |

Installation

npm install @stateset/sandbox-sdk

Quick Start

import { StateSetSandbox } from '@stateset/sandbox-sdk';

const sandbox = new StateSetSandbox({
  baseUrl: 'https://api.sandbox.stateset.app',
  authToken: 'sk-sandbox-your-api-key',
  orgId: 'your-org',
  timeout: 120000
});

// Create a sandbox
const instance = await sandbox.create({
  cpus: '2',
  memory: '4Gi',
  timeout_seconds: 600
});

// Execute a command
const result = await sandbox.execute(instance.sandbox_id, {
  command: 'echo "Hello World"'
});
console.log(result.stdout); // "Hello World\n"

// Clean up
await sandbox.stop(instance.sandbox_id);

Examples

Run Claude Code Agent

const instance = await sandbox.create({ timeout_seconds: 600 });

try {
  // Claude Code is pre-installed with ANTHROPIC_API_KEY
  const result = await sandbox.execute(instance.sandbox_id, {
    command: 'claude -p "Create a REST API with Express.js" --allowedTools "Write,Bash,Read"'
  });
  console.log(result.stdout);
} finally {
  await sandbox.stop(instance.sandbox_id);
}

Run StateSet Commerce CLI

const instance = await sandbox.create({ timeout_seconds: 300 });

try {
  // Check StateSet CLI version
  const version = await sandbox.execute(instance.sandbox_id, {
    command: 'stateset --version'
  });
  console.log(version.stdout); // @stateset/cli v0.1.2

  // Run commerce operations
  const result = await sandbox.execute(instance.sandbox_id, {
    command: 'stateset "show me all customers" --format json'
  });
  console.log(result.stdout);
} finally {
  await sandbox.stop(instance.sandbox_id);
}

StateSet CLI Agents

The StateSet CLI includes specialized agents for commerce operations:

// Inventory management
await sandbox.execute(id, { command: 'stateset --agent inventory "check stock levels for SKU-001"' });

// Order processing
await sandbox.execute(id, { command: 'stateset --agent orders "list recent orders"' });

// Analytics
await sandbox.execute(id, { command: 'stateset --agent analytics "show revenue trends"' });

// Returns processing
await sandbox.execute(id, { command: 'stateset --agent returns "process RMA for order 12345"' });

// Checkout flow
await sandbox.execute(id, { command: 'stateset --agent checkout "create cart for [email protected]"' });

File Operations

// Write source file
await sandbox.writeFile(instance.sandbox_id, '/workspace/main.ts', `
export function greet(name: string): string {
  return \`Hello, \${name}!\`;
}
`);

// Compile TypeScript
await sandbox.execute(instance.sandbox_id, {
  command: 'npx tsc main.ts'
});

// Read compiled output
const jsContent = await sandbox.readFileContent(instance.sandbox_id, '/workspace/main.js');
console.log(jsContent);

Streaming Output

await sandbox.executeStream(
  instance.sandbox_id,
  { command: 'npm install && npm run build' },
  {
    onStdout: (data) => process.stdout.write(data),
    onStderr: (data) => process.stderr.write(data),
    onExit: (code) => console.log('Exit code:', code),
    onError: (err) => console.error('Error:', err)
  }
);

API Reference

StateSetSandbox

Main client for interacting with the sandbox API.

Constructor

const sandbox = new StateSetSandbox({
  baseUrl: string;      // Sandbox controller URL
  authToken: string;    // API key or JWT token
  orgId?: string;       // Organization ID (required for API key auth)
  timeout?: number;     // Request timeout in ms (default: 30000)
});

Methods

| Method | Description | |--------|-------------| | create(options?) | Create a new sandbox instance | | get(sandboxId) | Get sandbox details | | list() | List all sandboxes for the organization | | execute(sandboxId, options) | Execute a command (non-streaming) | | executeStream(sandboxId, options, callbacks) | Execute with streaming output | | writeFile(sandboxId, path, content) | Write a file to the sandbox | | writeFiles(sandboxId, files) | Write multiple files (base64 encoded) | | readFile(sandboxId, path) | Read a file (returns base64) | | readFileContent(sandboxId, path) | Read a file (returns decoded string) | | stop(sandboxId) | Stop and delete a sandbox |

AgentRunner

High-level helper for running Claude Code agents in sandboxes.

import { StateSetSandbox, AgentRunner } from '@stateset/sandbox-sdk';

const sandbox = new StateSetSandbox({
  baseUrl: 'https://api.sandbox.stateset.app',
  authToken: 'sk-sandbox-xxx',
  orgId: 'my-org'
});

const agent = new AgentRunner({
  sandbox,
  anthropicApiKey: process.env.ANTHROPIC_API_KEY!,
  sandboxOptions: {
    cpus: '2',
    memory: '4Gi',
    timeout_seconds: 600
  }
});

// Run agent and auto-cleanup
const { exitCode, events } = await agent.runAndCleanup({
  prompt: 'Create a TypeScript function that calculates fibonacci numbers',
  maxTurns: 10,
  allowedTools: ['Write', 'Bash', 'Read']
}, {
  onEvent: (event) => console.log('Event:', event),
  onStdout: (data) => process.stdout.write(data)
});

Types

Sandbox

interface Sandbox {
  sandbox_id: string;
  org_id: string;
  session_id: string;
  status: 'creating' | 'running' | 'terminating' | 'terminated' | 'error';
  pod_ip?: string;
  created_at: string;
  expires_at: string;
}

CreateSandboxOptions

interface CreateSandboxOptions {
  cpus?: string;           // CPU limit (default: "2")
  memory?: string;         // Memory limit (default: "2Gi")
  timeout_seconds?: number; // Auto-terminate timeout (default: 600)
  env?: Record<string, string>; // Environment variables
}

ExecuteResult

interface ExecuteResult {
  exit_code: number;
  stdout: string;
  stderr: string;
}

StreamCallbacks

interface StreamCallbacks {
  onStdout?: (data: string) => void;
  onStderr?: (data: string) => void;
  onExit?: (code: number) => void;
  onError?: (error: Error) => void;
}

Error Handling

try {
  const instance = await sandbox.create();
  // ...
} catch (error) {
  if (error.message.includes('Maximum sandboxes')) {
    console.error('Too many sandboxes running');
  } else if (error.message.includes('timeout')) {
    console.error('Request timed out');
  } else {
    throw error;
  }
}

Environment Variables

export SANDBOX_URL=https://api.sandbox.stateset.app
export SANDBOX_API_KEY=sk-sandbox-your-key

Requirements

  • Node.js >= 18.0.0
  • API key from StateSet

License

MIT