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
//! Simplify getting user input for your CLI applications
//!
//! Check out the examples, too:
//! - `cargo run --example closing` demonstrates quitting the program early
//! - `cargo run --example data` demonstrates getting data from the user
//! - `cargo run --example hello` is a basic hello world program
//!
//! Example usage:
//! ```
//! let name: String = Input::new()
//!     .prompt("Enter your name: ")
//!     .wait();
//!
//! println!("Hello, {}!", name);
//! ```
//!
//! You can also set error messages for when the user messes up the input.
//! ```
//! let number: i32 = Input::new()
//!     .err_msg("That wasn't a number; please try again")
//!     .prompt("Enter a number: ")
//!     .wait();
//!
//! println!("Your number is: {}", number);
//! ```
//!
//! You can choose to just get the first input, regardless of whether it's good.
//! ```
//! let number: Option<i32> = Input::new()
//!     .prompt("Enter a number: ")
//!     .read();
//!
//! match number {
//!     Some(n) => println!("Your number is: {}"),
//!     None => println!("You didn't enter a number!")
//! }
//! ```
//!
//! You can specify a keyword that will end the program when entered
//! ```
//! let number: i32 = Input::new()
//!     .quit("quit") // this can result in the program ending early
//!     .prompt("Enter a number: ")
//!     .wait();
//!
//! println!("Your number is: {}", number);
//! ```
//!
//! You can re-use the same input object for multiple inputs.
//! ```
//! let mut input = Input::new()
//!     .err_msg("Unexpected input; please retry")
//!     .quit("quit");
//!
//! let name: String = input.prompt("Enter your name: ").wait();
//! let age: u32 = input.prompt("Enter your age: ").wait();
//! let weight: f64 = input.prompt("Enter your weight: ").wait();
//!
//! println!("Name: {}\nAge: {}\nWeight: {}", name, age, weight);
//! ```

use std::io::{stdin, stdout, Write};

/// Handler for easily getting user input from the command line
#[derive(Debug, Default, Clone)]
pub struct Input {
    user_prompt: String,
    user_quit: Option<String>,
    user_errmsg: Option<String>,
}

impl Input {
    /// Create a new Input object to handle user input.
    pub fn new() -> Self {
        Self::default()
    }

    /// Sets the prompt that will be displayed to the user.
    pub fn prompt(&mut self, p: &str) -> &mut Self {
        self.user_prompt = p.to_owned();
        self
    }

    /// Sets a phrase that, when entered, will end the program early.
    pub fn quit(mut self, q: &str) -> Self {
        self.user_quit = Some(q.into());
        self
    }

    /// Sets an error message that will be displayed to the user if they enter something invalid.
    pub fn err_msg(mut self, m: &str) -> Self {
        self.user_errmsg = Some(m.into());
        self
    }

    /// Waits until the user responds with something that can be parsed to `T`.
    ///
    /// If a `quit` trigger has been set and later read from the user, will exit early
    ///
    /// Example:
    /// ```
    /// let data: i32 = Input::new()
    ///     .prompt("Enter a number: ")
    ///     .wait();
    ///
    /// println!("Your number is {}", data);
    /// ```
    pub fn wait<T>(&self) -> T
    where
        T: std::str::FromStr,
    {
        let mut response = None;

        while response.is_none() {
            response = self.get_data();
            self.check_error(&response);
        }

        // At this point we know that this holds a value
        // so unwrapping should be fine.
        response.unwrap()
    }

    /// Checks if the user's input is the quit trigger, and if so, ends the program
    fn check_quit(&self, message: &str) {
        if let Some(trigger) = &self.user_quit {
            if trigger == message.trim() {
                std::process::exit(0);
            }
        }
    }

    /// Checks whether `response` was entered incorrectly, and if so, prints the error message
    fn check_error<T>(&self, response: &Option<T>) {
        if response.is_none() {
            if let Some(msg) = &self.user_errmsg {
                println!("{}", msg);
            }
        }
    }

    /// Handles getting data from the user
    fn get_data<T>(&self) -> Option<T>
    where
        T: std::str::FromStr,
    {
        print!("{}", self.user_prompt);
        self.handle_io(|| stdout().flush());
        let mut buffer = String::new();
        self.handle_io(|| stdin().read_line(&mut buffer));
        self.check_quit(&buffer);
        buffer.trim().parse().ok()
    }

    /// Handles [std::io] operations; will simply print that an error
    /// occurred and continue on
    fn handle_io<T, F>(&self, mut io: F)
    where
        F: FnMut() -> std::io::Result<T>,
    {
        if let Err(e) = io() {
            println!("IO Error: {}; Continuing...", e);
        }
    }

    /// Similar to `wait`, except will return after the user inputs anything.
    ///
    /// If the user input doesn't parse to `T`, `None` is returned.
    ///
    /// Example
    /// ```
    /// let data: Option<i32> = Input::new()
    ///     .prompt("Enter a number: ")
    ///     .read();
    ///
    /// match data {
    ///     Some(number) => println!("You entered {}", number),
    ///     None => println!("You didn't enter a number")
    /// }
    /// ```
    pub fn read<T>(&self) -> Option<T>
    where
        T: std::str::FromStr,
    {
        self.get_data()
    }
}