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

onlywhen

v0.5.3

Published

Conditional code based on platform, runtime, or feature flags.

Readme

onlywhen

GitHub Stars JSR npm Version GitHub Issues License

Conditional code based on platform, runtime, or feature flags.

What it does

onlywhen picks up on platform, runtime, and architecture. You can combine them, branch on them, or use them as decorators. Simple enough that tooling can inline them (static analysis pass included).

import { all, arch, onlywhen, platform, runtime } from "@hiisi/onlywhen";

// Boolean checks
if (platform.darwin) {
  macSpecificCode();
}

// Short-circuit
runtime.deno && denoSpecificCode();

// Combinators (Rust-like syntax)
if (all(platform.linux, arch.x64)) {
  linuxX64Code();
}

// Decorators
@onlywhen(platform.darwin)
class MacOnlyFeature {
  // Becomes an inert class on other platforms
}

// Combined with decorators
@onlywhen(all(platform.linux, arch.arm64))
class LinuxArm64Only {}

Classic API

You can also use the onlywhen object directly:

import { onlywhen } from "@hiisi/onlywhen";

if (onlywhen.darwin) {
  macSpecificCode();
}

if (onlywhen.all(onlywhen.node, onlywhen.linux)) {
  nodeOnLinuxCode();
}

@onlywhen(onlywhen.darwin)
class MacOnlyFeature {}

Both styles work and can be mixed. Use whichever you prefer.

Installation

# npm / yarn / pnpm
npm install onlywhen

# Deno
deno add jsr:@hiisi/onlywhen

As a library:

// Deno / JSR
import { all, arch, onlywhen, platform, runtime } from "jsr:@hiisi/onlywhen";

// Node.js
import { all, arch, onlywhen, platform, runtime } from "onlywhen";

Or add to your project:

// deno.json
{
  "imports": {
    "@hiisi/onlywhen": "jsr:@hiisi/onlywhen@^0.4"
  }
}

// package.json
{
  "dependencies": {
    "onlywhen": "^0.4"
  }
}

Usage

Platform Detection

import { platform } from "@hiisi/onlywhen";

platform.darwin; // true on macOS
platform.linux; // true on Linux
platform.windows; // true on Windows

Runtime Detection

import { runtime } from "@hiisi/onlywhen";

runtime.deno; // true in Deno
runtime.node; // true in Node.js
runtime.bun; // true in Bun
runtime.browser; // true in browsers

Architecture Detection

import { arch } from "@hiisi/onlywhen";

arch.x64; // true on x86_64
arch.arm64; // true on aarch64 / Apple Silicon

Combinators

import { all, any, arch, not, platform } from "@hiisi/onlywhen";

// All conditions must be true
all(platform.darwin, arch.arm64);

// At least one must be true
any(platform.linux, platform.darwin);

// Negation
not(platform.windows);

// Nesting
all(platform.darwin, not(arch.x64));

Feature Flags

Define features in your deno.json or package.json:

{
  "features": ["experimental", "legacy_compat"]
}

Check them at runtime:

import { feature, onlywhen } from "@hiisi/onlywhen";

// Standalone function (preferred)
feature("experimental"); // true if listed

// Or via onlywhen object
onlywhen.feature("experimental"); // also works
onlywhen.features; // Set<string> of all features

Decorators

import { all, arch, onlywhen, platform, runtime } from "@hiisi/onlywhen";

// Class becomes empty if condition is false
@onlywhen(platform.darwin)
class MacFeatures {
  setup() {/* ... */}
}

// Method becomes no-op if condition is false
class App {
  @onlywhen(runtime.deno)
  denoMethod() {/* ... */}

  @onlywhen(all(platform.linux, arch.x64))
  linuxX64Method() {/* ... */}

  @onlywhen(feature("experimental"))
  experimentalMethod() {/* ... */}
}

Runtime Matching

import { match } from "@hiisi/onlywhen";

