我正在尝试将 JSON 反序列化为包含可选字段的结构authorization
。JSON 可能包含也可能不包含此字段。如果它确实包含该字段,我将自定义反序列化为hyper::header::Authorization<hyper::header::Scheme>
. 因为Authorization
需要一个泛型类型Scheme
,所以我需要(正如我所写的那样)在我的结构中包含泛型类型。
所有的测试都通过了,但是最后一个( ,没有de_json_none
授权字段的 JSON的那个)在语义上很奇怪,因为我必须针对一个具有确定类型的变量(如图所示或),这两者都没有任何意义数据,尽管从 Rust 的角度来看是完全有效的。Scheme
Bearer
Basic
很清楚为什么会这样,但这是我不想要的,我不知道如何解决。
我想编写一个 Rocket 处理程序,它只匹配包含授权字段类型的数据,方法Authorization<Bearer>
是将数据类型设置为Headers<Bearer>
. 目前,它还将匹配根本没有该字段的数据。我也没有明确的方法来专门按类型调用缺少字段的数据。
我正在寻找有关如何重构此代码的建议,以反映Headers
真正具有三个不同、互斥的化身(Basic
和Bearer
)None
的事实。也许我应该在这里用枚举做一些事情?
extern crate hyper;
extern crate serde;
extern crate serde_json;
#[macro_use]
extern crate serde_derive;
use hyper::header::{Authorization, Header, Raw, Scheme};
use serde::{Deserialize, Deserializer};
#[derive(Debug, Deserialize, PartialEq)]
struct Headers<S>
where
S: Scheme + 'static,
{
#[serde(deserialize_with = "auth_header", default = "no_auth")]
authorization: Option<Authorization<S>>,
#[serde(rename = ":path")]
path: String,
}
fn auth_header<'de, D, S>(deserializer: D) -> Result<Option<Authorization<S>>, D::Error>
where
D: Deserializer<'de>,
S: Scheme + 'static,
{
let s = String::deserialize(deserializer)?;
let auth = Authorization::parse_header(&Raw::from(s.into_bytes()));
auth.map(|a| Some(a)).map_err(serde::de::Error::custom)
}
fn no_auth<S>() -> Option<Authorization<S>>
where
S: Scheme + 'static,
{
None
}
#[cfg(test)]
mod test {
use hyper::header::{Basic, Bearer};
use serde_json;
use super::*;
#[test]
fn de_json_basic() {
let data = r#"{
"authorization": "Basic QWxhZGRpbjpvcGVuIHNlc2FtZQ==",
":path": "/service/",
":method": "GET"
}"#;
let message = Headers {
authorization: Some(Authorization(Basic {
username: "Aladdin".to_owned(),
password: Some("open sesame".to_owned()),
})),
path: "/service/".to_owned(),
};
let h: Headers<Basic> = serde_json::from_str(data).unwrap();
assert_eq!(message, h);
}
#[test]
fn de_json_bearer() {
let data = r#"{
"authorization": "Bearer fpKL54jvWmEGVoRdCNjG",
":path": "/service/",
":method": "GET"
}"#;
let message = Headers {
authorization: Some(Authorization(
Bearer { token: "fpKL54jvWmEGVoRdCNjG".to_owned() },
)),
path: "/service/".to_owned(),
};
let h: Headers<Bearer> = serde_json::from_str(data).unwrap();
assert_eq!(message, h);
}
#[test]
fn de_json_none() {
let data = r#"{
":path": "/service/",
":method": "GET"
}"#;
let message = Headers {
authorization: None,
path: "/service/".to_owned(),
};
let h: Headers<Bearer> = serde_json::from_str(data).unwrap();
// this also works, though neither should ideally
// let h: Headers<Basic> = serde_json::from_str(data).unwrap();
assert_eq!(message, h);
}
}