DEV Community

Adesoji Daniel
Adesoji Daniel

Posted on

Building Command Line Interface (CLI) Tools with Node.js

Creating Command Line Interface (CLI) tools is a powerful way to automate tasks, manage system operations, or even interface with web services directly from the terminal. Node.js, with its event-driven architecture and robust package ecosystem, is an excellent choice for building CLI tools. In this article, we will explore how to build a CLI application using Node.js, covering everything from basic setup to advanced features.

Getting Started

Before we dive into the specifics of building a CLI tool, make sure you have Node.js and npm (Node Package Manager) installed on your machine. You can download and install them from Node.js official website.

Step 1: Initialize Your Project

First, create a new directory for your project and initialize it with npm:

mkdir my-cli-tool
cd my-cli-tool
npm init -y
Enter fullscreen mode Exit fullscreen mode

This command creates a package.json file with default settings.

Step 2: Create an Entry Point

Next, create an entry point for your application, typically index.js or cli.js. For this example, we'll use cli.js:

touch cli.js
Enter fullscreen mode Exit fullscreen mode
Step 3: Update package.json

Update the package.json file to specify the entry point and make it executable. Add the following field:

"bin": {
  "mycli": "./cli.js"
}
Enter fullscreen mode Exit fullscreen mode

Here, mycli is the command you will use to run your CLI tool.

Step 4: Make the Script Executable

Add the following line at the top of cli.js to make it executable:

#!/usr/bin/env node
Enter fullscreen mode Exit fullscreen mode

This shebang line tells the system to execute the script using Node.js.

Building the CLI Tool

Now, let's start building the functionality of our CLI tool. We'll use a popular package called commander to help with argument parsing and command handling.

Step 5: Install Commander

Install commander using npm:

npm install commander
Enter fullscreen mode Exit fullscreen mode
Step 6: Create Basic Commands

In cli.js, set up a simple command structure:

#!/usr/bin/env node

const { Command } = require('commander');
const program = new Command();

program
  .name('mycli')
  .description('A simple CLI tool built with Node.js')
  .version('1.0.0');

program
  .command('greet <name>')
  .description('Greet a person')
  .action((name) => {
    console.log(`Hello, ${name}!`);
  });

program.parse(process.argv);
Enter fullscreen mode Exit fullscreen mode

This script defines a basic CLI tool with a single command greet that takes a name argument and prints a greeting.

Step 7: Link the Tool Locally

Before using your CLI tool, link it locally:

npm link
Enter fullscreen mode Exit fullscreen mode

This command creates a symbolic link to your CLI tool, allowing you to run mycli from anywhere on your system.

Step 8: Test Your CLI

Now you can test your CLI tool:

mycli greet John
Enter fullscreen mode Exit fullscreen mode

You should see the output: Hello, John!

Adding More Features

To make your CLI tool more robust, you can add additional commands, options, and external scripts.

Step 9: Adding Options

You can add options to your commands using .option():

program
  .command('greet <name>')
  .description('Greet a person')
  .option('-t, --title <title>', 'Title to use in the greeting')
  .action((name, options) => {
    const title = options.title ? `${options.title} ` : '';
    console.log(`Hello, ${title}${name}!`);
  });
Enter fullscreen mode Exit fullscreen mode

Now you can run:

mycli greet John --title Mr.
Enter fullscreen mode Exit fullscreen mode

And see the output: Hello, Mr. John!

Step 10: Handling Asynchronous Tasks

For asynchronous operations, use async/await in your command actions:

program
  .command('fetch <url>')
  .description('Fetch data from a URL')
  .action(async (url) => {
    try {
      const response = await fetch(url);
      const data = await response.json();
      console.log(data);
    } catch (error) {
      console.error('Error fetching data:', error);
    }
  });
Enter fullscreen mode Exit fullscreen mode

Make sure to install node-fetch for this example:

npm install node-fetch
Enter fullscreen mode Exit fullscreen mode
Step 11: Creating Complex Commands

For more complex commands, you can modularize your code by splitting it into separate files:

Create a file commands/greet.js:

module.exports = (name, options) => {
  const title = options.title ? `${options.title} ` : '';
  console.log(`Hello, ${title}${name}!`);
};
Enter fullscreen mode Exit fullscreen mode

And update cli.js:

const greet = require('./commands/greet');

program
  .command('greet <name>')
  .description('Greet a person')
  .option('-t, --title <title>', 'Title to use in the greeting')
  .action(greet);
Enter fullscreen mode Exit fullscreen mode

Conclusion

Building a CLI tool with Node.js can greatly enhance your productivity and provide a powerful way to interface with your applications. With the commander package, you can quickly set up and expand your CLI tool with commands, options, and arguments. By following the steps outlined in this article, you can create versatile and robust CLI tools tailored to your specific needs. Happy coding!

Top comments (0)