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

@runplex/sylo

v0.1.1

Published

TypeScript SDK for the Sylo Security Gateway

Downloads

526

Readme

@runplex/sylo

TypeScript SDK for the Sylo Security Gateway — secure your AI agents' API access with credential injection, policy enforcement, and audit logging.

Install

npm install @runplex/sylo

Quick Start

import { SyloClient, credential } from "@runplex/sylo";
import { Sandbox } from "@e2b/code-interpreter";

const sylo = new SyloClient({
  apiUrl: "https://sylo.runplex.dev",
  developerSecret: process.env.SYLO_SECRET!,
});

// 1. Create a sandbox session with credentials + policies
const { token } = await sylo.createSandboxToken({
  tenantId: "acme",
  userId: "user_123",
  expiresIn: "10m",
  credentials: [
    credential("github", process.env.GITHUB_TOKEN!),
    credential("openai", process.env.OPENAI_API_KEY!),
  ],
  // mitm is auto-inferred from credential domains
  policies: {
    default: "deny",  // credentialed domains are implicitly allowed
    rules: [
      { domain: "api.github.com", methods: ["GET"], paths: ["/repos/acme/*"] },
    ],
    rateLimit: { "api.github.com": "50/min" },
  },
});

// 2. Launch E2B sandbox with gateway env vars
const sandbox = await Sandbox.create({
  template: "your-template",
  envs: sylo.sandboxEnv(token),
});

// 3. Query audit log after the agent runs
const { events } = await sylo.queryAudit({ tenantId: "acme" });

// 4. Revoke when done
await sylo.revokeSession(token);

API Reference

new SyloClient(options)

