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

@mayflowergmbh/wasmsh-pyodide

v0.5.9

Published

Pyodide-backed wasmsh runtime package for Node.js and browser workers

Readme

wasmsh-pyodide

Pyodide-backed wasmsh runtime for Node.js, Deno, and browser Web Workers. Provides both bash-compatible shell execution and Python 3 inside the same in-process sandbox, with a shared filesystem rooted at /workspace.

Getting started

Install

npm install wasmsh-pyodide

Requires Node.js 20+ or Deno 2+.

Run your first command (Node.js)

import { createNodeSession } from "wasmsh-pyodide";

const session = await createNodeSession();

const result = await session.run("echo hello && python3 -c \"print('world')\"");
console.log(result.stdout); // hello\nworld\n
console.log(result.exitCode); // 0

await session.close();

Run in a browser Web Worker

import { createBrowserWorkerSession } from "wasmsh-pyodide";

const session = await createBrowserWorkerSession({
  assetBaseUrl: "/node_modules/wasmsh-pyodide/assets",
});

const result = await session.run("python3 -c \"print(2 + 2)\"");
console.log(result.stdout); // 4\n

await session.close();

How-to guides

Seed files before execution

Pass initialFiles when creating a session to pre-populate the sandbox filesystem:

const session = await createNodeSession({
  initialFiles: [
    { path: "/workspace/config.json", content: new TextEncoder().encode('{"key": "value"}') },
  ],
});

const result = await session.run("cat /workspace/config.json");

Transfer files at runtime

Use writeFile and readFile to move data in and out of the sandbox:

// Write a file into the sandbox
await session.writeFile("/workspace/input.csv", new TextEncoder().encode("a,b\n1,2\n"));

// Process it and write output
await session.run(
  "python3 -c \"import csv; rows = list(csv.reader(open('/workspace/input.csv'))); open('/workspace/output.txt','w').write(str(len(rows)))\"",
);

// Read the output back
const result = await session.readFile("/workspace/output.txt");
const text = new TextDecoder().decode(result.content);

Install Python packages

Use installPythonPackages to add pure-Python wheels into the sandbox. Packages are installed into /lib/python3.13/site-packages and become importable from subsequent python3 commands in the same session.

// Upload a wheel and install from the in-sandbox filesystem
await session.writeFile("/tmp/my_pkg-1.0-py3-none-any.whl", wheelBytes);
await session.installPythonPackages("emfs:/tmp/my_pkg-1.0-py3-none-any.whl");

// The package is now importable
const result = await session.run('python3 -c "import my_pkg; print(my_pkg.__version__)"');

Multiple requirements can be passed as an array:

await session.installPythonPackages([
  "emfs:/tmp/pkg_a-1.0-py3-none-any.whl",
  "emfs:/tmp/pkg_b-2.0-py3-none-any.whl",
]);

Install from HTTP URLs or by package name (requires allowedHosts):

const session = await createNodeSession({
  allowedHosts: ["pypi.org", "files.pythonhosted.org"],
});

// Install by package name (resolved from PyPI)
await session.installPythonPackages("six");

// Install from direct URL
await session.installPythonPackages(
  "https://files.pythonhosted.org/packages/.../my_pkg-1.0-py3-none-any.whl",
);

Security: Installs are session-local and do not persist between sessions. file: URIs are rejected to prevent host filesystem access. Network-based installs (HTTP URLs, package names) require allowedHosts to be configured when creating the session.

Both Node.js and browser modes use Pyodide's micropip under the hood. Supports pure-Python wheels and Pyodide pre-compiled packages from the CDN (cdn.jsdelivr.net). C extension imports (numpy, pandas) require the MAIN_MODULE=1 build flag (not yet enabled).

Use pip from shell commands

Shell commands like pip install are intercepted and routed through micropip automatically. This means LLM agents and scripts can use the familiar pip workflow:

await session.run("pip install pyyaml");
await session.run('python3 -c "import yaml; print(yaml.dump({\"key\": \"value\"}))"');

Supported forms: pip install, pip3 install, python3 -m pip install. Only the install subcommand is supported. Flags like -q and --upgrade are ignored; package names are extracted and passed to micropip.

List directory contents

const dir = await session.listDir("/workspace");
console.log(dir.output); // file-per-line listing

Limit execution budget