const result = match({
  deno: () => Deno.readTextFileSync("file.txt"),
  node: () => require("fs").readFileSync("file.txt", "utf-8"),
  bun: () => Bun.file("file.txt").text(),
  default: () => {
    throw new Error("Unsupported runtime");
  },
});

String Values

If you need the actual detected values as strings (not booleans):

import { archName, getRuntimeName, platformName } from "@hiisi/onlywhen";

console.log(platformName); // "darwin" | "linux" | "windows" | "unknown"
console.log(archName); // "x86_64" | "aarch64" | "arm" | "x86" | "unknown"
console.log(getRuntimeName()); // "deno" | "node" | "bun" | "browser" | "unknown"

Comparison to Rust

| Rust | onlywhen | | :------------------------------------------ | :-------------------------------------------- | | #[cfg(target_os = "macos")] | @onlywhen(platform.darwin) | | #[cfg(all(unix, target_arch = "x86_64"))] | @onlywhen(all(platform.linux, arch.x64)) | | cfg!(target_os = "windows") | platform.windows | | #[cfg(feature = "experimental")] | @onlywhen(onlywhen.feature("experimental")) | | #[cfg(not(windows))] | @onlywhen(not(platform.windows)) |

Static Analysis Transform

The @hiisi/onlywhen/transform module replaces onlywhen expressions with boolean literals at build time. Bundlers can then eliminate dead branches, reducing bundle size and removing code that would never run.

When to use it

  • Deploying to a known environment - If you're deploying to Linux servers, bake in platform: "linux" and let the bundler remove Windows/macOS code paths.

  • Building platform-specific binaries - When using deno compile or building separate npm packages per platform.

  • Reducing bundle size - Code behind if (platform.darwin) on a Linux deploy is dead weight. The transform removes it.

  • Feature flag cleanup - Ship builds with specific features baked in or out.

When NOT to use it

  • Building libraries for others - Don't bake in platform assumptions. Let consumers do their own transforms or use runtime detection.

  • Cross-platform packages - If the same bundle runs everywhere, keep runtime detection.

API usage

import { transform } from "@hiisi/onlywhen/transform";

const source = `
import { platform, runtime, all } from "@hiisi/onlywhen";

if (platform.darwin) { macCode(); }
if (platform.linux) { linuxCode(); }
const check = all(platform.linux, runtime.node);
`;

const result = await transform(source, {
  platform: "linux",
  runtime: "node",
  arch: "x64",
  features: ["production"],
});

// result.code:
// if (false) { macCode(); }
// if (true) { linuxCode(); }
// const check = true;
//
// A minifier will then remove the dead `if (false)` branch entirely.

CLI usage

# Transform a file
deno run -A jsr:@hiisi/onlywhen/cli transform \
  --platform=linux --runtime=node \
  src/app.ts -o dist/app.ts

# Transform a directory
deno run -A jsr:@hiisi/onlywhen/cli transform \
  --platform=darwin --arch=arm64 \
  src/ -o dist/

Integration examples

Deno compile

Transform before compiling to a standalone binary:

// deno.json
{
  "tasks": {
    "build:linux": "deno run -A jsr:@hiisi/onlywhen/cli transform --platform=linux --runtime=deno src/ -o .build/ && deno compile --target=x86_64-unknown-linux-gnu --output=myapp-linux .build/main.ts",
    "build:macos": "deno run -A jsr:@hiisi/onlywhen/cli transform --platform=darwin --runtime=deno src/ -o .build/ && deno compile --target=aarch64-apple-darwin --output=myapp-macos .build/main.ts"
  }
}

npm package builds (dnt)

Transform before running dnt to create Node-specific packages:

// scripts/build-npm.ts
import { transform } from "jsr:@hiisi/onlywhen/transform";
import { build } from "jsr:@deno/dnt";

