Skip to content

Best Practices

This guide covers recommended practices and patterns for using Clack effectively in your applications.

General Guidelines

1. Error Handling

Always handle potential errors and cancellations:

import {
const text: (opts: TextOptions) => Promise<string | symbol>
text
,
function isCancel(value: unknown): value is symbol
isCancel
} from '@clack/prompts';
try {
const
const name: string | symbol
name
= await
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'What is your name?',
});
if (
function isCancel(value: unknown): value is symbol
isCancel
(
const name: string | symbol
name
)) {
var console: Console

The console module provides a simple debugging console that is similar to the JavaScript console mechanism provided by web browsers.

The module exports two specific components:

  • A Console class with methods such as console.log(), console.error() and console.warn() that can be used to write to any Node.js stream.
  • A global console instance configured to write to process.stdout and process.stderr. The global console can be used without importing the node:console module.

Warning: The global console object's methods are neither consistently synchronous like the browser APIs they resemble, nor are they consistently asynchronous like all other Node.js streams. See the note on process I/O for more information.

Example using the global console:

console.log('hello world');
// Prints: hello world, to stdout
console.log('hello %s', 'world');
// Prints: hello world, to stdout
console.error(new Error('Whoops, something bad happened'));
// Prints error message and stack trace to stderr:
// Error: Whoops, something bad happened
// at [eval]:5:15
// at Script.runInThisContext (node:vm:132:18)
// at Object.runInThisContext (node:vm:309:38)
// at node:internal/process/execution:77:19
// at [eval]-wrapper:6:22
// at evalScript (node:internal/process/execution:76:60)
// at node:internal/main/eval_string:23:3
const name = 'Will Robinson';
console.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to stderr

Example using the Console class:

const out = getStreamSomehow();
const err = getStreamSomehow();
const myConsole = new console.Console(out, err);
myConsole.log('hello world');
// Prints: hello world, to out
myConsole.log('hello %s', 'world');
// Prints: hello world, to out
myConsole.error(new Error('Whoops, something bad happened'));
// Prints: [Error: Whoops, something bad happened], to err
const name = 'Will Robinson';
myConsole.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to err

@seesource

console
.
Console.log(message?: any, ...optionalParams: any[]): void

Prints to stdout with newline. Multiple arguments can be passed, with the first used as the primary message and all additional used as substitution values similar to printf(3) (the arguments are all passed to util.format()).

const count = 5;
console.log('count: %d', count);
// Prints: count: 5, to stdout
console.log('count:', count);
// Prints: count: 5, to stdout

See util.format() for more information.

@sincev0.1.100

log
('Operation cancelled');
var process: NodeJS.Process
process
.
NodeJS.Process.exit(code?: number | string | null | undefined): never

The process.exit() method instructs Node.js to terminate the process synchronously with an exit status of code. If code is omitted, exit uses either the 'success' code 0 or the value of process.exitCode if it has been set. Node.js will not terminate until all the 'exit' event listeners are called.

To exit with a 'failure' code:

import { exit } from 'node:process';
exit(1);

The shell that executed Node.js should see the exit code as 1.

Calling process.exit() will force the process to exit as quickly as possible even if there are still asynchronous operations pending that have not yet completed fully, including I/O operations to process.stdout and process.stderr.

In most situations, it is not actually necessary to call process.exit() explicitly. The Node.js process will exit on its own if there is no additional work pending in the event loop. The process.exitCode property can be set to tell the process which exit code to use when the process exits gracefully.

For instance, the following example illustrates a misuse of the process.exit() method that could lead to data printed to stdout being truncated and lost:

import { exit } from 'node:process';
// This is an example of what *not* to do:
if (someConditionNotMet()) {
printUsageToStdout();
exit(1);
}

The reason this is problematic is because writes to process.stdout in Node.js are sometimes asynchronous and may occur over multiple ticks of the Node.js event loop. Calling process.exit(), however, forces the process to exit before those additional writes to stdout can be performed.

Rather than calling process.exit() directly, the code should set the process.exitCode and allow the process to exit naturally by avoiding scheduling any additional work for the event loop:

import process from 'node:process';
// How to properly set the exit code while letting
// the process exit gracefully.
if (someConditionNotMet()) {
printUsageToStdout();
process.exitCode = 1;
}

If it is necessary to terminate the Node.js process due to an error condition, throwing an uncaught error and allowing the process to terminate accordingly is safer than calling process.exit().

In Worker threads, this function stops the current thread rather than the current process.

@sincev0.1.13

@paramcode The exit code. For string type, only integer strings (e.g.,'1') are allowed.

exit
(0);
}
// Use the name value
} catch (
var error: unknown
error
) {
var console: Console

The console module provides a simple debugging console that is similar to the JavaScript console mechanism provided by web browsers.

The module exports two specific components:

  • A Console class with methods such as console.log(), console.error() and console.warn() that can be used to write to any Node.js stream.
  • A global console instance configured to write to process.stdout and process.stderr. The global console can be used without importing the node:console module.

Warning: The global console object's methods are neither consistently synchronous like the browser APIs they resemble, nor are they consistently asynchronous like all other Node.js streams. See the note on process I/O for more information.

Example using the global console:

console.log('hello world');
// Prints: hello world, to stdout
console.log('hello %s', 'world');
// Prints: hello world, to stdout
console.error(new Error('Whoops, something bad happened'));
// Prints error message and stack trace to stderr:
// Error: Whoops, something bad happened
// at [eval]:5:15
// at Script.runInThisContext (node:vm:132:18)
// at Object.runInThisContext (node:vm:309:38)
// at node:internal/process/execution:77:19
// at [eval]-wrapper:6:22
// at evalScript (node:internal/process/execution:76:60)
// at node:internal/main/eval_string:23:3
const name = 'Will Robinson';
console.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to stderr

Example using the Console class:

const out = getStreamSomehow();
const err = getStreamSomehow();
const myConsole = new console.Console(out, err);
myConsole.log('hello world');
// Prints: hello world, to out
myConsole.log('hello %s', 'world');
// Prints: hello world, to out
myConsole.error(new Error('Whoops, something bad happened'));
// Prints: [Error: Whoops, something bad happened], to err
const name = 'Will Robinson';
myConsole.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to err

@seesource

console
.
Console.error(message?: any, ...optionalParams: any[]): void

Prints to stderr with newline. Multiple arguments can be passed, with the first used as the primary message and all additional used as substitution values similar to printf(3) (the arguments are all passed to util.format()).

const code = 5;
console.error('error #%d', code);
// Prints: error #5, to stderr
console.error('error', code);
// Prints: error 5, to stderr

If formatting elements (e.g. %d) are not found in the first string then util.inspect() is called on each argument and the resulting string values are concatenated. See util.format() for more information.

@sincev0.1.100

error
('An error occurred:',
var error: unknown
error
);
var process: NodeJS.Process
process
.
NodeJS.Process.exit(code?: number | string | null | undefined): never

The process.exit() method instructs Node.js to terminate the process synchronously with an exit status of code. If code is omitted, exit uses either the 'success' code 0 or the value of process.exitCode if it has been set. Node.js will not terminate until all the 'exit' event listeners are called.

To exit with a 'failure' code:

import { exit } from 'node:process';
exit(1);

The shell that executed Node.js should see the exit code as 1.

Calling process.exit() will force the process to exit as quickly as possible even if there are still asynchronous operations pending that have not yet completed fully, including I/O operations to process.stdout and process.stderr.

In most situations, it is not actually necessary to call process.exit() explicitly. The Node.js process will exit on its own if there is no additional work pending in the event loop. The process.exitCode property can be set to tell the process which exit code to use when the process exits gracefully.

For instance, the following example illustrates a misuse of the process.exit() method that could lead to data printed to stdout being truncated and lost:

import { exit } from 'node:process';
// This is an example of what *not* to do:
if (someConditionNotMet()) {
printUsageToStdout();
exit(1);
}

The reason this is problematic is because writes to process.stdout in Node.js are sometimes asynchronous and may occur over multiple ticks of the Node.js event loop. Calling process.exit(), however, forces the process to exit before those additional writes to stdout can be performed.

Rather than calling process.exit() directly, the code should set the process.exitCode and allow the process to exit naturally by avoiding scheduling any additional work for the event loop:

import process from 'node:process';
// How to properly set the exit code while letting
// the process exit gracefully.
if (someConditionNotMet()) {
printUsageToStdout();
process.exitCode = 1;
}

If it is necessary to terminate the Node.js process due to an error condition, throwing an uncaught error and allowing the process to terminate accordingly is safer than calling process.exit().

In Worker threads, this function stops the current thread rather than the current process.

@sincev0.1.13

@paramcode The exit code. For string type, only integer strings (e.g.,'1') are allowed.

exit
(1);
}

