简体   繁体   English

带有Collection字段的对象的GSON自定义序列化程序

[英]GSON custom serializer for an object with a Collection field

I have the following schema: 我有以下架构:

public class Student {
    String name;
    List<Integer> sequence;
}

I need the Json of my Student object to be 我需要我的Student对象的Json

{
    name : "Bruce"
    sequence : {
         index_0 : 5
         index_1 : 2
         index_2 : 7
         index_3 : 8
    }
}

The documentation doesn't clearly say how to write a serializer for collections. 该文档没有明确说明如何为集合编写序列化程序。

You could create a TypeAdapter , something like: 您可以创建一个TypeAdapter ,例如:

public static class StudentAdapter extends TypeAdapter<Student> {
    public void write(JsonWriter writer, Student student)
            throws IOException {
        if (student == null) {
            writer.nullValue();
            return;
        }
        writer.beginObject();

        writer.name("name");
        writer.value(student.name);

        writer.name("sequence");
        writeSequence(writer, student.sequence);

        writer.endObject();
    }

    private void writeSequence(JsonWriter writer, List<Integer> seq)
            throws IOException {
        writer.beginObject();
        for (int i = 0; i < seq.size(); i++) {
            writer.name("index_" + i);
            writer.value(seq.get(i));
        }
        writer.endObject();
    }

    @Override
    public Student read(JsonReader in) throws IOException {
        // This is left blank as an exercise for the reader
        return null;
    }
}

And then register it with 然后注册它

GsonBuilder b = new GsonBuilder();
b.registerTypeAdapter(Student.class, new StudentAdapter());
Gson g = b.create();

If you run this with an example student: 如果您使用示例学生运行此操作:

Student s = new Student();
s.name = "John Smith";
s.sequence = ImmutableList.of(1,3,4,7); // This is a guava method
System.out.println(g.toJson(s));

Output: 输出:

{"name":"John Smith","sequence":{"index_0":1,"index_1":3,"index_2":4,"index_3":7}}

GSON supports a custom FieldNamingStrategy : GSON支持自定义FieldNamingStrategy

new GsonBuilder().setFieldNamingStrategy(new FieldNamingStrategy() {
    @Override
    public String translateName(java.lang.reflect.Field f) {
        // return a custom field name
    }
});

But this obviously does not cover your case, an easy workaround i can think of would be to make your sequence list transient and have an actual sequence map with the corrected data for GSON: 但这显然不能涵盖您的情况,我可以想到的一个简单的解决方法是使您的sequence列表transient并且具有包含GSON的更正数据的实际序列图:

public class Student {
    String name;
    transient List<Integer> sequenceInternal;
    Map<String, Integer> sequence;
}

and whenever a change occurs on your sequenceInternal object, write the changes through to the sequence map. 每当您的sequenceInternal对象发生更改时,请将更改写入序列图。

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM