inquire/prompts/select.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548
use std::fmt::Display;
use crate::{
config::{self, get_configuration},
error::{InquireError, InquireResult},
formatter::OptionFormatter,
input::Input,
list_option::ListOption,
terminal::get_default_terminal,
type_aliases::Filter,
ui::{Backend, Key, KeyModifiers, RenderConfig, SelectBackend},
utils::paginate,
};
/// Prompt suitable for when you need the user to select one option among many.
///
/// The user can select and submit the current highlighted option by pressing enter.
///
/// This prompt requires a prompt message and a **non-empty** `Vec` of options to be displayed to the user. The options can be of any type as long as they implement the `Display` trait. It is required that the `Vec` is moved to the prompt, as the prompt will return the selected option (`Vec` element) after the user submits.
/// - If the list is empty, the prompt operation will fail with an `InquireError::InvalidConfiguration` error.
///
/// This prompt does not support custom validators because of its nature. A submission always selects exactly one of the options. If this option was not supposed to be selected or is invalid in some way, it probably should not be included in the options list.
///
/// The options are paginated in order to provide a smooth experience to the user, with the default page size being 7. The user can move from the options and the pages will be updated accordingly, including moving from the last to the first options (or vice-versa).
///
/// Like all others, this prompt also allows you to customize several aspects of it:
///
/// - **Prompt message**: Required when creating the prompt.
/// - **Options list**: Options displayed to the user. Must be **non-empty**.
/// - **Starting cursor**: Index of the cursor when the prompt is first rendered. Default is 0 (first option). If the index is out-of-range of the option list, the prompt will fail with an [`InquireError::InvalidConfiguration`] error.
/// - **Help message**: Message displayed at the line below the prompt.
/// - **Formatter**: Custom formatter in case you need to pre-process the user input before showing it as the final answer.
/// - Prints the selected option string value by default.
/// - **Page size**: Number of options displayed at once, 7 by default.
/// - **Display option indexes**: On long lists, it might be helpful to display the indexes of the options to the user. Via the `RenderConfig`, you can set the display mode of the indexes as a prefix of an option. The default configuration is `None`, to not render any index when displaying the options.
/// - **Filter function**: Function that defines if an option is displayed or not based on the current filter input.
///
/// # Example
///
/// ```no_run
/// use inquire::{error::InquireError, Select};
///
/// let options: Vec<&str> = vec!["Banana", "Apple", "Strawberry", "Grapes",
/// "Lemon", "Tangerine", "Watermelon", "Orange", "Pear", "Avocado", "Pineapple",
/// ];
///
/// let ans: Result<&str, InquireError> = Select::new("What's your favorite fruit?", options).prompt();
///
/// match ans {
/// Ok(choice) => println!("{}! That's mine too!", choice),
/// Err(_) => println!("There was an error, please try again"),
/// }
/// ```
///
/// [`InquireError::InvalidConfiguration`]: crate::error::InquireError::InvalidConfiguration
#[derive(Clone)]
pub struct Select<'a, T> {
/// Message to be presented to the user.
pub message: &'a str,
/// Options displayed to the user.
pub options: Vec<T>,
/// Help message to be presented to the user.
pub help_message: Option<&'a str>,
/// Page size of the options displayed to the user.
pub page_size: usize,
/// Whether vim mode is enabled. When enabled, the user can
/// navigate through the options using hjkl.
pub vim_mode: bool,
/// Starting cursor index of the selection.
pub starting_cursor: usize,
/// Function called with the current user input to filter the provided
/// options.
pub filter: Filter<'a, T>,
/// Function that formats the user input and presents it to the user as the final rendering of the prompt.
pub formatter: OptionFormatter<'a, T>,
/// RenderConfig to apply to the rendered interface.
///
/// Note: The default render config considers if the NO_COLOR environment variable
/// is set to decide whether to render the colored config or the empty one.
///
/// When overriding the config in a prompt, NO_COLOR is no longer considered and your
/// config is treated as the only source of truth. If you want to customize colors
/// and still suport NO_COLOR, you will have to do this on your end.
pub render_config: RenderConfig,
}
impl<'a, T> Select<'a, T>
where
T: Display,
{
/// String formatter used by default in [Select](crate::Select) prompts.
/// Simply prints the string value contained in the selected option.
///
/// # Examples
///
/// ```
/// use inquire::list_option::ListOption;
/// use inquire::Select;
///
/// let formatter = Select::<&str>::DEFAULT_FORMATTER;
/// assert_eq!(String::from("First option"), formatter(ListOption::new(0, &"First option")));
/// assert_eq!(String::from("First option"), formatter(ListOption::new(11, &"First option")));
/// ```
pub const DEFAULT_FORMATTER: OptionFormatter<'a, T> = &|ans| ans.to_string();
/// Default filter function, which checks if the current filter value is a substring of the option value.
/// If it is, the option is displayed.
///
/// # Examples
///
/// ```
/// use inquire::Select;
///
/// let filter = Select::<&str>::DEFAULT_FILTER;
/// assert_eq!(false, filter("sa", &"New York", "New York", 0));
/// assert_eq!(true, filter("sa", &"Sacramento", "Sacramento", 1));
/// assert_eq!(true, filter("sa", &"Kansas", "Kansas", 2));
/// assert_eq!(true, filter("sa", &"Mesa", "Mesa", 3));
/// assert_eq!(false, filter("sa", &"Phoenix", "Phoenix", 4));
/// assert_eq!(false, filter("sa", &"Philadelphia", "Philadelphia", 5));
/// assert_eq!(true, filter("sa", &"San Antonio", "San Antonio", 6));
/// assert_eq!(true, filter("sa", &"San Diego", "San Diego", 7));
/// assert_eq!(false, filter("sa", &"Dallas", "Dallas", 8));
/// assert_eq!(true, filter("sa", &"San Francisco", "San Francisco", 9));
/// assert_eq!(false, filter("sa", &"Austin", "Austin", 10));
/// assert_eq!(false, filter("sa", &"Jacksonville", "Jacksonville", 11));
/// assert_eq!(true, filter("sa", &"San Jose", "San Jose", 12));
/// ```
pub const DEFAULT_FILTER: Filter<'a, T> = &|filter, _, string_value, _| -> bool {
let filter = filter.to_lowercase();
string_value.to_lowercase().contains(&filter)
};
/// Default page size.
pub const DEFAULT_PAGE_SIZE: usize = config::DEFAULT_PAGE_SIZE;
/// Default value of vim mode.
pub const DEFAULT_VIM_MODE: bool = config::DEFAULT_VIM_MODE;
/// Default starting cursor index.
pub const DEFAULT_STARTING_CURSOR: usize = 0;
/// Default help message.
pub const DEFAULT_HELP_MESSAGE: Option<&'a str> =
Some("↑↓ to move, enter to select, type to filter");
/// Creates a [Select] with the provided message and options, along with default configuration values.
pub fn new(message: &'a str, options: Vec<T>) -> Self {
Self {
message,
options,
help_message: Self::DEFAULT_HELP_MESSAGE,
page_size: Self::DEFAULT_PAGE_SIZE,
vim_mode: Self::DEFAULT_VIM_MODE,
starting_cursor: Self::DEFAULT_STARTING_CURSOR,
filter: Self::DEFAULT_FILTER,
formatter: Self::DEFAULT_FORMATTER,
render_config: get_configuration(),
}
}
/// Sets the help message of the prompt.
pub fn with_help_message(mut self, message: &'a str) -> Self {
self.help_message = Some(message);
self
}
/// Removes the set help message.
pub fn without_help_message(mut self) -> Self {
self.help_message = None;
self
}
/// Sets the page size.
pub fn with_page_size(mut self, page_size: usize) -> Self {
self.page_size = page_size;
self
}
/// Enables or disables vim_mode.
pub fn with_vim_mode(mut self, vim_mode: bool) -> Self {
self.vim_mode = vim_mode;
self
}
/// Sets the filter function.
pub fn with_filter(mut self, filter: Filter<'a, T>) -> Self {
self.filter = filter;
self
}
/// Sets the formatter.
pub fn with_formatter(mut self, formatter: OptionFormatter<'a, T>) -> Self {
self.formatter = formatter;
self
}
/// Sets the starting cursor index.
pub fn with_starting_cursor(mut self, starting_cursor: usize) -> Self {
self.starting_cursor = starting_cursor;
self
}
/// Sets the provided color theme to this prompt.
///
/// Note: The default render config considers if the NO_COLOR environment variable
/// is set to decide whether to render the colored config or the empty one.
///
/// When overriding the config in a prompt, NO_COLOR is no longer considered and your
/// config is treated as the only source of truth. If you want to customize colors
/// and still suport NO_COLOR, you will have to do this on your end.
pub fn with_render_config(mut self, render_config: RenderConfig) -> Self {
self.render_config = render_config;
self
}
/// Parses the provided behavioral and rendering options and prompts
/// the CLI user for input according to the defined rules.
///
/// Returns the owned object selected by the user.
pub fn prompt(self) -> InquireResult<T> {
self.raw_prompt().map(|op| op.value)
}
/// Parses the provided behavioral and rendering options and prompts
/// the CLI user for input according to the defined rules.
///
/// This method is intended for flows where the user skipping/cancelling
/// the prompt - by pressing ESC - is considered normal behavior. In this case,
/// it does not return `Err(InquireError::OperationCanceled)`, but `Ok(None)`.
///
/// Meanwhile, if the user does submit an answer, the method wraps the return
/// type with `Some`.
pub fn prompt_skippable(self) -> InquireResult<Option<T>> {
match self.prompt() {
Ok(answer) => Ok(Some(answer)),
Err(InquireError::OperationCanceled) => Ok(None),
Err(err) => Err(err),
}
}
/// Parses the provided behavioral and rendering options and prompts
/// the CLI user for input according to the defined rules.
///
/// Returns a [`ListOption`](crate::list_option::ListOption) containing
/// the index of the selection and the owned object selected by the user.
pub fn raw_prompt(self) -> InquireResult<ListOption<T>> {
let terminal = get_default_terminal()?;
let mut backend = Backend::new(terminal, self.render_config)?;
self.prompt_with_backend(&mut backend)
}
pub(crate) fn prompt_with_backend<B: SelectBackend>(
self,
backend: &mut B,
) -> InquireResult<ListOption<T>> {
SelectPrompt::new(self)?.prompt(backend)
}
}
struct SelectPrompt<'a, T> {
message: &'a str,
options: Vec<T>,
string_options: Vec<String>,
filtered_options: Vec<usize>,
help_message: Option<&'a str>,
vim_mode: bool,
cursor_index: usize,
page_size: usize,
input: Input,
filter: Filter<'a, T>,
formatter: OptionFormatter<'a, T>,
}
impl<'a, T> SelectPrompt<'a, T>
where
T: Display,
{
fn new(so: Select<'a, T>) -> InquireResult<Self> {
if so.options.is_empty() {
return Err(InquireError::InvalidConfiguration(
"Available options can not be empty".into(),
));
}
if so.starting_cursor >= so.options.len() {
return Err(InquireError::InvalidConfiguration(format!(
"Starting cursor index {} is out-of-bounds for length {} of options",
so.starting_cursor,
&so.options.len()
)));
}
let string_options = so.options.iter().map(T::to_string).collect();
let filtered_options = (0..so.options.len()).collect();
Ok(Self {
message: so.message,
options: so.options,
string_options,
filtered_options,
help_message: so.help_message,
vim_mode: so.vim_mode,
cursor_index: so.starting_cursor,
page_size: so.page_size,
input: Input::new(),
filter: so.filter,
formatter: so.formatter,
})
}
fn filter_options(&self) -> Vec<usize> {
self.options
.iter()
.enumerate()
.filter_map(|(i, opt)| match self.input.content() {
val if val.is_empty() => Some(i),
val if (self.filter)(val, opt, self.string_options.get(i).unwrap(), i) => Some(i),
_ => None,
})
.collect()
}
fn move_cursor_up(&mut self, qty: usize, wrap: bool) {
if wrap {
let after_wrap = qty.saturating_sub(self.cursor_index);
self.cursor_index = self
.cursor_index
.checked_sub(qty)
.unwrap_or_else(|| self.filtered_options.len().saturating_sub(after_wrap))
} else {
self.cursor_index = self.cursor_index.saturating_sub(qty);
}
}
fn move_cursor_down(&mut self, qty: usize, wrap: bool) {
self.cursor_index = self.cursor_index.saturating_add(qty);
if self.cursor_index >= self.filtered_options.len() {
self.cursor_index = if self.filtered_options.is_empty() {
0
} else if wrap {
self.cursor_index % self.filtered_options.len()
} else {
self.filtered_options.len().saturating_sub(1)
}
}
}
fn on_change(&mut self, key: Key) {
match key {
Key::Up(KeyModifiers::NONE) => self.move_cursor_up(1, true),
Key::Char('k', KeyModifiers::NONE) if self.vim_mode => self.move_cursor_up(1, true),
Key::PageUp => self.move_cursor_up(self.page_size, false),
Key::Home => self.move_cursor_up(usize::MAX, false),
Key::Down(KeyModifiers::NONE) => self.move_cursor_down(1, true),
Key::Char('j', KeyModifiers::NONE) if self.vim_mode => self.move_cursor_down(1, true),
Key::PageDown => self.move_cursor_down(self.page_size, false),
Key::End => self.move_cursor_down(usize::MAX, false),
key => {
let dirty = self.input.handle_key(key);
if dirty {
let options = self.filter_options();
if options.len() <= self.cursor_index {
self.cursor_index = options.len().saturating_sub(1);
}
self.filtered_options = options;
}
}
};
}
fn has_answer_highlighted(&mut self) -> bool {
self.filtered_options.get(self.cursor_index).is_some()
}
fn get_final_answer(&mut self) -> ListOption<T> {
// should only be called after current cursor index is validated
// on has_answer_highlighted
let index = *self.filtered_options.get(self.cursor_index).unwrap();
let value = self.options.swap_remove(index);
ListOption::new(index, value)
}
fn render<B: SelectBackend>(&mut self, backend: &mut B) -> InquireResult<()> {
let prompt = &self.message;
backend.frame_setup()?;
backend.render_select_prompt(prompt, &self.input)?;
let choices = self
.filtered_options
.iter()
.cloned()
.map(|i| ListOption::new(i, self.options.get(i).unwrap()))
.collect::<Vec<ListOption<&T>>>();
let page = paginate(self.page_size, &choices, Some(self.cursor_index));
backend.render_options(page)?;
if let Some(help_message) = self.help_message {
backend.render_help_message(help_message)?;
}
backend.frame_finish()?;
Ok(())
}
fn prompt<B: SelectBackend>(mut self, backend: &mut B) -> InquireResult<ListOption<T>> {
loop {
self.render(backend)?;
let key = backend.read_key()?;
match key {
Key::Interrupt => interrupt_prompt!(),
Key::Cancel => cancel_prompt!(backend, self.message),
Key::Submit => match self.has_answer_highlighted() {
true => break,
false => {}
},
key => self.on_change(key),
}
}
let final_answer = self.get_final_answer();
let formatted = (self.formatter)(final_answer.as_ref());
finish_prompt_with_answer!(backend, self.message, &formatted, final_answer);
}
}
#[cfg(test)]
#[cfg(feature = "crossterm")]
mod test {
use crate::{
formatter::OptionFormatter,
list_option::ListOption,
terminal::crossterm::CrosstermTerminal,
ui::{Backend, RenderConfig},
Select,
};
use crossterm::event::{KeyCode, KeyEvent};
#[test]
/// Tests that a closure that actually closes on a variable can be used
/// as a Select formatter.
fn closure_formatter() {
let read: Vec<KeyEvent> = vec![KeyCode::Down, KeyCode::Enter]
.into_iter()
.map(KeyEvent::from)
.collect();
let mut read = read.iter();
let formatted = String::from("Thanks!");
let formatter: OptionFormatter<i32> = &|_| formatted.clone();
let options = vec![1, 2, 3];
let mut write: Vec<u8> = Vec::new();
let terminal = CrosstermTerminal::new_with_io(&mut write, &mut read);
let mut backend = Backend::new(terminal, RenderConfig::default()).unwrap();
let ans = Select::new("Question", options)
.with_formatter(formatter)
.prompt_with_backend(&mut backend)
.unwrap();
assert_eq!(ListOption::new(1, 2), ans);
}
#[test]
// Anti-regression test: https://github.com/mikaelmello/inquire/issues/29
fn enter_arrow_on_empty_list_does_not_panic() {
let read: Vec<KeyEvent> = [
KeyCode::Char('9'),
KeyCode::Enter,
KeyCode::Backspace,
KeyCode::Char('3'),
KeyCode::Enter,
]
.iter()
.map(|c| KeyEvent::from(*c))
.collect();
let mut read = read.iter();
let options = vec![1, 2, 3];
let mut write: Vec<u8> = Vec::new();
let terminal = CrosstermTerminal::new_with_io(&mut write, &mut read);
let mut backend = Backend::new(terminal, RenderConfig::default()).unwrap();
let ans = Select::new("Question", options)
.prompt_with_backend(&mut backend)
.unwrap();
assert_eq!(ListOption::new(2, 3), ans);
}
#[test]
// Anti-regression test: https://github.com/mikaelmello/inquire/issues/30
fn down_arrow_on_empty_list_does_not_panic() {
let read: Vec<KeyEvent> = [
KeyCode::Char('9'),
KeyCode::Down,
KeyCode::Backspace,
KeyCode::Char('3'),
KeyCode::Down,
KeyCode::Backspace,
KeyCode::Enter,
]
.iter()
.map(|c| KeyEvent::from(*c))
.collect();
let mut read = read.iter();
let options = vec![1, 2, 3];
let mut write: Vec<u8> = Vec::new();
let terminal = CrosstermTerminal::new_with_io(&mut write, &mut read);
let mut backend = Backend::new(terminal, RenderConfig::default()).unwrap();
let ans = Select::new("Question", options)
.prompt_with_backend(&mut backend)
.unwrap();
assert_eq!(ListOption::new(0, 1), ans);
}
}