将JSON反序列化为瞬态字段

时间:2017-05-10 13:07:06

标签: java json serialization gson transient

我有一个包含这些字段的课程:

private transient List<Peer> peers;
private final String name;
private final int points;
private final int size;

使用Gson我想反序列化此JSON字符串请求:

{
    "name": "game1",
    "points": "11",
    "size": "10",
    "peers": [
        {
            "address": "localhost",
            "port": 1234,
            "fullAddress": "localhost:1234"
        }
    ]
}

我的问题是Peer对象没有被反序列化到peers列表中,除非我没有将该字段声明为 transient

Gson是否有办法仅在序列化过程中产生一些场瞬态,而不是在反序列化期间?

1 个答案:

答案 0 :(得分:2)

您有两种选择。

excludeFieldsWithoutExposeAnnotation()

Gson提供符合确切目的的@Expose。这里唯一需要注意的是你必须注释每个字段:

private static final Gson gson = new GsonBuilder()
        .excludeFieldsWithoutExposeAnnotation()
        .create();
@Expose(serialize = false) final List<Peer> peers;
@Expose final String name;
@Expose final int points;
@Expose final int size;

addSerializationExclusionStrategy(...)

说,你可以很容易地介绍这样的东西:

@Target(FIELD)
@Retention(RUNTIME)
@interface ReadOnly {
}

现在,一旦声明了这个,你就可以向Gson实例注册一个策略:

private static final Gson gson = new GsonBuilder()
        .addSerializationExclusionStrategy(new ExclusionStrategy() {
            @Override
            public boolean shouldSkipField(final FieldAttributes f) {
                return f.getAnnotation(ReadOnly.class) != null;
            }

            @Override
            public boolean shouldSkipClass(final Class<?> clazz) {
                return false;
            }
        })
        .create();
@ReadOnly final List<Peer> peers;
final String name;
final int points;
final int size;

您可以轻松地使用@Expose作为选项#2,只需在策略中使用f.getAnnotation(Expose.class) != null && !f.getAnnotation(Expose.class).serialize()处理它,但我发现@ReadOnly更方便。

对于这两个选项,以下代码

public static void main(final String... args)
        throws IOException {
    try ( final JsonReader jsonReader = getPackageResourceJsonReader(Q43893428.class, "foo.json") ) {
        final Foo foo = gson.fromJson(jsonReader, Foo.class);
        for ( final Peer peer : foo.peers ) {
            System.out.println(peer.fullAddress);
        }
        System.out.println(gson.toJson(foo));
    }
}

产生以下结果:

  

本地主机:1234
  {“name”:“game1”,“points”:11,“size”:10}