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

sandock

v2.2.3

Published

Lightweight TypeScript SDK for the Sandock - Sandbox in Docker for AI Agents.

Readme

Sandock SDK

Lightweight TypeScript SDK for Sandock - Sandbox in Docker for AI Agents

npm version License: MIT

Installation

npm install sandock
# or
pnpm add sandock
# or
yarn add sandock

Quick Start

import { createSandockClient } from 'sandock'

const client = createSandockClient({
  baseUrl: 'https://sandock.ai',
  headers: {
    'Authorization': 'Bearer YOUR_API_KEY'
  }
})

// Create a sandbox
const sandbox = await client.sandbox.create({ image: 'node:20-alpine' })
console.log('Sandbox ID:', sandbox.data.id)

// Run code
const result = await client.sandbox.runCode(sandbox.data.id, {
  language: 'javascript',
  code: 'console.log("Hello from sandbox!")'
})
console.log('Output:', result.data.stdout)

// Stop sandbox
await client.sandbox.stop(sandbox.data.id)

API Reference

Client Creation

import { createSandockClient } from 'sandock'

const client = createSandockClient({
  baseUrl: 'https://sandock.ai',      // API base URL
  headers: { 'Authorization': '...' }, // Optional headers
  fetch: customFetch                   // Optional custom fetch
})

Sandbox Operations

client.sandbox.create(options)

Create a new sandbox container.

const sandbox = await client.sandbox.create({
  image: 'node:20-alpine',     // Required: Docker image
  command: ['node', '-e', ''], // Optional: Custom command
  env: { NODE_ENV: 'prod' },   // Optional: Environment variables
  cpu: 1,                      // Optional: CPU limit
  memory: 512,                 // Optional: Memory limit (MB)
  spaceId: 'space_xxx'         // Optional: Space ID
})
// Returns: { success: true, data: { id: 'sdbXXX' } }

client.sandbox.start(sandboxId)

Start an existing sandbox.

await client.sandbox.start('sdbXXX')
// Returns: { success: true, data: { id: 'sdbXXX', started: true } }

client.sandbox.stop(sandboxId)

Stop and clean up a sandbox.

await client.sandbox.stop('sdbXXX')
// Returns: { success: true, data: { id: 'sdbXXX', stopped: true } }

client.sandbox.get(sandboxId)

Get sandbox information.

const info = await client.sandbox.get('sdbXXX')
// Returns: { success: true, data: { id: 'sdbXXX', status: 'running' } }

client.sandbox.delete(sandboxId)

Delete a sandbox and free resources.

await client.sandbox.delete('sdbXXX')
// Returns: { success: true, data: { id: 'sdbXXX', deleted: true } }

client.sandbox.runCode(sandboxId, options, callbacks?)

Execute code in a sandbox. Supports JavaScript, TypeScript, and Python.

Batch Mode (wait for completion):

const result = await client.sandbox.runCode('sdbXXX', {
  language: 'javascript',  // 'javascript' | 'typescript' | 'python'
  code: 'console.log("hello")',
  timeoutMs: 30000         // Optional timeout
})
// Returns: { success: true, data: { stdout, stderr, exitCode, timedOut, durationMs } }

Streaming Mode (real-time output via SSE):

await client.sandbox.runCode('sdbXXX', 
  { language: 'python', code: 'print("streaming!")' },
  {
    onStdout: (chunk) => console.log('[stdout]', chunk),
    onStderr: (chunk) => console.log('[stderr]', chunk),
    onError: (err) => console.error('[error]', err)
  }
)

client.sandbox.shell(sandboxId, options, callbacks?)

Execute a shell command in a sandbox.

Batch Mode:

const result = await client.sandbox.shell('sdbXXX', { cmd: 'ls -la' })
// Returns: { success: true, data: { stdout, stderr, exitCode, timedOut, durationMs } }

With Options:

const result = await client.sandbox.shell('sdbXXX', {
  cmd: 'npm install',
  timeoutMs: 60000,           // Optional: timeout in milliseconds (default: 30000)
  workdir: '/app',            // Optional: working directory
  env: { NODE_ENV: 'prod' }   // Optional: environment variables
})

Streaming Mode:

await client.sandbox.shell('sdbXXX', { cmd: 'echo "start"; sleep 2; echo "done"' }, {
  onStdout: (chunk) => process.stdout.write(chunk)
})

