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 🙏

© 2024 – Pkg Stats / Ryan Hefner

findhelp

v1.1.0

Published

A simple and hackable lib to help create modular command line programs.

Downloads

141

Readme

findhelp

A simple and hackable lib to help create modular command line programs.

For those times when you just need to find some help to structure your CLI. 🔎 ℹ️

What

Given a tree of commands and an arguments vector, findhelp can:

  • Create a pretty "help" menu.
  • Traverse the tree and find the correct command.
  • (Optionally) Run the command handler with given args and options.

For example, this tree generates this help content:

Usage: findhelp <command> [options]

Commands:

  login <store> [email]    Login with your account
  logout                   Logout from current account
  list [query]             List your packages
  install <app>            Install the given app
  uninstall <app>          Remove the given app
  publish <app>            Publish this app

  workspace new <name>       Create a new workspace
  workspace delete <name>    Delete this workspace
  workspace promote <name>   Promote this workspace to master
  workspace list             List available workspaces

Options:

  --verbose  show all logs
  -h, --help  show help information
  -v, --version  show version number

What's interesting is that you can assemble that tree any way you want, so your commands might be handled by completely different modules - no problem.

For a real-life usage example, take a look at VTEX Toolbelt.

Why

Node has some pretty good, full-feature CLI libs, like commander, yargs and neodoc. Why write another one?

First, those projects are very opinionated. This is excellent for small and quick projects - they got the 95% of the cases covered. You won't go wrong with any of them!

However, the structure comes at the price of control. They tend to own the entire lifecycle of your CLI, which might be bad if you want fine-grained control over how your program behaves.

Second, I had a free weekend. 🙃

How

Unlike other CLI solutions available, findhelp won't actually do anything for you. It finds the command based on arguments, and gets out of your way.

find(tree, argv) and run(command, root)

Here's a minimal example of the find usage:

#!/usr/bin/env node
import {find, run, MissingRequiredArgsError, CommandNotFoundError} from 'findhelp'
import {tree} from './fixtures' // Your tree defining the commands

try {
  const found = find(tree, process.argv.slice(2))
  run(found) // This will run the command called by the user
} catch (e) {
  switch (e.constructor) {
    case MissingRequiredArgsError:
      console.error('Missing required arguments:', e.message)
      break
    case CommandNotFoundError:
      console.error('Command not found:', process.argv.slice(2))
      break
    default:
      console.error('Something exploded :(')
      console.error(e, e.stack)
  }
}

That's it. You pass to find your command tree and your argv, and it will return an object like:

{
    command: <the Object with a handler function that matches>,
    args: ['any', 'required', 'or', 'optional', 'args', argv]
}

The last argument is always argv, as parsed by minimist. It will contain any flag options defined by your command.

You can optionally use run, which calls command.handler with the provided args for you.

help(tree, {name})

You can use that same tree to output a pretty help menu. The second parameter is an object with the name of the command line application. Here's the handler for the root command in that example:

import {help} from 'findhelp'

handler: (options) => {
  if (options.h || options.help) {
    console.log(help(tree, {name: 'findhelp'}))
  } else if (options.v || options.version) {
    console.log(pkg.version)
  } else {
    console.log('Hi, there! :)')
  }
}

No automatic anything. You're in control. (Use your power wisely).

The command tree

A command tree is composed of one or many command objects with:

  • requiredArgs: Required arguments to run the command
  • optinalArgs: Optional arguments
  • description: Description to be displayed in the help() function
  • handler: Function that will be called with the run() function passing the required and optional arguments as parameters
  • alias: An alias for the command
  • options: An object of options

The handler can be either a function or a string that locates the module where the handling function is the default export. The root parameter in run() will be used to resolve the full path of the module in the case a string is passed. If handler is not specified, findhelp will try to locate the module following the folders maching the command tree structure from the specified root (see the examples below).

Examples

login: {
  requiredArgs: 'store',
  optionalArgs: 'email',
  description: 'Login with your account',
  handler: (store, email, options) => { /* do awesome stuff! */ },
logout: {
  description: 'Logout from current account',
  handler: './logout'
},
workspace: {
  new: {
    requiredArgs: 'name',
    description: 'Create a new workspace',
    // will look at './workspace/new' (from root) for handling function
  },
  delete: {
    requiredArgs: 'name',
    description: 'Delete this workspace',
    options: [
      {
        short: 'a',
        long: 'account',
        type: 'string',
      },
    ],
    // will look at './workspace/delete' (from root) for handling function
  },
}

Here is how './workspace/delete' could look like:

export default async (name, {account}) => {
  // ...
}

These will define the following commands:

  • yourapp login <store> [email]
  • yourapp crazy <mustbegiven> [thisisfine]

Namespaces

Namespaces enable commands with 2 or more levels. Example:

workspace: {
  new: {
    requiredArgs: 'name',
    description: 'Create a new workspace',
    handler: console.log.bind(console),
  },
  delete: {
    requiredArgs: 'name',
    description: 'Delete this workspace',
    options: [
      {
        short: 'a',
        long: 'account',
        type: 'string',
      },
    ],
    handler: console.log.bind(console),
  },
}

These will define the following commands:

  • yourapp workspace new <name>
  • yourapp workspace delete <name>

Options

An array containing options:

options: [
  {
    long: 'verbose',
    description: 'show all logs',
    type: 'boolean',
  },
  {
    short: 'h',
    long: 'help',
    description: 'show help information',
    type: 'boolean',
  },
  {
    long: 'version',
    short: 'v',
    description: 'show version number',
    type: 'boolean',
  },
]

These will enable the following options:

  • yourapp --verbose

  • yourapp --help or yourapp -h

  • yourapp --version or yourapp -v

That's it

Now you know everything. Go play! Then, submit a sweet pull request to make this shinier. Thanks. 🤓