Skip to main content

Node.js can be used for multiple purposes, creating a Command Line Interface (CLI) app is one of them. With the Node.js Readline native module, we can create CLI apps. In this post, we will learn how to create a basic Node.js CLI app using the latest Readline on Node 17 with promises and async/await. Let’s get started!

Using Node.js readline to create simple CLI app

Table of contents #

Prerequisites #

If you want to build on a full-on CLI application it might be better to use something like Oclif or commander.js. For smaller CLI apps that don’t need external NPM dependencies Node.js Readline module would suffice. Below are the prerequisites for this tutorial on how to create a simple Node.js CLI app using readline native module:

  1. You will need Node.js v17+ working on your machine and basic knowledge of Node.js would be helpful. This tutorial will only use a native module with Common JS (CJS) so NPM knowledge is optional.
  2. A general understanding of promises and async-await in JavaScript/Node.js would come in handy.
  3. Any prior knowledge of building even a basic CLI app would be beneficial but not essential.

Given that we have mentioned the required things, in the next section we will start diving into the code.

Basic example of Node.js readline #

Before we go into an example of Node.js readline with more things, we will first look into a basic example. This simple example will use the latest readline/promises native package only available from Node 17 and above. Given Node 17 is the currently active version and Node 18 will be the latest LTS from mid-Apr 2022, this should be a relevant example apt with the present time and very useful in the future too.

The example is very simple it asks the user the value of 4x4 if the user enters 16 it says it is correct else it says it is incorrect and try again. Below is the code basic example of Node.js readline native module with promises, async-await, and process module.

const readline = require('readline/promises');
const { stdin: input, stdout: output } = require('process');

(async () => {
const rl = readline.createInterface({ input, output });
try {
const answer = await rl.question('What is 4x4 equals? ');

const correctOrNot = answer.trim() === '16' ? 'correct!' : 'incorrect. Try again.';
console.log(`${answer.trim()} is ${correctOrNot}`);
} catch(err) {
console.log(`Error: `, err);
} finally {
rl.close();
}
process.exit(1);
})();

Let’s go through the above code in a bit more detail now. First, we require the readline/promises package which is part of the native Node.js readline module. Subsequently, we require stdin and stdout as input and output respectively.

After that, as there is no top level async await in .js file we use an async Immediately Invoked Function Expression (IIFE) to be able to call await easily. Inside the IIFE we declare a readline interface to take input from stdin and show output on stdout.
Then, inside the try we declare a new constant called answer that waits for the answer to the question What is 4x4 equal? until it gets an answer. As soon as the user types in an answer it is set to the cont answer. After that it compares if the answer is 16, if it is 16 it sets correctOrNot to correct! else incorrect, Try again.. Then it logs the answer as correct or not.

Towards the end, if there is an error it is caught in the catch section and logged. Similarly, the readline interface is closed in the finally section. Last we exit out of the process with the process.exit(1).

The code can be seen in the pull request too. If you are looking for an ESM style import syntax version of the above example, please have a look at this file with top-level async-await. You can utilize JavaScript Promise.all if you want to read multiple files at once.

In the next section, we will look at a similar example with timeout added to it where the answer is expected within X seconds from the user. Let’s see how that is done.

Readline example with timeout #

The above basic example is good for simple tasks. Let’s say if we need to give the user a specific time for instance 5 seconds before the user can answer 4x4, we can do it easily using AbortController. You can also check out other ways to wait in JavaScript. Below is an example of the same single question waiting for an answer but it will stop if the answer is not provided in 5 seconds:

const readline = require('readline/promises');
const { stdin: input, stdout: output } = require('process');
const ac = new AbortController();
const signal = ac.signal;

(async () => {
const rl = readline.createInterface({ input, output });
const timeoutInSeconds = 5;
setTimeout(() => ac.abort(), timeoutInSeconds * 1000);
try {
const answer = await rl.question('What is 4x4 equals? ', { signal });

const correctOrNot = answer.trim() === '16' ? 'correct!' : 'incorrect. Try again.';
console.log(`${answer.trim()} is ${correctOrNot}`);
} catch(err) {
let message = 'Error: ';
if(err.code === 'ABORT_ERR') {
message = `You took too long. Try again within ${timeoutInSeconds} seconds.`;
}

console.log(message, err.code !== 'ABORT_ERR' ? err : '');
} finally {
rl.close();
}
process.exit(1);
})();

The main changes in this example which adds another layer of timeout feature on the above basic example of Node.js readline are as follows.

On line 3 we instantiate the Abort Controller. The Abort Controller as per the official documentation is “A utility class used to signal cancelation in selected promise-based APIs”. This fits our use-case well, as we are trying to stop the script if the user is not able to answer within 5 seconds. Next up, in line 4 we use the signal variable which is part of the native Abort controller.

On line 8 we define a timeout of 5 seconds and attached it to ac.abort() call with a setTimeout. This will call abort after 5 seconds of inactivity, given signal is used on line 19 in the rl.question.

Most things remain the same as the above example, the change is in the catch part. Here we check if the code of the error thrown is ABORT_ERR, in that case, we change the message to show using console the log to be the timeout message. While logging the error object if the code is not ABORT_ERR we log the whole error object else we log nothing. Other parts of the code stay the same as the above simple example. The above example with timeout can be referenced as a GitHub file too.

Node.js readline can also be used to read file line by line with Node.js but the above usage seems better suited. You can colorize and format your CLI output with NPM chalk module.

Conclusion #

We saw a basic usage of the Node.js readline module with the new and easy-to-use Promise interface. As mentioned above for smaller Node.js CLI apps the readline native module might be enough but if you are thinking of bigger CLI apps it would be better to use Commander.js or Oclif.

I hope you have learned the basics of using Node.js readline in this step-by-step tutorial. Keep coding!

Comments

Latest Posts

Side Projects

Read more on

Join the Newsletter

Receive exclusive content and links about software engineering and web development every month.

    We hate spam as much as you do. Unsubscribe at any time.