2. Input Validation

Implement proper validation for user inputs:

import {
const text: (opts: TextOptions) => Promise<string | symbol>
text
} from '@clack/prompts';
// Define validation function outside for reusability
function
function validateAge(value: string): string | undefined
validateAge
(
value: string
value
: string): string | undefined {
const
const num: number
num
=
function parseInt(string: string, radix?: number): number

Converts a string to an integer.

@paramstring A string to convert into a number.

@paramradix A value between 2 and 36 that specifies the base of the number in string. If this argument is not supplied, strings with a prefix of '0x' are considered hexadecimal. All other strings are considered decimal.

parseInt
(
value: string
value
);
if (
function isNaN(number: number): boolean

Returns a Boolean value that indicates whether a value is the reserved value NaN (not a number).

@paramnumber A numeric value.

isNaN
(
const num: number
num
)) return 'Please enter a valid number';
if (
const num: number
num
< 0 ||
const num: number
num
> 120) return 'Age must be between 0 and 120';
return
var undefined
undefined
;
}
const
const age: string | symbol
age
= await
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'Enter your age:',
TextOptions.validate?: (value: string) => string | Error | undefined
validate
:
function validateAge(value: string): string | undefined
validateAge
,
});

3. Consistent Messaging

Use clear and consistent messaging across your prompts:

