Skip to content

Getting Started

Clack is a modern, flexible and powerful CLI library that helps you build beautiful command-line interfaces with ease. It provides a set of high-level components and low-level primitives that make it simple to create interactive command-line applications.

Features

  • ๐ŸŽจ Beautiful, modern UI components
  • ๐ŸŽฏ Type-safe with full TypeScript support
  • ๐ŸŽญ Customizable styling and theming
  • ๐ŸŽฎ Interactive prompts and menus
  • ๐ŸŽช Progressive disclosure
  • ๐ŸŽญ Form validation
  • ๐ŸŽฏ Error handling
  • ๐ŸŽจ Consistent styling

Installation

You can install Clack using npm, yarn, or pnpm:

Terminal window
npm install @clack/prompts

Quick Start

Hereโ€™s a simple example to get you started:

import {
const text: (opts: TextOptions) => Promise<string | symbol>
text
,
const select: <Value>(opts: SelectOptions<Value>) => Promise<symbol | Value>
select
,
const confirm: (opts: ConfirmOptions) => Promise<boolean | symbol>
confirm
,
function isCancel(value: unknown): value is symbol
isCancel
} from '@clack/prompts';
async function
function main(): Promise<void>
main
() {
// Get user's name
const
const name: string
name
= await
function text(opts: TextOptions): Promise<string | symbol>
text
({
TextOptions.message: string
message
: 'What is your name?',
TextOptions.placeholder?: string
placeholder
: 'John Doe',
}) as string;
// Get user's preferred framework
const
const framework: symbol | "react" | "vue" | "svelte"
framework
= await
select<"react" | "vue" | "svelte">(opts: SelectOptions<"react" | "vue" | "svelte">): Promise<symbol | "react" | "vue" | "svelte">
select
({
SelectOptions<Value>.message: string
message
: 'Choose a framework:',
SelectOptions<"react" | "vue" | "svelte">.options: ({
value: "react";
label?: string;
hint?: string;
} | {
value: "vue";
label?: string;
hint?: string;
} | {
value: "svelte";
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' },
{
value: "svelte"

Internal data for this option.

value
: 'svelte',
label?: string

The optional, user-facing text for this option.

By default, the value is converted to a string.

label
: 'Svelte' },
],
});
if (
function isCancel(value: unknown): value is symbol
isCancel
(
const framework: symbol | "react" | "vue" | "svelte"
framework
)) {
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

@see โ€• source

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.

@since โ€• v0.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.

@since โ€• v0.1.13

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

exit
(0);
}
// Confirm the selection
const
const shouldProceed: boolean | symbol
shouldProceed
= await
function confirm(opts: ConfirmOptions): Promise<boolean | symbol>
confirm
({
ConfirmOptions.message: string
message
: `Create a ${
const framework: "react" | "vue" | "svelte"
framework
} project for ${
const name: string
name
}?`,
});
if (
const shouldProceed: boolean | symbol
shouldProceed
) {
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

@see โ€• source

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.

@since โ€• v0.1.100

log
('Creating project...');
}
}

Core Concepts

High-Level Components

Clack provides several high-level components that make it easy to build interactive CLIs:

  • text() - For text input with validation
  • select() - For selection menus
  • confirm() - For yes/no confirmations
  • multiselect() - For multiple selections
  • note() - For displaying information
  • spinner() - For loading states

Low-Level Primitives

For more control, you can use the low-level primitives:

import {
class TextPrompt
TextPrompt
,
function isCancel(value: unknown): value is symbol
isCancel
} from '@clack/core';
const
const p: TextPrompt
p
= new
new TextPrompt(opts: TextOptions): TextPrompt
TextPrompt
({
PromptOptions<TextPrompt>.render(this: Omit<TextPrompt, "prompt">): string | undefined
render
() {
return `What's your name?\n${this.
valueWithCursor: any
valueWithCursor
}`;
},
});
const
const name: string | symbol
name
= await
const p: TextPrompt
p
.
Prompt.prompt(): Promise<string | symbol>
prompt
();
if (
function isCancel(value: unknown): value is symbol
isCancel
(
const name: string | symbol
name
)) {
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.

@since โ€• v0.1.13

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

exit
(0);
}

Next Steps

  1. Check out our Examples for more practical use cases
  2. Learn about Best Practices for building CLIs
  3. Explore the API Reference for detailed documentation
  4. Join our Discord community for support and discussions

TypeScript Support

Clack is built with TypeScript and provides full type safety. All components and primitives are properly typed, making it easy to catch errors at compile time.

import {
const text: (opts: TextOptions) => Promise<string | symbol>
text
} from '@clack/prompts';
// TypeScript will ensure the validation function returns the correct type
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
: (
value: string
value
: string) => {
const
const num: number
num
=
function parseInt(string: string, radix?: number): number

Converts a string to an integer.

@param โ€• string A string to convert into a number.

@param โ€• radix 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).

@param โ€• number 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
;
},
});

Contributing

We welcome contributions! Please check out our Contributing Guide for details on our code of conduct and the process for submitting pull requests.