Set stepBudget to cap the number of VM steps. This prevents runaway commands from consuming unbounded resources:

const session = await createNodeSession({ stepBudget: 100_000 });

A budget of 0 (the default) means unlimited.

Use a custom asset directory

By default, assets are resolved from the package's assets/ directory. Override this to use a separately downloaded or cached Pyodide build:

const session = await createNodeSession({
  assetDir: "/path/to/custom/pyodide-dist",
});

Reference

createNodeSession(options?): Promise<WasmshSession>

Create a session backed by a Node.js child process running the wasmsh host.

Options:

| Option | Type | Default | Description | |--------|------|---------|-------------| | assetDir | string | package assets/ | Path to Pyodide distribution directory | | nodeExecutable | string | process.execPath | Path to Node.js binary | | stepBudget | number | 0 (unlimited) | VM step budget per command | | initialFiles | Array<{path, content}> | [] | Files to seed before init | | allowedHosts | string[] | [] | Hostnames allowed for network access |

createBrowserWorkerSession(options): Promise<WasmshSession>

Create a session backed by a browser Web Worker.

Options:

| Option | Type | Default | Description | |--------|------|---------|-------------| | assetBaseUrl | string | (required) | URL prefix for Pyodide assets | | worker | Worker | auto-created | Pre-existing Worker instance | | stepBudget | number | 0 (unlimited) | VM step budget per command | | initialFiles | Array<{path, content}> | [] | Files to seed before init | | allowedHosts | string[] | [] | Hostnames allowed for network access |

WasmshSession

Returned by both createNodeSession and createBrowserWorkerSession.

| Method | Returns | Description | |--------|---------|-------------| | run(command) | Promise<RunResult> | Execute a shell command | | writeFile(path, content) | Promise<{events}> | Write a Uint8Array to the sandbox | | readFile(path) | Promise<ReadFileResult> | Read a file as Uint8Array | | listDir(path) | Promise<ListDirResult> | List directory entries | | installPythonPackages(reqs, opts?) | Promise<InstallResult> | Install Python wheel(s) into the sandbox | | close() | Promise<void> | Shut down the session and release resources |

RunResult

| Field | Type | Description | |-------|------|-------------| | stdout | string | Decoded stdout output | | stderr | string | Decoded stderr output | | output | string | Combined stdout + stderr | | exitCode | number \| null | Exit code, or null if unavailable | | events | unknown[] | Raw protocol events |

Constants

| Export | Value | Description | |--------|-------|-------------| | DEFAULT_WORKSPACE_DIR | "/workspace" | The fixed sandbox root |

Helper functions

| Function | Returns | Description | |----------|---------|-------------| | resolveAssetPath(...segments) | string | Absolute path into the package assets/ directory | | resolveNodeHostPath() | string | Path to node-host.mjs | | resolveBrowserWorkerPath() | URL | URL to browser-worker.js |

Explanation

What this is

wasmsh-pyodide packages the wasmsh shell runtime linked into a custom Pyodide build. The result is a single WebAssembly module that provides both a bash-compatible shell and a CPython interpreter sharing the same in-process POSIX filesystem.

What this is not

This is not a Linux container. There is no kernel, no real process isolation, and no OS-level package manager. The command set is the wasmsh utility suite (88 commands including jq, awk, rg, fd, diff, tar, gzip) plus python/python3 and pip/pip3 (backed by micropip). System binaries like apt, docker, or systemctl are not available.

How it works

  1. Node.js mode: createNodeSession spawns a child process running node-host.mjs, which boots the Pyodide/Emscripten module and communicates via JSON-RPC over stdin/stdout.

  2. Browser mode: createBrowserWorkerSession creates a Web Worker running browser-worker.js, which loads the Pyodide WASM module and communicates via postMessage.

Both modes use the same wasmsh JSON protocol (Init, Run, WriteFile, ReadFile, ListDir, Close) and produce the same event types (Stdout, Stderr, Exit, Diagnostic, Version).

Filesystem

All commands execute against a shared virtual filesystem. In Node.js mode this is an Emscripten MemoryFS. In browser mode it is also an Emscripten MemoryFS inside the Worker. The filesystem is ephemeral — it exists only for the lifetime of the session.

The sandbox root is always /workspace. Files seeded via initialFiles or writeFile are available to both bash and Python immediately.