In the world of software development, command-line interfaces remain a powerful tool for both developers and end users. While graphical interfaces dominate consumer applications, CLIs offer efficiency, scriptability, and often faster workflows for technical tasks. Rust has emerged as an excellent language for building CLI applications that are not only secure and performant but also interactive and user-friendly.
I’ve spent years building command-line tools, and I’ve found Rust particularly well-suited for creating responsive CLIs that rival graphical applications in usability. Here are ten essential techniques that transform basic command-line programs into interactive experiences.
Real-time Input Handling
Traditional command-line programs wait for complete input followed by Enter. For interactive applications, we need to respond to keypresses immediately. The crossterm crate provides cross-platform terminal manipulation capabilities including non-blocking input.
use crossterm::{
event::{self, Event, KeyCode, KeyEvent, poll},
terminal::{disable_raw_mode, enable_raw_mode},
Result
};
use std::time::Duration;
fn main() -> Result<()> {
// Set terminal to raw mode to read keypresses without waiting for Enter
enable_raw_mode()?;
println!("Press 'q' to quit");
loop {
// Check for input with a timeout, allowing the program to do other work
if poll(Duration::from_millis(100))? {
if let Event::Key(key) = event::read()? {
match key.code {
KeyCode::Char('q') => break,
KeyCode::Char(c) => println!("You pressed: {}", c),
_ => println!("Special key pressed"),
}
}
}
// Program can perform other tasks while waiting for input
}
// Restore terminal to normal mode before exiting
disable_raw_mode()?;
Ok(())
}
This technique enables applications to respond immediately to user input without blocking other operations, essential for games, text editors, or interactive dashboards.
Progress Reporting
For operations that take time, providing progress feedback is crucial. The indicatif crate offers elegant progress bars and spinners.
use indicatif::{ProgressBar, ProgressStyle};
use std::fs::{self, File};
use std::io::{BufReader, BufWriter, Read, Write};
use std::path::Path;
use std::error::Error;
fn copy_with_progress(source: &Path, dest: &Path) -> Result<(), Box<dyn Error>> {
let file_size = fs::metadata(source)?.len();
let pb = ProgressBar::new(file_size);
// Configure a nice progress bar style
pb.set_style(ProgressStyle::default_bar()
.template("[{elapsed_precise}] {bar:40.cyan/blue} {pos:>7}/{len:7} {msg}")
.progress_chars("##-"));
// Set up file copying with buffer
let mut reader = BufReader::new(File::open(source)?);
let mut writer = BufWriter::new(File::create(dest)?);
let mut buffer = [0; 8192];
let mut progress = 0;
// Copy in chunks, updating progress
loop {
let n = reader.read(&mut buffer)?;
if n == 0 { break; }
writer.write_all(&buffer[..n])?;
progress += n as u64;
pb.set_position(progress);
}
pb.finish_with_message("Copy complete");
Ok(())
}
This example creates a visually appealing progress bar that updates in real-time, shows elapsed time, and provides clear completion feedback. I’ve found this particularly important for file operations, downloads, or batch processing.
Terminal UI Frameworks
For more complex interfaces, terminal UI frameworks allow creating dashboard-like experiences. The tui-rs crate (now ratatui) enables sophisticated layouts with widgets like lists, tables, and charts.
use std::{io, error::Error};
use tui::{
Terminal,
backend::CrosstermBackend,
widgets::{Block, Borders, Paragraph},
layout::{Layout, Constraint, Direction},
text::{Span, Spans},
};
use crossterm::{
event::{self, DisableMouseCapture, EnableMouseCapture, Event, KeyCode},
execute,
terminal::{disable_raw_mode, enable_raw_mode, EnterAlternateScreen, LeaveAlternateScreen},
};
struct App {
counter: i32,
}
impl App {
fn new() -> App {
App { counter: 0 }
}
fn increment(&mut self) {
self.counter += 1;
}
fn decrement(&mut self) {
self.counter -= 1;
}
}
fn main() -> Result<(), Box<dyn Error>> {
// Terminal setup
enable_raw_mode()?;
let mut stdout = io::stdout();
execute!(stdout, EnterAlternateScreen, EnableMouseCapture)?;
let backend = CrosstermBackend::new(stdout);
let mut terminal = Terminal::new(backend)?;
// App state
let mut app = App::new();
loop {
// Draw UI
terminal.draw(|f| {
let chunks = Layout::default()
.direction(Direction::Vertical)
.margin(1)
.constraints([
Constraint::Percentage(50),
Constraint::Percentage(50),
].as_ref())
.split(f.size());
let counter_text = Spans::from(vec![
Span::raw("Counter: "),
Span::raw(app.counter.to_string()),
]);
let counter = Paragraph::new(counter_text)
.block(Block::default().title("Demo App").borders(Borders::ALL));
let help = Paragraph::new("Press up/down to change counter. Press q to quit.")
.block(Block::default().title("Help").borders(Borders::ALL));
f.render_widget(counter, chunks[0]);
f.render_widget(help, chunks[1]);
})?;
// Handle input
if let Event::Key(key) = event::read()? {
match key.code {
KeyCode::Char('q') => break,
KeyCode::Up => app.increment(),
KeyCode::Down => app.decrement(),
_ => {}
}
}
}
// Restore terminal
disable_raw_mode()?;
execute!(
terminal.backend_mut(),
LeaveAlternateScreen,
DisableMouseCapture
)?;
terminal.show_cursor()?;
Ok(())
}
This approach creates sophisticated interfaces with multiple panels, scrollable regions, and complex layouts. I’ve built monitoring tools and data visualization apps this way that rival web-based dashboards while maintaining the efficiency of terminal applications.
Command Autocomplete
Tab completion significantly improves usability. Here’s a simple implementation:
fn get_completions(input: &str, commands: &[&str]) -> Vec<String> {
commands.iter()
.filter(|cmd| cmd.starts_with(input))
.map(|s| s.to_string())
.collect()
}
fn main() {
let commands = vec!["help", "status", "quit", "start", "stop", "restart"];
let input = "st";
let completions = get_completions(input, &commands);
println!("Completions for '{}': {:?}", input, completions);
// Outputs: Completions for 'st': ["status", "start", "stop"]
}
For more complex scenarios, the rustyline crate provides a readline implementation with advanced completion capabilities:
use rustyline::error::ReadlineError;
use rustyline::{Editor, Config};
use rustyline::completion::{Completer, Pair};
use std::borrow::Cow::{self, Borrowed};
struct CommandCompleter {
commands: Vec<String>,
}
impl Completer for CommandCompleter {
type Candidate = Pair;
fn complete(&self, line: &str, pos: usize) -> rustyline::Result<(usize, Vec<Self::Candidate>)> {
// Find the word start
let start = line[..pos].rfind(char::is_whitespace).map_or(0, |i| i + 1);
let word = &line[start..pos];
// Filter commands that match the current word
let matches: Vec<Pair> = self.commands.iter()
.filter(|cmd| cmd.starts_with(word))
.map(|cmd| Pair {
display: cmd.clone(),
replacement: cmd.clone(),
})
.collect();
Ok((start, matches))
}
}
I’ve found robust command completion to be one of the most appreciated features in CLI tools, as it significantly reduces typing errors and helps users discover available commands.
Rich Text Formatting
Modern terminals support colors and text styles. The colored crate makes it easy to add visual emphasis:
use colored::*;
enum Status {
Success,
Warning,
Error,
}
fn display_status(status: &Status) {
match status {
Status::Success => println!("{}", "Success".green().bold()),
Status::Warning => println!("{}", "Warning".yellow().bold()),
Status::Error => println!("{}", "Error".red().bold()),
}
}
fn main() {
println!("{} The following operations were performed:", "SUMMARY:".blue().bold());
println!(" {} File backup", "✓".green());
println!(" {} Database connection", "✓".green());
println!(" {} Configuration update", "✗".red());
println!("\n{}", "Critical errors found:".red().underline());
println!(" - Unable to write to configuration file");
}
Color coding and styling create visual hierarchies that make information easier to process. I use colors consistently across my applications - green for success, yellow for warnings, and red for errors.
Interactive Prompts
The inquire crate provides sophisticated prompts including text input, selection menus, and confirmations:
use inquire::{Text, CustomType, Select, Confirm, MultiSelect};
use std::error::Error;
struct UserConfig {
name: String,
age: u8,
role: String,
features: Vec<String>,
confirm: bool,
}
fn get_user_configuration() -> Result<UserConfig, Box<dyn Error>> {
// Text input
let name = Text::new("What is your name?")
.with_default("User")
.prompt()?;
// Typed input with validation
let age = CustomType::<u8>::new("How old are you?")
.with_error_message("Please enter a valid age")
.with_formatter(&|i| format!("{} years", i))
.prompt()?;
// Single selection
let role_options = vec!["Admin", "Editor", "Viewer"];
let role = Select::new("Select your role:", role_options)
.prompt()?;
// Multiple selection
let feature_options = vec!["Dashboard", "Reports", "User Management", "Settings"];
let features = MultiSelect::new("Select features to enable:", feature_options)
.prompt()?;
// Confirmation
let confirm = Confirm::new("Save this configuration?")
.with_default(true)
.prompt()?;
Ok(UserConfig {
name,
age,
role: role.to_string(),
features: features.iter().map(|&s| s.to_string()).collect(),
confirm,
})
}
These interactive prompts make CLI applications more conversational and guide users through complex inputs. I’ve found them particularly effective for configuration wizards and installation scripts.
Command History
Remembering previously entered commands significantly improves usability. The rustyline crate provides this functionality:
use rustyline::error::ReadlineError;
use rustyline::{Editor, Config};
use std::error::Error;
fn run_shell() -> Result<(), Box<dyn Error>> {
let config = Config::builder()
.history_ignore_space(true)
.max_history_size(100)
.build();
let mut rl = Editor::<()>::with_config(config)?;
// Try to load history from file
if rl.load_history("history.txt").is_err() {
println!("No previous history.");
}
loop {
let readline = rl.readline(">> ");
match readline {
Ok(line) => {
if !line.trim().is_empty() {
rl.add_history_entry(line.as_str());
}
match line.trim() {
"exit" | "quit" => break,
cmd => process_command(cmd),
}
},
Err(ReadlineError::Interrupted) => {
println!("CTRL-C");
break;
},
Err(ReadlineError::Eof) => {
println!("CTRL-D");
break;
},
Err(err) => {
println!("Error: {:?}", err);
break;
}
}
}
// Save history on exit
rl.save_history("history.txt")?;
Ok(())
}
fn process_command(cmd: &str) {
println!("Executing command: {}", cmd);
}
Command history with up/down arrow navigation is a small feature that makes a huge difference in usability. My users often mention how much they appreciate this familiar functionality.
Concurrent Operations
For long-running operations, running tasks in the background while maintaining a responsive interface is important:
use std::thread;
use std::sync::{Arc, Mutex};
use std::time::Duration;
use indicatif::{ProgressBar, ProgressStyle};
fn process_data_with_progress(items: Vec<String>) -> Vec<String> {
let pb = ProgressBar::new(items.len() as u64);
pb.set_style(ProgressStyle::default_bar()
.template("[{elapsed_precise}] {bar:40.cyan/blue} {pos}/{len} {msg}")
.progress_chars("##-"));
// Shared results that worker threads will populate
let results = Arc::new(Mutex::new(Vec::new()));
let results_clone = results.clone();
// Run processing in background thread
let handle = thread::spawn(move || {
let mut local_results = Vec::new();
for item in items {
// Simulate processing time
thread::sleep(Duration::from_millis(200));
// Process the item
let processed = format!("Processed: {}", item);
local_results.push(processed);
// Update progress
pb.inc(1);
}
// Store results
let mut results = results_clone.lock().unwrap();
*results = local_results;
pb.finish_with_message("Processing complete");
});
// Main thread can continue doing other work while waiting for processing to complete
// Wait for processing to finish
handle.join().unwrap();
// Return results
let final_results = results.lock().unwrap().clone();
final_results
}
This approach keeps the UI responsive while performing background work, updating the progress display in real-time. I’ve used this pattern for data processing tools where users need to see progress but also continue interacting with the application.
Signal Handling
Properly handling terminal signals makes applications feel more professional:
use std::sync::atomic::{AtomicBool, Ordering};
use std::sync::Arc;
use std::time::Duration;
use signal_hook::{consts::{SIGINT, SIGTERM}, flag};
fn main() -> Result<(), Box<dyn std::error::Error>> {
println!("Application started. Press Ctrl+C to exit gracefully.");
// Create flags that will be set by signal handlers
let term = Arc::new(AtomicBool::new(false));
let int = Arc::new(AtomicBool::new(false));
// Register signal handlers
flag::register(SIGTERM, Arc::clone(&term))?;
flag::register(SIGINT, Arc::clone(&int))?;
// Application main loop
let mut counter = 0;
loop {
// Check if we received a termination signal
if term.load(Ordering::Relaxed) || int.load(Ordering::Relaxed) {
println!("\nReceived termination signal, cleaning up...");
cleanup();
println!("Graceful shutdown complete.");
break;
}
// Normal application logic
counter += 1;
println!("Working... (counter: {})", counter);
std::thread::sleep(Duration::from_secs(1));
}
Ok(())
}
fn cleanup() {
// Perform any necessary cleanup operations:
// - Close file handles
// - Save state
// - Release resources
println!("Saving application state...");
std::thread::sleep(Duration::from_millis(500));
println!("Closing connections...");
std::thread::sleep(Duration::from_millis(500));
}
This ensures that when a user presses Ctrl+C or the process receives a termination signal, the application exits cleanly without leaving resources in an inconsistent state. I consider this essential for any long-running CLI application.
Config File Management
Most interactive applications need to persist settings between runs:
use serde::{Serialize, Deserialize};
use std::fs;
use std::path::{Path, PathBuf};
use anyhow::{Result, anyhow};
#[derive(Serialize, Deserialize, Debug)]
struct AppConfig {
username: String,
theme: String,
auto_save: bool,
recent_files: Vec<String>,
}
impl Default for AppConfig {
fn default() -> Self {
Self {
username: "User".to_string(),
theme: "dark".to_string(),
auto_save: true,
recent_files: Vec::new(),
}
}
}
fn get_config_path() -> PathBuf {
dirs::config_dir()
.unwrap_or_else(|| PathBuf::from("."))
.join("myapp/config.toml")
}
fn load_config() -> Result<AppConfig> {
let config_path = get_config_path();
if !config_path.exists() {
return Ok(create_default_config()?);
}
let config_str = fs::read_to_string(config_path)?;
let config: AppConfig = toml::from_str(&config_str)?;
Ok(config)
}
fn save_config(config: &AppConfig) -> Result<()> {
let config_path = get_config_path();
// Ensure directory exists
if let Some(parent) = config_path.parent() {
fs::create_dir_all(parent)?;
}
let config_str = toml::to_string_pretty(config)?;
fs::write(config_path, config_str)?;
Ok(())
}
fn create_default_config() -> Result<AppConfig> {
let config = AppConfig::default();
save_config(&config)?;
Ok(config)
}
This implementation properly handles configuration files according to platform conventions, creating defaults when needed and gracefully loading existing settings. I’ve found that respecting platform standards for config file locations makes applications feel more integrated and professional.
By implementing these ten techniques, you can transform basic Rust command-line tools into interactive, user-friendly applications that offer many advantages of graphical interfaces while maintaining the efficiency of the terminal. The ecosystem of crates for CLI development in Rust continues to mature, making it easier than ever to build sophisticated terminal applications.
I regularly use these approaches in production tools, and they’ve helped create experiences that users genuinely enjoy rather than merely tolerate. The distinction between a basic command-line utility and an interactive CLI application is significant - the latter provides a conversational interface that guides users, shows progress, and responds dynamically to input.