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

@knighted/module

v1.5.0

Published

Bidirectional transform for ES modules and CommonJS.

Readme

@knighted/module

CI codecov NPM version

Node.js utility for transforming a JavaScript or TypeScript file from an ES module to CommonJS, or vice versa.

  • ES module ➡️ CommonJS
  • CommonJS ➡️ ES module

Highlights

  • ESM ➡️ CJS and CJS ➡️ ESM with one function call.
  • Defaults to safe CommonJS output: strict live bindings, import.meta shims, and specifier preservation.
  • Configurable lowering modes: full syntax transforms or globals-only.
  • Specifier tools: add extensions, add directory indexes, or map with a custom callback.
  • Output control: write to disk (out/inPlace) or return the transformed string.
  • CLI: dub for batch transforms, dry-run/list/summary, stdin/stdout, and colorized diagnostics. See docs/cli.md.

[!IMPORTANT]
All parsing logic is applied under the assumption the code is in strict mode which modules run under by default.

By default @knighted/module transforms the one-to-one differences between ES modules and CommonJS. Options let you control syntax rewriting (full vs globals-only), specifier updates, and output.

Requirements

  • Node 22 or 24 (tested on 22.21.1 and 24.11.1)

Install

npm install @knighted/module

Quick examples

ESM ➡️ CJS:

file.js

import { argv } from 'node:process'
import { pathToFileURL } from 'node:url'
import { realpath } from 'node:fs/promises'

const detectCalledFromCli = async path => {
  const realPath = await realpath(path)

  if (import.meta.url === pathToFileURL(realPath).href) {
    console.log('invoked directly by node')
  }
}

detectCalledFromCli(argv[1])

Transform it to CommonJS:

import { transform } from '@knighted/module'

await transform('./file.js', {
  target: 'commonjs',
  out: './file.cjs',
})

Which produces:

file.cjs

const { argv } = require('node:process')
const { pathToFileURL } = require('node:url')
const { realpath } = require('node:fs/promises')

const detectCalledFromCli = async path => {
  const realPath = await realpath(path)

  if (
    require('node:url').pathToFileURL(__filename).toString() ===
    pathToFileURL(realPath).href
  ) {
    console.log('invoked directly by node')
  }
}

detectCalledFromCli(argv[1])

When executed from the CLI

use@computer: $ node file.cjs
invoked directly by node

CJS ➡️ ESM:

import { transform } from '@knighted/module'

await transform('./file.cjs', {
  target: 'module',
  out: './file.mjs',
})

Options

type ModuleOptions = {
  target: 'module' | 'commonjs'
  sourceType?: 'auto' | 'module' | 'commonjs'
  transformSyntax?: boolean | 'globals-only'
  sourceMap?: boolean
  liveBindings?: 'strict' | 'loose' | 'off'
  appendJsExtension?: 'off' | 'relative-only' | 'all'
  appendDirectoryIndex?: string | false
  rewriteSpecifier?:
    | '.js'
    | '.mjs'
    | '.cjs'
    | '.ts'
    | '.mts'
    | '.cts'
    | ((value: string) => string | null | undefined)
  rewriteTemplateLiterals?: 'allow' | 'static-only'
  dirFilename?: 'inject' | 'preserve' | 'error'
  importMeta?: 'preserve' | 'shim' | 'error'
  importMetaMain?: 'shim' | 'warn' | 'error'
  requireMainStrategy?: 'import-meta-main' | 'realpath'
  detectCircularRequires?: 'off' | 'warn' | 'error'
  detectDualPackageHazard?: 'off' | 'warn' | 'error'
  dualPackageHazardScope?: 'file' | 'project'
  dualPackageHazardAllowlist?: string[]
  requireSource?: 'builtin' | 'create-require'
  importMetaPrelude?: 'off' | 'auto' | 'on'
  cjsDefault?: 'module-exports' | 'auto' | 'none'
  idiomaticExports?: 'off' | 'safe' | 'aggressive'
  topLevelAwait?: 'error' | 'wrap' | 'preserve'
  out?: string
  cwd?: string
  inPlace?: boolean
}

