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
//! # beginner_tools
//!
//! Useful library designed for new Rustacens,
//! provides good examples that are useful in simple projects
use stdin;
use Error;
use FromStr;
/// Reads from stdin and tries to parse it to a specified type.
///
/// # Examples
///
/// ```
/// // Will loop as long as user does not pass in a float,
/// let my_float = loop {
/// if let Ok(n) = get_stdin::<f64>() {
/// break n
/// };
/// println!("Wrong Input!");
/// };
/// ```
///
/// # Errors
///
/// Function returns an Err(error) when user inputs an incorrect type
/// Inspired by Python's "input()", this function does (almost)
/// exactly the same thing, takes an input from the user
/// and tries to parse it to the specified type.
/// Note that this function requires a prompt for the user.
///
/// # Examples
/// ```
/// // Will loop as long as user does not pass in a float,
/// // Stores the resulting value in "my_int" for later use
/// let my_int: i64 = loop {
/// if let Ok(n) = input("Type an integer: ") {
/// break n
/// };
/// println!("Wrong Input!");
/// };
///
/// // Shorter, asks once. Crashes if invalid input.
/// // Passing in an empty &str results in the same
/// // functionality as "get_stdin()".
/// let my_float = input::<f64>("")
/// .expect("Error, not a float");
/// ```
///