File System Operations

client.fs.write(sandboxId, path, content)

Write a file to the sandbox.

await client.fs.write('sdbXXX', '/sandbox/app.js', 'console.log("hi")')
// Returns: { success: true, data: true }

client.fs.read(sandboxId, path)

Read a file from the sandbox.

const file = await client.fs.read('sdbXXX', '/sandbox/app.js')
// Returns: { success: true, data: { path: '...', content: '...' } }

client.fs.list(sandboxId, path)

List files in a directory.

const files = await client.fs.list('sdbXXX', '/sandbox')
// Returns: { success: true, data: { path: '...', entries: [...] } }

client.fs.delete(sandboxId, path)

Delete a file or directory.

await client.fs.delete('sdbXXX', '/sandbox/temp.txt')
// Returns: { success: true, data: true }

Volume Operations

Volumes provide persistent storage that can be mounted to sandboxes.

client.volume.list()

List all volumes in the current space.

const volumes = await client.volume.list()
// Returns: { success: true, data: { volumes: [{ id, name, status, ... }] } }

client.volume.create(name, metadata?)

Create a new volume.

const volume = await client.volume.create('my-data')
// Returns: { success: true, data: { id: 'vol_xxx', name: 'my-data', status: 'ready', ... } }

// With optional metadata
const volume = await client.volume.create('my-data', { project: 'demo' })

client.volume.get(volumeId)

Get volume by ID.

const volume = await client.volume.get('vol_xxx')
// Returns: { success: true, data: { id, name, status, sizeBytes, ... } }

client.volume.getByName(name, create?)

Get volume by name, optionally creating if it doesn't exist.

// Get existing volume
const volume = await client.volume.getByName('my-data')

// Get or create volume
const volume = await client.volume.getByName('my-data', true)

client.volume.delete(volumeId)

Delete a volume. Note: Cannot delete volumes that are mounted to active sandboxes.

await client.volume.delete('vol_xxx')
// Returns: { success: true, data: { id: 'vol_xxx', deleted: true } }

Creating Sandbox with Volume Mounts

Mount volumes to sandboxes for persistent storage:

// First, create or get a volume
const volume = await client.volume.getByName('my-data', true)

// Create sandbox with volume mount
const sandbox = await client.sandbox.create({
  image: 'node:20-alpine',
  volumes: [
    {
      volumeId: volume.data.id,
      mountPath: '/data',           // Mount path inside container
      subpath: 'project1'           // Optional: subdirectory within volume
    }
  ]
})

// Data written to /data will persist across sandbox restarts
await client.sandbox.shell(sandbox.data.id, { cmd: 'echo "hello" > /data/test.txt' })

Meta Information

client.getMeta()

Get API version and metadata.

const meta = await client.getMeta()
// Returns: { success: true, data: { version: '2.1.0' } }

Raw API Access

The client also exposes the underlying openapi-fetch methods for direct API access:

// Direct GET request
const { data, error } = await client.GET('/api/v1/sandbox')

// Direct POST request
const { data, error } = await client.POST('/api/v1/sandbox/{id}/code', {
  params: { path: { id: 'sdbXXX' } },
  body: { language: 'javascript', code: '...' }
})

Streaming Support

The SDK supports real-time output streaming via Server-Sent Events (SSE). When you provide callback functions to runCode or shell, the SDK automatically uses SSE endpoints for real-time output delivery.

// Streaming is automatically enabled when callbacks are provided
await client.sandbox.runCode(sandboxId, 
  { language: 'javascript', code: 'for(let i=0;i<5;i++) console.log(i)' },
  {
    onStdout: (chunk) => console.log('[stdout]', chunk),  // Real-time!
    onStderr: (chunk) => console.log('[stderr]', chunk),
  }
)

// Without callbacks = batch mode (waits for completion)
const result = await client.sandbox.runCode(sandboxId, { language: 'javascript', code: '...' })

TypeScript Support

The SDK is fully typed with TypeScript. All API responses and options have proper type definitions.

import type { 
  SandockClient,
  SandboxCreateOptions,
  RunCodeOptions,
  ExecutionResult,
  StreamCallbacks,
  VolumeInfo,
  VolumeMountInput
} from 'sandock'

License

MIT