Behavior notes (defaults in parentheses)

  • target (commonjs): output module system.
  • transformSyntax (true): enable/disable the ESM↔CJS lowering pass; set to 'globals-only' to rewrite module globals (import.meta.*, __dirname, __filename, require.main shims) while leaving import/export syntax untouched. In 'globals-only', no helpers are injected (e.g., __requireResolve), require.resolve rewrites to import.meta.resolve, and idiomaticExports is skipped. See globals-only.
  • liveBindings (strict): getter-based live bindings, or snapshot (loose/off).
  • appendJsExtension (relative-only when targeting ESM): append .js to relative specifiers; never touches bare specifiers.
  • appendDirectoryIndex (index.js): when a relative specifier ends with a slash, append this index filename (set false to disable).
  • appenders precedence: rewriteSpecifier runs first; if it returns a string, that result is used. If it returns undefined or null, appendJsExtension and appendDirectoryIndex still run. Bare specifiers are never modified by appenders.
  • rewriteTemplateLiterals (allow): when static-only, interpolated template literals are left untouched by specifier rewriting; string literals and non-interpolated templates still rewrite.
  • dirFilename (inject): inject __dirname/__filename, preserve existing, or throw.
  • importMeta (shim): rewrite import.meta.* to CommonJS equivalents.
  • importMetaMain (shim): gate import.meta.main with shimming/warning/error when Node support is too old.
  • requireMainStrategy (import-meta-main): use import.meta.main or the realpath-based pathToFileURL(realpathSync(process.argv[1])).href check.
  • importMetaPrelude (auto): emit a no-op void import.meta.filename; touch. on always emits; off never emits; auto emits only when helpers that reference import.meta.* are synthesized (e.g., __dirname/__filename in CJS→ESM, require-main shims, createRequire helpers). Useful for bundlers/transpilers that do usage-based import.meta polyfilling.
  • detectCircularRequires (off): optionally detect relative static require cycles across .js/.mjs/.cjs/.ts/.mts/.cts (realpath-normalized) and warn/throw.
  • detectDualPackageHazard (warn): flag when import and require mix for the same package or root/subpath are combined in ways that can resolve to separate module instances (dual packages). Set to error to fail the transform.
  • dualPackageHazardScope (file): file preserves the legacy per-file detector; project aggregates package usage across all CLI inputs (useful in monorepos/hoisted installs) and emits one diagnostic per package.
  • dualPackageHazardAllowlist ([]): suppress dual-package hazard diagnostics for the listed packages. Accepts an array in the API; entries are trimmed and empty values dropped. The CLI flag --dual-package-hazard-allowlist pkg1,pkg2 parses a comma- or space-separated string into this array. Applies to both file and project scopes.
  • topLevelAwait (error): throw, wrap, or preserve when TLA appears in CommonJS output. wrap runs the file body inside an async IIFE (exports may resolve after the initial tick); preserve leaves await at top level, which Node will reject for CJS.
  • rewriteSpecifier (off): rewrite relative specifiers to a chosen extension or via a callback. Precedence: the callback (if provided) runs first; if it returns a string, that wins. If it returns undefined or null, the appenders still apply.
  • requireSource (builtin): whether require comes from Node or createRequire.
  • cjsDefault (auto): bundler-style default interop vs direct module.exports.
  • idiomaticExports (safe): when raising CJS to ESM, attempt to synthesize export statements directly when it is safe. off always uses the helper bag; aggressive currently matches safe heuristics.
  • out/inPlace: choose output location. Default returns the transformed string (CLI emits to stdout). out writes to the provided path. inPlace overwrites the input files on disk and does not return/emit the code.
  • sourceMap (false): when true, returns { code, map } from transform and writes the map if you also set out/inPlace. Maps are generated from the same MagicString pipeline used for the code.
  • cwd (process.cwd()): Base directory used to resolve relative out paths.

[!NOTE] Package-level metadata (package.json updates such as setting "type": "module" or authoring exports) is not edited by this tool today; plan that change outside the per-file transform.

See docs/esm-to-cjs.md for deeper notes on live bindings, interop helpers, top-level await behavior, and import.meta.main handling. For CommonJS to ESM lowering details, read docs/cjs-to-esm.md.

[!NOTE] Known limitations: with and unshadowed eval are rejected when raising CJS to ESM because the rewrite would be unsound; bare specifiers are not rewritten—only relative specifiers participate in rewriteSpecifier.

Diagnostics callback example

Pass a diagnostics callback to surface CJS→ESM edge cases (mixed module.exports/exports, top-level return, legacy require.cache/require.extensions, live-binding reassignments, string-literal export names):

import { transform } from '@knighted/module'

const diagnostics: any[] = []

await transform('./file.cjs', {
  target: 'module',
  diagnostics: diag => diagnostics.push(diag),
})

console.log(diagnostics)
// [
//   {
//     level: 'warning',
//     code: 'cjs-mixed-exports',
//     message: 'Both module.exports and exports are assigned in this module; CommonJS shadowing may not match synthesized ESM exports.',
//     filePath: './file.cjs',
//     loc: { start: 12, end: 48 }
//   },
//   ...
// ]

[!WARNING] When raising CommonJS to ESM, synthesized named exports rely on literal keys and const literal aliases (e.g., const key = 'foo'; exports[key] = value). var/let bindings used as export keys are not tracked, so prefer direct property names or const literals when exporting.

Pre-tsc transforms for TypeScript diagnostics

TypeScript reports asymmetric module-global errors (e.g., import.meta in CJS, __dirname in ESM) as tracked in microsoft/TypeScript#58658. You can mitigate this by running @knighted/module before tsc so the checker sees already-rewritten sources. For a specifier + globals-only pass that leaves import/export syntax for tsc, set transformSyntax: 'globals-only'.

Minimal flow:

dub -t commonjs "src/**/*.{ts,js,mts,cts}" --ignore node_modules/** --transform-syntax globals-only --in-place
tsc

This pre-tsc step rewrites globals-only (keeps import/export syntax) so the TypeScript checker sees already-rewritten sources; runtime semantics still match the target build.