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
use std::convert::TryInto;
use std::fmt;
use crate::errors::*;
#[derive(Debug, Clone, Copy, PartialEq)]
pub enum Prefix {
One,
Nano,
Micro,
Milli,
Kilo,
Mega,
Giga,
Tera,
}
impl fmt::Display for Prefix {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(
f,
"{}",
match self {
Self::One => "",
Self::Nano => "n",
Self::Micro => "u",
Self::Milli => "m",
Self::Kilo => "K",
Self::Mega => "M",
Self::Giga => "G",
Self::Tera => "T",
}
)
}
}
impl TryInto<Prefix> for &str {
type Error = crate::errors::Error;
fn try_into(self) -> Result<Prefix> {
match self {
"1" => Ok(Prefix::One),
"n" => Ok(Prefix::Nano),
"u" => Ok(Prefix::Micro),
"m" => Ok(Prefix::Milli),
"K" => Ok(Prefix::Kilo),
"M" => Ok(Prefix::Mega),
"G" => Ok(Prefix::Giga),
"T" => Ok(Prefix::Tera),
x => Err(ConfigurationError(
"Can not parse prefix".to_string(),
format!("unknown prefix: '{}'", x.to_string()),
)),
}
}
}