GSON - 日期格式

2022-08-31 06:14:50

我正在尝试在Gson输出中使用自定义日期格式,但似乎不起作用,并且与..setDateFormat(DateFormat.FULL).registerTypeAdapter(Date.class, new DateSerializer())

这就像Gson不关心对象“Date”并以它的方式打印它一样。

我该如何改变这一点?

谢谢

编辑:

@Entity
public class AdviceSheet {
  public Date lastModif;
[...]
}

public void method {
   Gson gson = new GsonBuilder().setDateFormat(DateFormat.LONG).create();
   System.out.println(gson.toJson(adviceSheet);
}

我总是使用; 不起作用:(java.util.DatesetDateFormat()


答案 1

似乎您需要为日期和时间部分定义格式或使用基于字符串的格式。例如:

Gson gson = new GsonBuilder()
   .setDateFormat("EEE, dd MMM yyyy HH:mm:ss zzz").create();

或使用java.text.DateFormat

Gson gson = new GsonBuilder()
   .setDateFormat(DateFormat.FULL, DateFormat.FULL).create();

或者使用序列化程序执行此操作:

我相信格式化程序不能生成时间戳,但是这个序列化程序/反序列化程序对似乎可以工作

JsonSerializer<Date> ser = new JsonSerializer<Date>() {
  @Override
  public JsonElement serialize(Date src, Type typeOfSrc, JsonSerializationContext 
             context) {
    return src == null ? null : new JsonPrimitive(src.getTime());
  }
};

JsonDeserializer<Date> deser = new JsonDeserializer<Date>() {
  @Override
  public Date deserialize(JsonElement json, Type typeOfT,
       JsonDeserializationContext context) throws JsonParseException {
    return json == null ? null : new Date(json.getAsLong());
  }
};

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

如果使用Java 8或更高版本,则应使用上述序列化程序/反序列化程序,如下所示:

JsonSerializer<Date> ser = (src, typeOfSrc, context) -> src == null ? null
            : new JsonPrimitive(src.getTime());

JsonDeserializer<Date> deser = (jSon, typeOfT, context) -> jSon == null ? null : new Date(jSon.getAsLong());

答案 2
Gson gson = new GsonBuilder().setDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSSZ").create();

上述格式对我来说似乎更好,因为它的精度高达毫。


推荐