(可选)跳过使用Serde序列化字段?

时间:2018-01-05 06:38:51

标签: rust serde

我有两个结构:

#[derive(Serialize)]
struct Post {
    title: String,
    // ...more fields...,
    comments: Vec<Comment>,
}

#[derive(Serialize)]
struct Comment {
    body: String,
    // ...more fields...,
}

我想生成两种JSON文件:

  1. Vec<Post>的JSON索引,其中应包含除comments以外的所有字段。
  2. Post的JSON,其中包含所有字段。
  3. 是否可以使用Serialize derive属性实现此目的?我在Serde的文档中找到了skip_serializing_if属性,但据我所知,它对我没用,因为我想跳过不基于字段的值而是基于哪个JSON文件我正在生成。

    现在我使用json!宏生成索引,需要手动列出Post的所有字段,但我希望有更好的方法可以做此

1 个答案:

答案 0 :(得分:4)

  

我想生成两种JSON文件

我将其视为“2 类型的JSON文件”,因此我将其作为解决方案。我将创建自定义适合每个上下文的包装类型。这些可以引用原始类型以避免过多的内存开销:

#[derive(Serialize)]
struct LightweightPost<'a> {
    title: &'a String,
}

impl<'a> From<&'a Post> for LightweightPost<'a> {
    fn from(other: &'a Post) -> Self {
        LightweightPost {
            title: &other.title,
        }
    }
}

fn main() {
    let posts = vec![
        Post {
            title: "title".into(),
            comments: vec![Comment { body: "comment".into() }],
        },
    ];

    let listing: Vec<_> = posts.iter().map(LightweightPost::from).collect();

    println!("{}", serde_json::to_string(&listing).unwrap());
    // [{"title":"title"}]

    println!("{}", serde_json::to_string(&posts[0]).unwrap());
    // {"title":"title","comments":[{"body":"comment"}]}
}

playground

编辑,我发现使用roar gem在Ruby中编写Web应用程序时,这种类型的多类型结构非常有用。这些新类型允许场所挂起特定于某些上下文的行为,例如验证或持久性。