我的JSON
中有一个自定义字段,该字段正在动态变化,需要解析为具有HashMap
字段的struct,如下所示:
#[macro_use]
extern crate serde_derive;
extern crate serde;
extern crate serde_json;
use std::collections::HashMap;
#[derive(Serialize, Deserialize)]
struct MyStruct {
field1: String,
custom: HashMap<String, String>,
}
fn main() {
let json_string = r#"{"field1":"3","custom":{"custom1":"15000","custom2":"60"}}"#;
let my_struct = serde_json::from_str::<MyStruct>(json_string).unwrap();
println!("{}", serde_json::to_string(&my_struct).unwrap());
}
当我的json字符串中的自定义字段中具有可轻松解析为字符串的字符串字段时,此选项就起作用。
但是问题是我的json字符串是:
let json_string_wrong = r#"{"field1":"3","custom":{"custom1":15000,"custom2":"60"}}"#; // Need to parse this
如何在Serde中处理此类转换?
答案 0 :(得分:1)
Serde提供serde_json::Value
(reference)。它是一个包含以下数据类型的枚举:
pub enum Value {
/// Represents a JSON null value.
Null,
/// Represents a JSON boolean.
Bool(bool),
/// Represents a JSON number, whether integer or floating point.
Number(Number),
/// Represents a JSON string.
String(String),
/// Represents a JSON array.
Array(Vec<Value>),
/// Represents a JSON object.
Object(Map<String, Value>),
}
您可以将serde_json::Value
用作HashMap的值类型。只需使用serde_json::from_value或使用模式匹配就可以从serde_json::Value
中提取数据。在您的情况下,我将使用模式匹配,因为只有Integer
类型将被转换为String
,其余类型将相同。
但是反序列化之后,您需要考虑再增加一个步骤。像
custom
创建阴影字段将在反序列化后填充。custom
作为HashMap<String, String>
的新结构。 HashMap<String, Value>
转换为HashMap<String, String>
的函数实施此特征可以解决您的问题。
trait ToStringStringMap {
fn to_string_string_map(&self) -> HashMap<String, String>;
}
impl ToStringStringMap for HashMap<String, Value> {
fn to_string_string_map(&self) -> HashMap<String, String> {
self.iter()
.map(|(k, v)| {
let v = match v.clone() {
e @ Value::Number(_) | e @ Value::Bool(_) => e.to_string(),
Value::String(s) => s,
_ => {
println!(r#"Warning : Can not convert field : "{}'s value to String, It will be empty string."#, k);
"".to_string()
}
};
(k.clone(), v)
})
.collect()
}
}
示例:Playground
注意:特质的名称选择不当,欢迎提出建议。