JacksonObjectMapper
在 2.9.x 版本中将Date
和Timestamp
序列化为Long
,而 Date 在 2.6.x 版本中序列化为Formatted String
,Timestamp
在 **2.6.x* 版本中序列化为Long
。
例:
case class Test(date: java.sql.Date, tmp: java.sql.Timestamp)
val test = Test(new java.sql.Date(1588892400000L), new Timestamp(1588892400000L))
writeValueAsString(test)
{"date":"2020-05-08","tmp":1588892400000}//Version 2.6.x
{"date":1588892400000,"tmp":1588892400000}//Version 2.9.x
但是我想在2.6.x版本中保持2.9.x版本的行为。
我尝试了disable(SerializationFeature.WRITE_DATES_AS_TIMESTAMPS)
但随后它将Date
和TimeStamp
转换为Formatted String
(如下所示)。
{"date":"2020-05-08","tmp":"2020-05-07T23:00:00.000+0000"}
如果我设置日期格式化程序**,那么它会以相同的格式转换两者。
setDateFormat(new SimpleDateFormat("yyyy-MM-dd"))`
{"date":"2020-05-08","tmp":"2020-05-08"}
**我只是害怕它,但我不想设置 DateFormatter(即使它有效),因为它也将用于输入日期格式不同的反序列化。
有没有办法实现这一目标?
您可以对Date
成员使用这样的注释:
@JsonFormat(shape = JsonFormat.Shape.STRING, pattern = "dd-MM-yyyy hh:mm:ss")
编辑:
创建如下类:
public class CustomSerializer extends JsonSerializer<Date> {
@Override
public void serialize(Date value, JsonGenerator gen, SerializerProvider serializers) throws IOException {
try {
SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd");
String s = sdf.format(value);
gen.writeString(s);
} catch (DateTimeParseException e) {
System.err.println(e);
gen.writeString("");
}
}
}
并像这样使用:
ObjectMapper mapper = new ObjectMapper();
SimpleModule module = new SimpleModule();
module.addSerializer(Date.class, new CustomSerializer());
mapper.registerModule(module);