| Option | Type | Required | Description | |--------|------|----------|-------------| | apiUrl | string | Yes | Platform API URL (e.g. https://sylo.runplex.dev) | | developerSecret | string | Yes | Your developer secret (sylo_sk_...) | | gatewayHost | string | No | Gateway tunnel host. Defaults to {apiUrl hostname}:8443 | | fetch | typeof fetch | No | Custom fetch implementation (for testing) |

createSandboxToken(request)

Create a sandbox session with credentials, policies, and configuration.

const { token, expiresAt } = await sylo.createSandboxToken({
  tenantId: "acme",           // required — your customer's identifier
  userId: "user_123",         // optional — end user who triggered the agent
  expiresIn: "5m",            // optional — TTL (default: "5m")
  credentials: [...],         // optional — credentials to inject
  mitm: [...],                // optional — auto-inferred from credentials + policy domains
  passthrough: [...],         // optional — domains to forward without interception
  policies: {...},            // optional — allow/deny rules + rate limits
  pii: {...},                 // optional — PII scanning config
  limits: {...},              // optional — request/duration limits
  policyWebhook: "https://...", // optional — custom policy decision endpoint
});

Returns: { token: string, expiresAt: string }

sandboxEnv(token)

Get environment variables for the sandbox. Pass these when creating an E2B sandbox.

const env = sylo.sandboxEnv(token);
// {
//   SYLO_TOKEN: "sylo_stk_...",
//   SYLO_GATEWAY: "sylo.runplex.dev:8443",
//   SYLO_GATEWAY_API: "https://sylo.runplex.dev"
// }

revokeSession(token)

Immediately revoke a session. The sandbox loses access.

await sylo.revokeSession("sylo_stk_...");

listSessions(options?)

List sessions for your workspace.

const { sessions, total } = await sylo.listSessions({
  status: "active",  // optional: "pending" | "active" | "expired"
  limit: 50,         // optional (default: 50)
  offset: 0,         // optional (default: 0)
});

queryAudit(options?)

Query the audit log — every proxied request through the gateway.

const { events, total } = await sylo.queryAudit({
  tenantId: "acme",           // optional
  destination: "api.github.com", // optional
  policyDecision: "deny",    // optional: "allow" | "deny" | "would-block"
  limit: 100,                // optional (default: 100)
  offset: 0,                 // optional (default: 0)
});

Error Handling

All methods throw SyloError on failure:

import { SyloError } from "@runplex/sylo";

try {
  await sylo.createSandboxToken({ tenantId: "acme" });
} catch (err) {
  if (err instanceof SyloError) {
    console.error(err.status); // HTTP status (0 for network errors)
    console.error(err.code);   // "unauthorized", "invalid_request", etc.
    console.error(err.message);
  }
}

Security Profiles

Security profiles let you save credential + policy configurations and reuse them across sessions. Create once, reference by name:

// Create a profile — MITM auto-inferred, policies saved
const profile = await sylo.createProfile({
  name: "code-review-agent",
  profileData: {
    credentials: [
      credential("anthropic", process.env.ANTHROPIC_API_KEY!),
      credential("github", process.env.GITHUB_TOKEN!),
    ],
    policies: {
      default: "deny",
      rules: [{ domain: "api.github.com", methods: ["GET"] }],
    },
  },
});

// Use it in sessions — no need to repeat credentials + policies
const session = await sylo.createSandboxToken({
  tenantId: "customer-123",
  securityProfile: profile.name,
});

createProfile(request)

const profile = await sylo.createProfile({
  name: "my-profile",        // unique within workspace
  profileData: {
    credentials: [...],       // credential() helper works here
    policies: {...},          // saved with the profile
    passthrough: [...],       // optional
    pii: {...},               // optional
    limits: {...},            // optional
    policyWebhook: "...",     // optional
    shadowMode: true,         // optional
  },
});

Credentials with a value are encrypted and saved. Set value: null for runtime slots that must be filled per-session:

// Profile with one saved credential + one runtime slot
const profile = await sylo.createProfile({
  name: "multi-tenant-agent",
  profileData: {
    credentials: [
      credential("anthropic", process.env.ANTHROPIC_API_KEY!),  // saved
      { name: "tenant-api", domain: "api.example.com", header: "Authorization", value: null },  // runtime slot
    ],
    policies: { default: "deny" },
  },
});

// Each session fills the runtime slot with the tenant's key
const session = await sylo.createSandboxToken({
  tenantId: "customer-123",
  securityProfile: "multi-tenant-agent",
  credentials: [
    { name: "tenant-api", domain: "api.example.com", header: "Authorization", value: tenantApiKey },
  ],
});

listProfiles()

const { profiles } = await sylo.listProfiles();

getProfile(id)

const profile = await sylo.getProfile("profile-id");

updateProfile(id, request)

await sylo.updateProfile(profile.id, {
  name: "renamed",
  profileData: { ... },
});

deleteProfile(id)

await sylo.deleteProfile(profile.id);

Credential Injection

Credentials are encrypted at rest and injected into requests by the gateway. The sandbox never sees the raw credential values.

credential() helper

The easiest way to add credentials for common APIs. Handles domain, auth header, prefix, and env var automatically:

import { credential } from "@runplex/sylo";

credentials: [
  credential("anthropic", process.env.ANTHROPIC_API_KEY!),
  credential("openai", process.env.OPENAI_API_KEY!),
  credential("github", process.env.GITHUB_TOKEN!),
]

Built-in services (12): anthropic, openai, github, stripe, linear, slack, huggingface, cohere, replicate, groq, mistral, fireworks.

Override name or env var when needed:

credential("github", token, { name: "github-read", envVar: "GITHUB_READ" })

Full config

For custom APIs or AWS SigV4, use the full credential object:

credentials: [
  { name: "custom", domain: "api.example.com", header: "Authorization", value: "Bearer ..." },
]

Named mode — multiple credentials per domain:

credentials: [
  credential("github", readToken, { name: "github-read", envVar: "GITHUB_READ" }),
  credential("github", writeToken, { name: "github-write", envVar: "GITHUB_WRITE" }),
]
// In the sandbox:
// GITHUB_READ=sylo_cred:github-read
// GITHUB_WRITE=sylo_cred:github-write

Policies

Control which requests the agent can make:

policies: {
  default: "deny",  // credentialed domains are implicitly allowed
  rules: [
    // rules restrict — limit methods/paths on allowed domains
    { domain: "api.github.com", methods: ["GET"], paths: ["/repos/acme/*"] },
  ],
  rateLimit: {
    "api.github.com": "50/min",
    "api.openai.com": "20/min",
  },
}

With default: "deny", domains that have credentials are automatically allowed without needing explicit rules. Policy rules only add restrictions (limit methods, paths, or rate limits).