使用Serde将json字符串序列化为对象

5us2dqdw  于 2023-06-25  发布在  其他
关注(0)|答案(2)|浏览(195)

我有以下结构

  1. #[derive(Serialize)]
  2. pub struct MyStruct {
  3. pub id: String,
  4. pub score: f32,
  5. pub json: String,
  6. }

json字段始终包含已字符串化的有效JSON对象。
给定一个示例,我想用JSON内容序列化它。类似于:

  1. let a = MyStruct {
  2. id: "my-id".to_owned(),
  3. score: 20.3,
  4. json: r#"{
  5. "ffo": 4
  6. }"#,
  7. };
  8. let r = to_string(&a).unwrap();
  9. assert_eq!(r, r#"{
  10. "id": "my-id",
  11. "score": 20.3,
  12. "json": {
  13. "ffo": 4
  14. }
  15. }"#);

注意:我不需要支持不同的序列化格式,只需要支持JSON。NB2:我确信json字段始终包含有效的JSON对象。NB3:我通常使用serde,但我愿意使用不同的库。
我该怎么做?
编辑:如果可能的话,我希望避免在序列化过程中对字符串进行反序列化。

tvmytwxo

tvmytwxo1#

serde_json有一个raw_value的特性,类似于这样的功能:
Cargo.toml

  1. # ...
  2. [dependencies]
  3. serde = { version = "1.0", features = ["derive"] }
  4. serde_json = { version = "1.0", features = ["raw_value"] }

lib.rs

  1. use serde::{Serializer, Serialize};
  2. use serde_json::{self, value::RawValue};
  3. #[derive(Serialize)]
  4. pub struct MyStruct {
  5. pub id: String,
  6. pub score: f32,
  7. #[serde(serialize_with = "serialize_raw_json")]
  8. pub json: String,
  9. }
  10. fn serialize_raw_json<S>(json: &str, s: S) -> Result<S::Ok, S::Error>
  11. where
  12. S: Serializer,
  13. {
  14. // This should be pretty efficient: it just checks that the string is valid;
  15. // it doesn't parse it into a new data structure.
  16. let v: &RawValue = serde_json::from_str(json).expect("invalid json");
  17. v.serialize(s)
  18. }
  19. #[test]
  20. fn test_serialize() {
  21. let a = MyStruct {
  22. id: "my-id".to_owned(),
  23. score: 20.3,
  24. json: r#"{
  25. "ffo": 4
  26. }"#
  27. .to_string(),
  28. };
  29. let r = serde_json::to_string(&a).unwrap();
  30. assert_eq!(
  31. r,
  32. r#"{"id":"my-id","score":20.3,"json":{
  33. "ffo": 4
  34. }}"#
  35. );
  36. }

但最简单(也是最容易出错和最不可扩展)的解决方案是简单的字符串操作:

  1. #[derive(Serialize)]
  2. pub struct MyStruct {
  3. pub id: String,
  4. pub score: f32,
  5. // IMPORTANT: don't serialize this field at all
  6. #[serde(skip)]
  7. pub json: String,
  8. }
  9. fn serialize(a: &MyStruct) -> String {
  10. let mut r = serde_json::to_string(&a).unwrap();
  11. // get rid of trailing '}'
  12. r.pop();
  13. // push the key
  14. r.push_str(r#","json":"#);
  15. // push the value
  16. r.push_str(&a.json);
  17. // push the closing brace
  18. r.push('}');
  19. r
  20. }
  21. #[test]
  22. fn test_serialize() {
  23. let a = MyStruct {
  24. id: "my-id".to_owned(),
  25. score: 20.3,
  26. json: r#"{
  27. "ffo": 4
  28. }"#
  29. .to_string(),
  30. };
  31. let r = serialize(&a);
  32. assert_eq!(
  33. r,
  34. r#"{"id":"my-id","score":20.3,"json":{
  35. "ffo": 4
  36. }}"#
  37. );
  38. }
展开查看全部
3zwtqj6y

3zwtqj6y2#

您可以这样做,但必须以某种方式覆盖默认的序列化行为。您可以通过将json字段 Package 在一个新类型中(如struct JsonString(String),并为该类型手动实现Serialize,或者您可以使用#[serde(serialize_with = "...")]字段属性临时更改json字段的序列化。下面是使用serialize_with字段属性的示例:

  1. use serde::{ser::Error, Serialize, Serializer};
  2. use serde_json::Value;
  3. #[derive(Serialize)]
  4. pub struct MyStruct {
  5. pub id: String,
  6. pub score: f32,
  7. #[serde(serialize_with = "as_json_object")]
  8. pub json: String,
  9. }
  10. fn as_json_object<S>(v: &str, s: S) -> Result<S::Ok, S::Error>
  11. where
  12. S: Serializer,
  13. {
  14. let v: Value =
  15. serde_json::from_str(v).map_err(|_| Error::custom("error parsing serialized json"))?;
  16. v.serialize(s)
  17. }
  18. fn main() {
  19. let a = MyStruct {
  20. id: "my-id".to_owned(),
  21. score: 20.3,
  22. json: r#"{
  23. "ffo": 4
  24. }"#
  25. .to_owned(),
  26. };
  27. let r = serde_json::to_string(&a).unwrap();
  28. assert_eq!(r, r#"{"id":"my-id","score":20.3,"json":{"ffo":4}}"#);
  29. }

Playground.

展开查看全部

相关问题