serde_helpers/
lib.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
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.

//! Serde de/serialization helpers. To use one of these helpers, use the `with`
//! serde attribute: `#[serde(with = "serde_helpers::foo")]`

#![expect(missing_docs)]

mod prelude {
    pub use serde::Deserialize;
    pub use serde::Deserializer;
    pub use serde::Serialize;
    pub use serde::Serializer;
}

/// de/serialize a `Vec<u8>` to/from a base64 encoded string.
pub mod base64_vec {
    use crate::prelude::*;
    use base64::Engine;

    pub fn serialize<S: Serializer>(v: &Vec<u8>, ser: S) -> Result<S::Ok, S::Error> {
        ser.serialize_str(&base64::engine::general_purpose::STANDARD.encode(v))
    }

    pub fn deserialize<'de, D: Deserializer<'de>>(d: D) -> Result<Vec<u8>, D::Error> {
        let s: &str = Deserialize::deserialize(d)?;
        base64::engine::general_purpose::STANDARD
            .decode(s)
            .map_err(serde::de::Error::custom)
    }
}

/// de/serialize a `T: Display + FromStr`
pub mod as_string {
    use crate::prelude::*;
    use std::fmt::Display;
    use std::str::FromStr;

    pub fn serialize<T: Display, S: Serializer>(value: &T, ser: S) -> Result<S::Ok, S::Error> {
        ser.collect_str(value)
    }

    pub fn deserialize<'de, T, D: Deserializer<'de>>(d: D) -> Result<T, D::Error>
    where
        T: FromStr,
        T::Err: std::error::Error,
    {
        let s: &str = Deserialize::deserialize(d)?;
        s.parse().map_err(serde::de::Error::custom)
    }
}

/// serialize a `T: Debug`
pub mod as_debug {
    use crate::prelude::*;
    use std::fmt::Debug;

    pub fn serialize<T: Debug, S: Serializer>(value: &T, ser: S) -> Result<S::Ok, S::Error> {
        ser.collect_str(&format_args!("{:?}", value))
    }
}

/// de/serialize an [`Option<Guid>`](guid::Guid) to/from a possibly-missing GUID
/// string. Make sure to also specify `#[serde(default)]`.
pub mod opt_guid_str {
    use crate::prelude::*;
    use guid::Guid;

    pub fn serialize<S: Serializer>(guid: &Option<Guid>, ser: S) -> Result<S::Ok, S::Error> {
        match guid {
            Some(guid) => ser.serialize_some(&guid.to_string()),
            None => ser.serialize_none(),
        }
    }

    pub fn deserialize<'de, D: Deserializer<'de>>(d: D) -> Result<Option<Guid>, D::Error> {
        let s: Option<&str> = Deserialize::deserialize(d)?;
        Ok(match s {
            None => None,
            Some(s) => Some(s.parse().map_err(serde::de::Error::custom)?),
        })
    }
}

/// de/serialize an `Option<T>` (where `T` implements is de/serializable)
/// to/from a `base64` encoded string containing a JSON payload.
/// Make sure to also specify `#[serde(default)]`.
pub mod opt_base64_json {
    use crate::prelude::*;
    use base64::Engine;

    pub fn serialize<S: Serializer, T: Serialize>(
        t: &Option<T>,
        ser: S,
    ) -> Result<S::Ok, S::Error> {
        match t {
            Some(t) => ser.serialize_str(
                &base64::engine::general_purpose::STANDARD
                    .encode(serde_json::to_string(t).map_err(serde::ser::Error::custom)?),
            ),
            None => ser.serialize_none(),
        }
    }
    pub fn deserialize<'de, D: Deserializer<'de>, T: serde::de::DeserializeOwned>(
        d: D,
    ) -> Result<Option<T>, D::Error> {
        let s: Option<&str> = Deserialize::deserialize(d)?;
        Ok(match s {
            None => None,
            Some(s) => {
                let s = base64::engine::general_purpose::STANDARD
                    .decode(s)
                    .map_err(serde::de::Error::custom)?;
                Some(serde_json::from_slice(&s).map_err(serde::de::Error::custom)?)
            }
        })
    }
}

pub mod opt_base64_vec {
    use base64::Engine;
    use serde::*;

    pub fn serialize<S: Serializer>(v: &Option<Vec<u8>>, ser: S) -> Result<S::Ok, S::Error> {
        match v {
            Some(v) => ser.serialize_str(&base64::engine::general_purpose::STANDARD.encode(v)),
            None => ser.serialize_none(),
        }
    }

    pub fn deserialize<'de, D: Deserializer<'de>>(d: D) -> Result<Option<Vec<u8>>, D::Error> {
        let s: Option<&str> = Deserialize::deserialize(d)?;
        Ok(match s {
            Some(s) => Some(
                base64::engine::general_purpose::STANDARD
                    .decode(s)
                    .map_err(de::Error::custom)?,
            ),
            None => None,
        })
    }
}

pub mod vec_base64_vec {
    use base64::Engine;
    use ser::SerializeSeq;
    use serde::*;

    pub fn serialize<S: Serializer>(v: &Vec<Vec<u8>>, ser: S) -> Result<S::Ok, S::Error> {
        let mut seq = ser.serialize_seq(Some(v.len()))?;
        for element in v {
            seq.serialize_element(&base64::engine::general_purpose::STANDARD.encode(element))?;
        }
        seq.end()
    }

    pub fn deserialize<'de, D: Deserializer<'de>>(d: D) -> Result<Vec<Vec<u8>>, D::Error> {
        let ss: Vec<&str> = Deserialize::deserialize(d)?;
        let mut vs = Vec::new();
        for s in ss {
            vs.push(
                base64::engine::general_purpose::STANDARD
                    .decode(s)
                    .map_err(de::Error::custom)?,
            );
        }
        Ok(vs)
    }
}

#[cfg(test)]
mod test {
    use super::*;
    use guid::Guid;
    use serde::Deserialize;

    #[test]
    fn opt_guid() {
        #[derive(Deserialize)]
        struct OptGuidSample {
            field1: u32,
            #[serde(default)]
            #[serde(with = "opt_guid_str")]
            field2: Option<Guid>,
        }

        let json = r#"
        {
            "field1": 123,
            "field2": "12345678-9abc-def0-1234-56789abcdef0"
        }"#;
        let guid_sample: OptGuidSample = serde_json::from_str(json).expect("deserialization");
        assert_eq!(guid_sample.field1, 123);
        assert_eq!(
            guid_sample.field2.expect("field2 set"),
            guid::guid!("12345678-9abc-def0-1234-56789abcdef0")
        );

        let json = r#"
        {
            "field1": 123
        }"#;
        let guid_sample: OptGuidSample = serde_json::from_str(json).expect("deserialization");
        assert_eq!(guid_sample.field1, 123);
        assert!(guid_sample.field2.is_none());
    }
}