import {
const select: <Value>(opts: SelectOptions<Value>) => Promise<symbol | Value>
select
,
function isCancel(value: unknown): value is symbol
isCancel
} from '@clack/prompts';
// Good
const
const userAction: symbol | "create" | "update"
userAction
= await
select<"create" | "update">(opts: SelectOptions<"create" | "update">): Promise<symbol | "create" | "update">
select
({
SelectOptions<Value>.message: string
message
: 'What would you like to do?',
SelectOptions<"create" | "update">.options: ({
value: "create";
label?: string;
hint?: string;
} | {
value: "update";
label?: string;
hint?: string;
})[]
options
: [
{
value: "create"

Internal data for this option.

value
: 'create',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Create new project' },
{
value: "update"

Internal data for this option.

value
: 'update',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Update existing project' },
],
});
if (
function isCancel(value: unknown): value is symbol
isCancel
(
const userAction: symbol | "create" | "update"
userAction
)) {
var console: Console

The console module provides a simple debugging console that is similar to the JavaScript console mechanism provided by web browsers.

The module exports two specific components:

  • A Console class with methods such as console.log(), console.error() and console.warn() that can be used to write to any Node.js stream.
  • A global console instance configured to write to process.stdout and process.stderr. The global console can be used without importing the node:console module.

Warning: The global console object's methods are neither consistently synchronous like the browser APIs they resemble, nor are they consistently asynchronous like all other Node.js streams. See the note on process I/O for more information.

Example using the global console:

console.log('hello world');
// Prints: hello world, to stdout
console.log('hello %s', 'world');
// Prints: hello world, to stdout
console.error(new Error('Whoops, something bad happened'));
// Prints error message and stack trace to stderr:
// Error: Whoops, something bad happened
// at [eval]:5:15
// at Script.runInThisContext (node:vm:132:18)
// at Object.runInThisContext (node:vm:309:38)
// at node:internal/process/execution:77:19
// at [eval]-wrapper:6:22
// at evalScript (node:internal/process/execution:76:60)
// at node:internal/main/eval_string:23:3
const name = 'Will Robinson';
console.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to stderr

Example using the Console class:

const out = getStreamSomehow();
const err = getStreamSomehow();
const myConsole = new console.Console(out, err);
myConsole.log('hello world');
// Prints: hello world, to out
myConsole.log('hello %s', 'world');
// Prints: hello world, to out
myConsole.error(new Error('Whoops, something bad happened'));
// Prints: [Error: Whoops, something bad happened], to err
const name = 'Will Robinson';
myConsole.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to err

@seesource

console
.
Console.log(message?: any, ...optionalParams: any[]): void

Prints to stdout with newline. Multiple arguments can be passed, with the first used as the primary message and all additional used as substitution values similar to printf(3) (the arguments are all passed to util.format()).

const count = 5;
console.log('count: %d', count);
// Prints: count: 5, to stdout
console.log('count:', count);
// Prints: count: 5, to stdout

See util.format() for more information.

@sincev0.1.100

log
('Operation cancelled');
var process: NodeJS.Process
process
.
NodeJS.Process.exit(code?: number | string | null | undefined): never

The process.exit() method instructs Node.js to terminate the process synchronously with an exit status of code. If code is omitted, exit uses either the 'success' code 0 or the value of process.exitCode if it has been set. Node.js will not terminate until all the 'exit' event listeners are called.

To exit with a 'failure' code:

import { exit } from 'node:process';
exit(1);

The shell that executed Node.js should see the exit code as 1.

Calling process.exit() will force the process to exit as quickly as possible even if there are still asynchronous operations pending that have not yet completed fully, including I/O operations to process.stdout and process.stderr.

In most situations, it is not actually necessary to call process.exit() explicitly. The Node.js process will exit on its own if there is no additional work pending in the event loop. The process.exitCode property can be set to tell the process which exit code to use when the process exits gracefully.

For instance, the following example illustrates a misuse of the process.exit() method that could lead to data printed to stdout being truncated and lost:

import { exit } from 'node:process';
// This is an example of what *not* to do:
if (someConditionNotMet()) {
printUsageToStdout();
exit(1);
}

The reason this is problematic is because writes to process.stdout in Node.js are sometimes asynchronous and may occur over multiple ticks of the Node.js event loop. Calling process.exit(), however, forces the process to exit before those additional writes to stdout can be performed.

Rather than calling process.exit() directly, the code should set the process.exitCode and allow the process to exit naturally by avoiding scheduling any additional work for the event loop:

import process from 'node:process';
// How to properly set the exit code while letting
// the process exit gracefully.
if (someConditionNotMet()) {
printUsageToStdout();
process.exitCode = 1;
}

If it is necessary to terminate the Node.js process due to an error condition, throwing an uncaught error and allowing the process to terminate accordingly is safer than calling process.exit().

In Worker threads, this function stops the current thread rather than the current process.

@sincev0.1.13

@paramcode The exit code. For string type, only integer strings (e.g.,'1') are allowed.

exit
(0);
}
// Avoid
const
const quickAction: symbol | "c" | "u"
quickAction
= await
select<"c" | "u">(opts: SelectOptions<"c" | "u">): Promise<symbol | "c" | "u">
select
({
SelectOptions<Value>.message: string
message
: 'Action:', // Too vague
SelectOptions<"c" | "u">.options: ({
value: "c";
label?: string;
hint?: string;
} | {
value: "u";
label?: string;
hint?: string;
})[]
options
: [
{
value: "c"

Internal data for this option.

value
: 'c',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Create' }, // Inconsistent formatting
{
value: "u"

Internal data for this option.

value
: 'u',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Update' },
],
});

4. Progressive Disclosure

Break complex interactions into smaller, manageable steps:

import {
const select: <Value>(opts: SelectOptions<Value>) => Promise<symbol | Value>
select
,
function isCancel(value: unknown): value is symbol
isCancel
} from '@clack/prompts';
// First, get the project type
const
const projectType: symbol | "web" | "cli"
projectType
= await
select<"web" | "cli">(opts: SelectOptions<"web" | "cli">): Promise<symbol | "web" | "cli">
select
({
SelectOptions<Value>.message: string
message
: 'Select project type:',
SelectOptions<"web" | "cli">.options: ({
value: "web";
label?: string;
hint?: string;
} | {
value: "cli";
label?: string;
hint?: string;
})[]
options
: [
{
value: "web"

Internal data for this option.

value
: 'web',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Web Application' },
{
value: "cli"

Internal data for this option.

value
: 'cli',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'CLI Tool' },
],
});
if (
function isCancel(value: unknown): value is symbol
isCancel
(
const projectType: symbol | "web" | "cli"
projectType
)) {
var console: Console

The console module provides a simple debugging console that is similar to the JavaScript console mechanism provided by web browsers.

The module exports two specific components:

  • A Console class with methods such as console.log(), console.error() and console.warn() that can be used to write to any Node.js stream.
  • A global console instance configured to write to process.stdout and process.stderr. The global console can be used without importing the node:console module.

Warning: The global console object's methods are neither consistently synchronous like the browser APIs they resemble, nor are they consistently asynchronous like all other Node.js streams. See the note on process I/O for more information.

Example using the global console:

console.log('hello world');
// Prints: hello world, to stdout
console.log('hello %s', 'world');
// Prints: hello world, to stdout
console.error(new Error('Whoops, something bad happened'));
// Prints error message and stack trace to stderr:
// Error: Whoops, something bad happened
// at [eval]:5:15
// at Script.runInThisContext (node:vm:132:18)
// at Object.runInThisContext (node:vm:309:38)
// at node:internal/process/execution:77:19
// at [eval]-wrapper:6:22
// at evalScript (node:internal/process/execution:76:60)
// at node:internal/main/eval_string:23:3
const name = 'Will Robinson';
console.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to stderr

Example using the Console class:

const out = getStreamSomehow();
const err = getStreamSomehow();
const myConsole = new console.Console(out, err);
myConsole.log('hello world');
// Prints: hello world, to out
myConsole.log('hello %s', 'world');
// Prints: hello world, to out
myConsole.error(new Error('Whoops, something bad happened'));
// Prints: [Error: Whoops, something bad happened], to err
const name = 'Will Robinson';
myConsole.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to err

@seesource

console
.
Console.log(message?: any, ...optionalParams: any[]): void

Prints to stdout with newline. Multiple arguments can be passed, with the first used as the primary message and all additional used as substitution values similar to printf(3) (the arguments are all passed to util.format()).

const count = 5;
console.log('count: %d', count);
// Prints: count: 5, to stdout
console.log('count:', count);
// Prints: count: 5, to stdout

See util.format() for more information.

@sincev0.1.100

log
('Operation cancelled');
var process: NodeJS.Process
process
.
NodeJS.Process.exit(code?: number | string | null | undefined): never

The process.exit() method instructs Node.js to terminate the process synchronously with an exit status of code. If code is omitted, exit uses either the 'success' code 0 or the value of process.exitCode if it has been set. Node.js will not terminate until all the 'exit' event listeners are called.

To exit with a 'failure' code:

import { exit } from 'node:process';
exit(1);

The shell that executed Node.js should see the exit code as 1.

Calling process.exit() will force the process to exit as quickly as possible even if there are still asynchronous operations pending that have not yet completed fully, including I/O operations to process.stdout and process.stderr.

In most situations, it is not actually necessary to call process.exit() explicitly. The Node.js process will exit on its own if there is no additional work pending in the event loop. The process.exitCode property can be set to tell the process which exit code to use when the process exits gracefully.

For instance, the following example illustrates a misuse of the process.exit() method that could lead to data printed to stdout being truncated and lost:

import { exit } from 'node:process';
// This is an example of what *not* to do:
if (someConditionNotMet()) {
printUsageToStdout();
exit(1);
}

The reason this is problematic is because writes to process.stdout in Node.js are sometimes asynchronous and may occur over multiple ticks of the Node.js event loop. Calling process.exit(), however, forces the process to exit before those additional writes to stdout can be performed.

Rather than calling process.exit() directly, the code should set the process.exitCode and allow the process to exit naturally by avoiding scheduling any additional work for the event loop:

import process from 'node:process';
// How to properly set the exit code while letting
// the process exit gracefully.
if (someConditionNotMet()) {
printUsageToStdout();
process.exitCode = 1;
}

If it is necessary to terminate the Node.js process due to an error condition, throwing an uncaught error and allowing the process to terminate accordingly is safer than calling process.exit().

In Worker threads, this function stops the current thread rather than the current process.

@sincev0.1.13

@paramcode The exit code. For string type, only integer strings (e.g.,'1') are allowed.

exit
(0);
}
// Then, get specific details based on the type
if (
const projectType: "web" | "cli"
projectType
=== 'web') {
const
const framework: symbol | "react" | "vue"
framework
= await
select<"react" | "vue">(opts: SelectOptions<"react" | "vue">): Promise<symbol | "react" | "vue">
select
({
SelectOptions<Value>.message: string
message
: 'Choose a framework:',
SelectOptions<"react" | "vue">.options: ({
value: "react";
label?: string;
hint?: string;
} | {
value: "vue";
label?: string;
hint?: string;
})[]
options
: [
{
value: "react"

Internal data for this option.

value
: 'react',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'React' },
{
value: "vue"

Internal data for this option.

value
: 'vue',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Vue' },
],
});
}

5. Default Values

Provide sensible defaults when appropriate:

import {
const text: (opts: TextOptions) => Promise<string | symbol>
text
} from '@clack/prompts';
const
const configPath: string | symbol
configPath
= await
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'Configuration file path:',
TextOptions.defaultValue?: string
defaultValue
: './config.json',
TextOptions.placeholder?: string
placeholder
: 'Enter path to config file',
});

6. Type Safety

Leverage TypeScript for better type safety:

import {
const text: (opts: TextOptions) => Promise<string | symbol>
text
,
const select: <Value>(opts: SelectOptions<Value>) => Promise<symbol | Value>
select
,
function isCancel(value: unknown): value is symbol
isCancel
} from '@clack/prompts';
// Define validation functions outside
function
function validateProjectName(value: string): string | undefined
validateProjectName
(
value: string
value
: string): string | undefined {
if (
value: string
value
.
String.length: number

Returns the length of a String object.

length
=== 0) return 'Name is required';
if (!/^[a-z0-9-]+$/.
RegExp.test(string: string): boolean

Returns a Boolean value that indicates whether or not a pattern exists in a searched string.

@paramstring String on which to perform the search.

test
(
value: string
value
)) return 'Name can only contain lowercase letters, numbers, and hyphens';
return
var undefined
undefined
;
}
// Define types for better type safety
interface
interface ProjectConfig
ProjectConfig
{
ProjectConfig.name: string | symbol
name
: string | symbol;
ProjectConfig.type: "web" | "cli"
type
: 'web' | 'cli';
ProjectConfig.framework?: string
framework
?: string;
}
// Collect project configuration with type safety
async function
function collectProjectConfig(): Promise<ProjectConfig>
collectProjectConfig
():
interface Promise<T>

Represents the completion of an asynchronous operation

Promise
<
interface ProjectConfig
ProjectConfig
> {
const
const name: string | symbol
name
= await
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'Project name:',
TextOptions.validate?: (value: string) => string | Error | undefined
validate
:
function validateProjectName(value: string): string | undefined
validateProjectName
,
});
const
const type: symbol | "web" | "cli"
type
= await
select<"web" | "cli">(opts: SelectOptions<"web" | "cli">): Promise<symbol | "web" | "cli">
select
({
SelectOptions<Value>.message: string
message
: 'Project type:',
SelectOptions<"web" | "cli">.options: ({
value: "web";
label?: string;
hint?: string;
} | {
value: "cli";
label?: string;
hint?: string;
})[]
options
: [
{
value: "web"

Internal data for this option.

value
: 'web',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Web Application' },
{
value: "cli"

Internal data for this option.

value
: 'cli',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'CLI Tool' },
],
});
if (
function isCancel(value: unknown): value is symbol
isCancel
(
const type: symbol | "web" | "cli"
type
)) {
var console: Console

The console module provides a simple debugging console that is similar to the JavaScript console mechanism provided by web browsers.

The module exports two specific components:

  • A Console class with methods such as console.log(), console.error() and console.warn() that can be used to write to any Node.js stream.
  • A global console instance configured to write to process.stdout and process.stderr. The global console can be used without importing the node:console module.

Warning: The global console object's methods are neither consistently synchronous like the browser APIs they resemble, nor are they consistently asynchronous like all other Node.js streams. See the note on process I/O for more information.

Example using the global console:

console.log('hello world');
// Prints: hello world, to stdout
console.log('hello %s', 'world');
// Prints: hello world, to stdout
console.error(new Error('Whoops, something bad happened'));
// Prints error message and stack trace to stderr:
// Error: Whoops, something bad happened
// at [eval]:5:15
// at Script.runInThisContext (node:vm:132:18)
// at Object.runInThisContext (node:vm:309:38)
// at node:internal/process/execution:77:19
// at [eval]-wrapper:6:22
// at evalScript (node:internal/process/execution:76:60)
// at node:internal/main/eval_string:23:3
const name = 'Will Robinson';
console.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to stderr

Example using the Console class:

const out = getStreamSomehow();
const err = getStreamSomehow();
const myConsole = new console.Console(out, err);
myConsole.log('hello world');
// Prints: hello world, to out
myConsole.log('hello %s', 'world');
// Prints: hello world, to out
myConsole.error(new Error('Whoops, something bad happened'));
// Prints: [Error: Whoops, something bad happened], to err
const name = 'Will Robinson';
myConsole.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to err

@seesource

console
.
Console.log(message?: any, ...optionalParams: any[]): void

Prints to stdout with newline. Multiple arguments can be passed, with the first used as the primary message and all additional used as substitution values similar to printf(3) (the arguments are all passed to util.format()).

const count = 5;
console.log('count: %d', count);
// Prints: count: 5, to stdout
console.log('count:', count);
// Prints: count: 5, to stdout

See util.format() for more information.

@sincev0.1.100

log
('Operation cancelled');
var process: NodeJS.Process
process
.
NodeJS.Process.exit(code?: number | string | null | undefined): never

The process.exit() method instructs Node.js to terminate the process synchronously with an exit status of code. If code is omitted, exit uses either the 'success' code 0 or the value of process.exitCode if it has been set. Node.js will not terminate until all the 'exit' event listeners are called.

To exit with a 'failure' code:

import { exit } from 'node:process';
exit(1);

The shell that executed Node.js should see the exit code as 1.

Calling process.exit() will force the process to exit as quickly as possible even if there are still asynchronous operations pending that have not yet completed fully, including I/O operations to process.stdout and process.stderr.

In most situations, it is not actually necessary to call process.exit() explicitly. The Node.js process will exit on its own if there is no additional work pending in the event loop. The process.exitCode property can be set to tell the process which exit code to use when the process exits gracefully.

For instance, the following example illustrates a misuse of the process.exit() method that could lead to data printed to stdout being truncated and lost:

import { exit } from 'node:process';
// This is an example of what *not* to do:
if (someConditionNotMet()) {
printUsageToStdout();
exit(1);
}

The reason this is problematic is because writes to process.stdout in Node.js are sometimes asynchronous and may occur over multiple ticks of the Node.js event loop. Calling process.exit(), however, forces the process to exit before those additional writes to stdout can be performed.

Rather than calling process.exit() directly, the code should set the process.exitCode and allow the process to exit naturally by avoiding scheduling any additional work for the event loop:

import process from 'node:process';
// How to properly set the exit code while letting
// the process exit gracefully.
if (someConditionNotMet()) {
printUsageToStdout();
process.exitCode = 1;
}

If it is necessary to terminate the Node.js process due to an error condition, throwing an uncaught error and allowing the process to terminate accordingly is safer than calling process.exit().

In Worker threads, this function stops the current thread rather than the current process.

@sincev0.1.13

@paramcode The exit code. For string type, only integer strings (e.g.,'1') are allowed.

exit
(0);
}
return {
ProjectConfig.name: string | symbol
name
,
ProjectConfig.type: "web" | "cli"
type
,
};
}

Performance Considerations

1. Batch Operations

When dealing with multiple prompts, consider using Promise.all for parallel execution:

import {
const text: (opts: TextOptions) => Promise<string | symbol>
text
} from '@clack/prompts';
const [
const userName: string | symbol
userName
,
const userEmail: string | symbol
userEmail
,
const userAge: string | symbol
userAge
] = await
var Promise: PromiseConstructor

Represents the completion of an asynchronous operation

Promise
.
PromiseConstructor.all<[Promise<string | symbol>, Promise<string | symbol>, Promise<string | symbol>]>(values: [Promise<string | symbol>, Promise<string | symbol>, Promise<...>]): Promise<...> (+1 overload)

Creates a Promise that is resolved with an array of results when all of the provided Promises resolve, or rejected when any Promise is rejected.

@paramvalues An array of Promises.

@returnsA new Promise.

all
([
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'Name:' }),
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'Email:' }),
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'Age:' }),
]);