// Transform source for Node.js target
for await (const entry of Deno.readDir("src")) {
  if (entry.name.endsWith(".ts")) {
    const source = await Deno.readTextFile(`src/${entry.name}`);
    const result = await transform(source, { runtime: "node" });
    await Deno.writeTextFile(`.build/${entry.name}`, result.code);
  }
}

// Build from transformed source
await build({
  entryPoints: [".build/mod.ts"],
  outDir: "./npm",
  // ...
});

Deploy scripts

Transform before deploying to a known environment:

#!/bin/bash
# deploy.sh - Deploy to Linux servers

# Transform for production Linux environment
deno run -A jsr:@hiisi/onlywhen/cli transform \
  --platform=linux \
  --runtime=node \
  --features=production \
  src/ -o dist/

# Bundle with your preferred bundler (dead code gets eliminated)
npx esbuild dist/main.ts --bundle --minify --outfile=bundle.js

# Deploy
rsync -av bundle.js server:/app/

Custom build script

// build.ts
import { transform } from "@hiisi/onlywhen/transform";

const files = ["src/main.ts", "src/utils.ts", "src/platform.ts"];

for (const file of files) {
  const source = await Deno.readTextFile(file);

  const result = await transform(source, {
    platform: Deno.build.os === "darwin" ? "darwin" : "linux",
    runtime: "deno",
    arch: Deno.build.arch === "aarch64" ? "arm64" : "x64",
    features: Deno.env.get("FEATURES")?.split(",") ?? [],
  });

  console.log(`${file}: ${result.transformCount} replacements`);
  await Deno.writeTextFile(file.replace("src/", "dist/"), result.code);
}

What gets transformed

| Expression | With { platform: "darwin" } | | :------------------------------------- | :---------------------------- | | platform.darwin | true | | platform.linux | false | | onlywhen.darwin | true | | all(platform.darwin, arch.arm64) | true (if arch is arm64) | | any(platform.darwin, platform.linux) | true | | not(platform.darwin) | false | | onlywhen.feature("production") | true (if in features list) |

Properties not in your config stay as runtime checks. This lets you partially bake values while keeping others dynamic.

Decorator Optimization

When decorators can be fully evaluated at build time, the transformer goes further than just replacing the condition:

  • Condition is true: The decorator is stripped entirely, keeping the class/method unchanged. No runtime overhead.

  • Condition is false: The decorator is stripped and the class/method body is replaced with empty stubs. This eliminates:

    • Decorator function call overhead
    • Inert class creation logic
    • Prototype iteration at runtime
    • Bundle size (the original method bodies are removed)
// Before transform (targeting linux)
@onlywhen(platform.darwin)
class MacFeature {
  expensiveMethod() {/* lots of code */}
}

// After transform
class MacFeature {
  expensiveMethod() {} // Empty stub, no decorator overhead
}

This optimization means the JIT compiler sees cleaner code with fewer indirection points, potentially improving runtime performance beyond just the decorator overhead savings.

Runtime Compatibility

Last tested: 2025-12-12

These tests verify that the package works correctly in each runtime environment. Runtime detection (runtime.node, runtime.deno, etc.) is tested, along with API functionality. Platform detection is cross-platform by design.

| Runtime | Version | Status | | ------- | ------- | ------ | | Deno | v1.x | ✅ | | Deno | v2.x | ✅ | | Node.js | 18 | ✅ | | Node.js | 20 | ✅ | | Node.js | 22 | ✅ | | Bun | canary | ✅ | | Bun | latest | ✅ |

Summary

  • Deno: ✅ All versions passing
  • Node.js: ✅ All versions passing
  • Bun: ✅ All versions passing

Support

Whether you use this project, have learned something from it, or just like it, please consider supporting it by buying me a coffee, so I can dedicate more time on open-source projects like this :)

License

You can check out the full license here

This project is licensed under the terms of the Mozilla Public License 2.0.

SPDX-License-Identifier: MPL-2.0