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

citty

v0.2.2

Published

Elegant CLI Builder

Downloads

83,801,688

Readme

🌆 citty

npm version npm downloads bundle size

Elegant CLI Builder

  • Zero dependency, fast and lightweight (based on native util.parseArgs)
  • Smart value parsing with typecast and boolean shortcuts
  • Nested sub-commands with lazy and async loading
  • Pluggable and composable API with auto generated usage

Usage

npx nypm add -D citty
import { defineCommand, runMain } from "citty";

const main = defineCommand({
  meta: {
    name: "hello",
    version: "1.0.0",
    description: "My Awesome CLI App",
  },
  args: {
    name: {
      type: "positional",
      description: "Your name",
      required: true,
    },
    friendly: {
      type: "boolean",
      description: "Use friendly greeting",
    },
  },
  setup({ args }) {
    console.log(`now setup ${args.command}`);
  },
  cleanup({ args }) {
    console.log(`now cleanup ${args.command}`);
  },
  run({ args }) {
    console.log(`${args.friendly ? "Hi" : "Greetings"} ${args.name}!`);
  },
});

runMain(main);
node index.mjs john
# Greetings john!

Sub Commands

Sub commands can be nested recursively. Use lazy imports for large CLIs to avoid loading all commands at once.

import { defineCommand, runMain } from "citty";

const sub = defineCommand({
  meta: { name: "sub", description: "Sub command" },
  args: {
    name: { type: "positional", description: "Your name", required: true },
  },
  run({ args }) {
    console.log(`Hello ${args.name}!`);
  },
});

const main = defineCommand({
  meta: { name: "hello", version: "1.0.0", description: "My Awesome CLI App" },
  subCommands: { sub },
});

runMain(main);

Subcommands support meta.alias (e.g., ["i", "add"]) and meta.hidden: true to hide from help output.

Lazy Commands

For large CLIs, lazy load sub commands so only the executed command is imported:

const main = defineCommand({
  meta: { name: "hello", version: "1.0.0", description: "My Awesome CLI App" },
  subCommands: {
    sub: () => import("./sub.mjs").then((m) => m.default),
  },
});

meta, args, and subCommands all accept Resolvable<T> values — a value, Promise, function, or async function — enabling lazy and dynamic resolution.

Hooks

Commands support setup and cleanup functions called before and after run(). Only the executed command's hooks run. cleanup always runs, even if run() throws.

const main = defineCommand({
  meta: { name: "hello", version: "1.0.0", description: "My Awesome CLI App" },
  setup() {
    console.log("Setting up...");
  },
  cleanup() {
    console.log("Cleaning up...");
  },
  run() {
    console.log("Hello World!");
  },
});

Plugins

Plugins extend commands with reusable setup and cleanup hooks:

import { defineCommand, defineCittyPlugin, runMain } from "citty";

const logger = defineCittyPlugin({
  name: "logger",
  setup({ args }) {
    console.log("Logger setup, args:", args);
  },
  cleanup() {
    console.log("Logger cleanup");
  },
});

const main = defineCommand({
  meta: { name: "hello", description: "My CLI App" },
  plugins: [logger],
  run() {
    console.log("Hello!");
  },
});

runMain(main);

Plugin setup hooks run before the command's setup (in order), cleanup hooks run after (in reverse). Plugins can be async or factory functions.

Arguments

Argument Types

| Type | Description | Example | | ------------ | ---------------------------------------- | --------------------------- | | positional | Unnamed positional args | cli <name> | | string | Named string options | --name value | | boolean | Boolean flags, supports --no- negation | --verbose | | enum | Constrained to options array | --level=info\|warn\|error |

Common Options

| Option | Description | | ------------- | ------------------------------------------------------------- | | description | Help text shown in usage output | | required | Whether the argument is required | | default | Default value when not provided | | alias | Short aliases (e.g., ["f"]). Not for positional | | valueHint | Display hint in help (e.g., "host" renders --name=<host>) |

Example

const main = defineCommand({
  args: {
    name: { type: "positional", description: "Your name", required: true },
    friendly: { type: "boolean", description: "Use friendly greeting", alias: ["f"] },
    greeting: { type: "string", description: "Custom greeting", default: "Hello" },
    level: {
      type: "enum",
      description: "Log level",
      options: ["debug", "info", "warn", "error"],
      default: "info",
    },
  },
  run({ args }) {
    console.log(`${args.greeting} ${args.name}! (level: ${args.level})`);
  },
});

Boolean Negation

Boolean args support --no- prefix. The negative variant appears in help when default: true or negativeDescription is set.

Case-Agnostic Access

Kebab-case args can be accessed as camelCase: args["output-dir"] and args.outputDir both work.

Built-in Flags

--help / -h and --version / -v are handled automatically. Disabled if your command defines args with the same names or aliases.

API

| Function | Description | | ----------------------------- | -------------------------------------------------------------------------- | | defineCommand(def) | Type helper for defining commands | | runMain(cmd, opts?) | Run a command with usage support and graceful error handling | | createMain(cmd) | Create a wrapper that calls runMain when invoked | | runCommand(cmd, opts) | Parse args and run command/sub-commands; access result from return value | | parseArgs(rawArgs, argsDef) | Parse input arguments and apply defaults | | renderUsage(cmd, parent?) | Render command usage to a string | | showUsage(cmd, parent?) | Render usage and print to console | | defineCittyPlugin(def) | Type helper for defining plugins |

Development

  • Clone this repository
  • Install latest LTS version of Node.js
  • Enable Corepack using corepack enable
  • Install dependencies using pnpm install
  • Run interactive tests using pnpm dev

License

Made with 💛 Published under MIT License.