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
use base64::prelude::BASE64_STANDARD_NO_PAD;
use base64::Engine;
#[derive(Clone, Debug, PartialEq)]
pub enum Value {
Null,
Integer(i64),
Real(f64),
Text(String),
Blob(Vec<u8>),
}
impl std::fmt::Display for Value {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match self {
Value::Null => write!(f, "null"),
Value::Integer(n) => write!(f, "{n}"),
Value::Real(d) => write!(f, "{d}"),
Value::Text(s) => write!(f, "{}", serde_json::json!(s)),
Value::Blob(b) => {
let b = BASE64_STANDARD_NO_PAD.encode(b);
write!(f, "{{\"base64\": {b}}}")
}
}
}
}
impl From<()> for Value {
fn from(_: ()) -> Value {
Value::Null
}
}
macro_rules! impl_from_value {
($typename: ty, $variant: ident) => {
impl From<$typename> for Value {
fn from(t: $typename) -> Value {
Value::$variant(t.into())
}
}
};
}
impl_from_value!(String, Text);
impl_from_value!(&String, Text);
impl_from_value!(&str, Text);
impl_from_value!(i8, Integer);
impl_from_value!(i16, Integer);
impl_from_value!(i32, Integer);
impl_from_value!(i64, Integer);
impl_from_value!(u8, Integer);
impl_from_value!(u16, Integer);
impl_from_value!(u32, Integer);
impl_from_value!(f32, Real);
impl_from_value!(f64, Real);
impl_from_value!(Vec<u8>, Blob);
macro_rules! impl_value_try_from {
($variant: ident, $typename: ty) => {
impl TryFrom<Value> for $typename {
type Error = String;
fn try_from(v: Value) -> Result<$typename, Self::Error> {
match v {
Value::$variant(v) => v.try_into().map_err(|e| format!("{e}")),
other => Err(format!(
"cannot transform {other:?} to {}",
stringify!($variant)
)),
}
}
}
};
}
impl_value_try_from!(Text, String);
impl_value_try_from!(Integer, i8);
impl_value_try_from!(Integer, i16);
impl_value_try_from!(Integer, i32);
impl_value_try_from!(Integer, i64);
impl_value_try_from!(Integer, u8);
impl_value_try_from!(Integer, u16);
impl_value_try_from!(Integer, u32);
impl_value_try_from!(Integer, u64);
impl_value_try_from!(Real, f64);
impl_value_try_from!(Blob, Vec<u8>);