如何使用gson将Date序列化为long?

时间:2017-02-01 11:50:26

标签: java json date jackson gson

我最近将部分序列化从Jackson切换为Gson。发现杰克逊将日期序列化为多头。

但是,Gson默认将日期序列化为字符串。

使用Gson时,如何将日期序列化为多头?感谢。

2 个答案:

答案 0 :(得分:18)

第一种类型的适配器执行反序列化,第二种类型适配器执行序列化。

Gson gson = new GsonBuilder()
        .registerTypeAdapter(Date.class, (JsonDeserializer<Date>) (json, typeOfT, context) -> new Date(json.getAsJsonPrimitive().getAsLong()))
        .registerTypeAdapter(Date.class, (JsonSerializer<Date>) (date, type, jsonSerializationContext) -> new JsonPrimitive(date.getTime()))
        .create();

用法:

String jsonString = gson.toJson(objectWithDate1);
ClassWithDate objectWithDate2 = gson.fromJson(jsonString, ClassWithDate.class);
assert objectWithDate1.equals(objectWithDate2);

答案 1 :(得分:7)

您可以使用一种类型适配器执行两个方向:

public class DateLongFormatTypeAdapter extends TypeAdapter<Date> {

    @Override
    public void write(JsonWriter out, Date value) throws IOException {
        out.value(value.getTime());
    }

    @Override
    public Date read(JsonReader in) throws IOException {
        return new Date(in.nextLong());
    }

}

Gson建设者:

Gson gson = new GsonBuilder()
        .registerTypeAdapter(Date.class, new DateLongFormatTypeAdapter())
        .create();