2. Lazy Loading

Load prompts only when needed:

import {
const select: <Value>(opts: SelectOptions<Value>) => Promise<symbol | Value>
select
,
function isCancel(value: unknown): value is symbol
isCancel
} from '@clack/prompts';
// Mock function for demonstration
async function
function loadWebPrompts(): Promise<{
setupWebProject: () => Promise<boolean>;
}>
loadWebPrompts
() {
// This simulates loading web-specific prompts
return {
setupWebProject: () => Promise<boolean>
setupWebProject
: async () => {
// Implementation would go here
return true;
}
};
}
async function
function setupProject(): Promise<void>
setupProject
() {
const
const projectType: symbol | "web" | "cli"
projectType
= await
select<"web" | "cli">(opts: SelectOptions<"web" | "cli">): Promise<symbol | "web" | "cli">
select
({
SelectOptions<Value>.message: string
message
: 'Project type:',
SelectOptions<"web" | "cli">.options: ({
value: "web";
label?: string;
hint?: string;
} | {
value: "cli";
label?: string;
hint?: string;
})[]
options
: [
{
value: "web"

Internal data for this option.

value
: 'web',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Web Application' },
{
value: "cli"

Internal data for this option.

value
: 'cli',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'CLI Tool' },
],
});
if (
function isCancel(value: unknown): value is symbol
isCancel
(
const projectType: symbol | "web" | "cli"
projectType
)) {
var console: Console

The console module provides a simple debugging console that is similar to the JavaScript console mechanism provided by web browsers.

The module exports two specific components:

  • A Console class with methods such as console.log(), console.error() and console.warn() that can be used to write to any Node.js stream.
  • A global console instance configured to write to process.stdout and process.stderr. The global console can be used without importing the node:console module.

Warning: The global console object's methods are neither consistently synchronous like the browser APIs they resemble, nor are they consistently asynchronous like all other Node.js streams. See the note on process I/O for more information.

Example using the global console:

console.log('hello world');
// Prints: hello world, to stdout
console.log('hello %s', 'world');
// Prints: hello world, to stdout
console.error(new Error('Whoops, something bad happened'));
// Prints error message and stack trace to stderr:
// Error: Whoops, something bad happened
// at [eval]:5:15
// at Script.runInThisContext (node:vm:132:18)
// at Object.runInThisContext (node:vm:309:38)
// at node:internal/process/execution:77:19
// at [eval]-wrapper:6:22
// at evalScript (node:internal/process/execution:76:60)
// at node:internal/main/eval_string:23:3
const name = 'Will Robinson';
console.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to stderr

Example using the Console class:

const out = getStreamSomehow();
const err = getStreamSomehow();
const myConsole = new console.Console(out, err);
myConsole.log('hello world');
// Prints: hello world, to out
myConsole.log('hello %s', 'world');
// Prints: hello world, to out
myConsole.error(new Error('Whoops, something bad happened'));
// Prints: [Error: Whoops, something bad happened], to err
const name = 'Will Robinson';
myConsole.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to err

@seesource

console
.
Console.log(message?: any, ...optionalParams: any[]): void

Prints to stdout with newline. Multiple arguments can be passed, with the first used as the primary message and all additional used as substitution values similar to printf(3) (the arguments are all passed to util.format()).

const count = 5;
console.log('count: %d', count);
// Prints: count: 5, to stdout
console.log('count:', count);
// Prints: count: 5, to stdout

See util.format() for more information.

@sincev0.1.100

log
('Operation cancelled');
var process: NodeJS.Process
process
.
NodeJS.Process.exit(code?: number | string | null | undefined): never

The process.exit() method instructs Node.js to terminate the process synchronously with an exit status of code. If code is omitted, exit uses either the 'success' code 0 or the value of process.exitCode if it has been set. Node.js will not terminate until all the 'exit' event listeners are called.

To exit with a 'failure' code:

import { exit } from 'node:process';
exit(1);

The shell that executed Node.js should see the exit code as 1.

Calling process.exit() will force the process to exit as quickly as possible even if there are still asynchronous operations pending that have not yet completed fully, including I/O operations to process.stdout and process.stderr.

In most situations, it is not actually necessary to call process.exit() explicitly. The Node.js process will exit on its own if there is no additional work pending in the event loop. The process.exitCode property can be set to tell the process which exit code to use when the process exits gracefully.

For instance, the following example illustrates a misuse of the process.exit() method that could lead to data printed to stdout being truncated and lost:

import { exit } from 'node:process';
// This is an example of what *not* to do:
if (someConditionNotMet()) {
printUsageToStdout();
exit(1);
}

The reason this is problematic is because writes to process.stdout in Node.js are sometimes asynchronous and may occur over multiple ticks of the Node.js event loop. Calling process.exit(), however, forces the process to exit before those additional writes to stdout can be performed.

Rather than calling process.exit() directly, the code should set the process.exitCode and allow the process to exit naturally by avoiding scheduling any additional work for the event loop:

import process from 'node:process';
// How to properly set the exit code while letting
// the process exit gracefully.
if (someConditionNotMet()) {
printUsageToStdout();
process.exitCode = 1;
}

If it is necessary to terminate the Node.js process due to an error condition, throwing an uncaught error and allowing the process to terminate accordingly is safer than calling process.exit().

In Worker threads, this function stops the current thread rather than the current process.

@sincev0.1.13

@paramcode The exit code. For string type, only integer strings (e.g.,'1') are allowed.

exit
(0);
}
// Only load web-specific prompts if needed
if (
const projectType: "web" | "cli"
projectType
=== 'web') {
const {
const setupWebProject: () => Promise<boolean>
setupWebProject
} = await
function loadWebPrompts(): Promise<{
setupWebProject: () => Promise<boolean>;
}>
loadWebPrompts
();
await
const setupWebProject: () => Promise<boolean>
setupWebProject
();
}
}

Accessibility

1. Clear Labels

Use descriptive labels for options:

import {
const select: <Value>(opts: SelectOptions<Value>) => Promise<symbol | Value>
select
,
function isCancel(value: unknown): value is symbol
isCancel
} from '@clack/prompts';
// Good
const
const operationMode: symbol | "dev" | "prod"
operationMode
= await
select<"dev" | "prod">(opts: SelectOptions<"dev" | "prod">): Promise<symbol | "dev" | "prod">
select
({
SelectOptions<Value>.message: string
message
: 'Select operation mode:',
SelectOptions<"dev" | "prod">.options: ({
value: "dev";
label?: string;
hint?: string;
} | {
value: "prod";
label?: string;
hint?: string;
})[]
options
: [
{
value: "dev"

Internal data for this option.

value
: 'dev',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Development Mode' },
{
value: "prod"

Internal data for this option.

value
: 'prod',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Production Mode' },
],
});
if (
function isCancel(value: unknown): value is symbol
isCancel
(
const operationMode: symbol | "dev" | "prod"
operationMode
)) {
var console: Console

The console module provides a simple debugging console that is similar to the JavaScript console mechanism provided by web browsers.

The module exports two specific components:

  • A Console class with methods such as console.log(), console.error() and console.warn() that can be used to write to any Node.js stream.
  • A global console instance configured to write to process.stdout and process.stderr. The global console can be used without importing the node:console module.

Warning: The global console object's methods are neither consistently synchronous like the browser APIs they resemble, nor are they consistently asynchronous like all other Node.js streams. See the note on process I/O for more information.

Example using the global console:

console.log('hello world');
// Prints: hello world, to stdout
console.log('hello %s', 'world');
// Prints: hello world, to stdout
console.error(new Error('Whoops, something bad happened'));
// Prints error message and stack trace to stderr:
// Error: Whoops, something bad happened
// at [eval]:5:15
// at Script.runInThisContext (node:vm:132:18)
// at Object.runInThisContext (node:vm:309:38)
// at node:internal/process/execution:77:19
// at [eval]-wrapper:6:22
// at evalScript (node:internal/process/execution:76:60)
// at node:internal/main/eval_string:23:3
const name = 'Will Robinson';
console.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to stderr

Example using the Console class:

const out = getStreamSomehow();
const err = getStreamSomehow();
const myConsole = new console.Console(out, err);
myConsole.log('hello world');
// Prints: hello world, to out
myConsole.log('hello %s', 'world');
// Prints: hello world, to out
myConsole.error(new Error('Whoops, something bad happened'));
// Prints: [Error: Whoops, something bad happened], to err
const name = 'Will Robinson';
myConsole.warn(`Danger ${name}! Danger!`);
// Prints: Danger Will Robinson! Danger!, to err

@seesource

console
.
Console.log(message?: any, ...optionalParams: any[]): void

Prints to stdout with newline. Multiple arguments can be passed, with the first used as the primary message and all additional used as substitution values similar to printf(3) (the arguments are all passed to util.format()).

const count = 5;
console.log('count: %d', count);
// Prints: count: 5, to stdout
console.log('count:', count);
// Prints: count: 5, to stdout

See util.format() for more information.

@sincev0.1.100

log
('Operation cancelled');
var process: NodeJS.Process
process
.
NodeJS.Process.exit(code?: number | string | null | undefined): never

The process.exit() method instructs Node.js to terminate the process synchronously with an exit status of code. If code is omitted, exit uses either the 'success' code 0 or the value of process.exitCode if it has been set. Node.js will not terminate until all the 'exit' event listeners are called.

To exit with a 'failure' code:

import { exit } from 'node:process';
exit(1);

The shell that executed Node.js should see the exit code as 1.

Calling process.exit() will force the process to exit as quickly as possible even if there are still asynchronous operations pending that have not yet completed fully, including I/O operations to process.stdout and process.stderr.

In most situations, it is not actually necessary to call process.exit() explicitly. The Node.js process will exit on its own if there is no additional work pending in the event loop. The process.exitCode property can be set to tell the process which exit code to use when the process exits gracefully.

For instance, the following example illustrates a misuse of the process.exit() method that could lead to data printed to stdout being truncated and lost:

import { exit } from 'node:process';
// This is an example of what *not* to do:
if (someConditionNotMet()) {
printUsageToStdout();
exit(1);
}

The reason this is problematic is because writes to process.stdout in Node.js are sometimes asynchronous and may occur over multiple ticks of the Node.js event loop. Calling process.exit(), however, forces the process to exit before those additional writes to stdout can be performed.

Rather than calling process.exit() directly, the code should set the process.exitCode and allow the process to exit naturally by avoiding scheduling any additional work for the event loop:

import process from 'node:process';
// How to properly set the exit code while letting
// the process exit gracefully.
if (someConditionNotMet()) {
printUsageToStdout();
process.exitCode = 1;
}

If it is necessary to terminate the Node.js process due to an error condition, throwing an uncaught error and allowing the process to terminate accordingly is safer than calling process.exit().

In Worker threads, this function stops the current thread rather than the current process.

@sincev0.1.13

@paramcode The exit code. For string type, only integer strings (e.g.,'1') are allowed.

exit
(0);
}
// Avoid
const
const mode: symbol | "d" | "p"
mode
= await
select<"d" | "p">(opts: SelectOptions<"d" | "p">): Promise<symbol | "d" | "p">
select
({
SelectOptions<Value>.message: string
message
: 'Mode:',
SelectOptions<"d" | "p">.options: ({
value: "d";
label?: string;
hint?: string;
} | {
value: "p";
label?: string;
hint?: string;
})[]
options
: [
{
value: "d"

Internal data for this option.

value
: 'd',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Dev' },
{
value: "p"

Internal data for this option.

value
: 'p',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Prod' },
],
});

2. Helpful Error Messages

Provide clear error messages that guide users to correct input:

import {
const text: (opts: TextOptions) => Promise<string | symbol>
text
} from '@clack/prompts';
const
const serverPort: string | symbol
serverPort
= await
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'Enter port number:',
TextOptions.validate?: (value: string) => string | Error | undefined
validate
: (
value: string
value
: string) => {
const
const num: number
num
=
function parseInt(string: string, radix?: number): number

Converts a string to an integer.

@paramstring A string to convert into a number.

@paramradix A value between 2 and 36 that specifies the base of the number in string. If this argument is not supplied, strings with a prefix of '0x' are considered hexadecimal. All other strings are considered decimal.

parseInt
(
value: string
value
);
if (
function isNaN(number: number): boolean

Returns a Boolean value that indicates whether a value is the reserved value NaN (not a number).

@paramnumber A numeric value.

isNaN
(
const num: number
num
)) return 'Please enter a valid number';
if (
const num: number
num
< 1 ||
const num: number
num
> 65535) return 'Port must be between 1 and 65535';
return
var undefined
undefined
;
},
});