如何使用 jackson 解析具有可变数量的秒分数的 RFC3339 时间戳
How to use jackson to parse RFC3339 timestamp with variable number of second fractions
我正在尝试使用 Jackson 在 JSON 字符串中解析 RFC3339 格式的时间戳。如何在秒后允许可变的小数位数?
对于 JSON 文件
{
"timestamp": "2019-07-02T13:00:34.836+02:00"
}
我用 class
反序列化了它
public abstract class Attribute {
@JsonFormat(shape = JsonFormat.Shape.STRING, pattern = "yyyy-MM-dd'T'HH:mm:ss.SSSXXX")
public Date timestamp;
}
和带有 JavaTimeModule 的 ObjectMapper
:
ObjectMapper mapper = new ObjectMapper().registerModule(new JavaTimeModule());
mapper.readValue(jsonFile, Attribute.class);
这很好用。但是,它也应该适用于 "timestamp": "2019-07-02T13:00:34+02:00"
和 "timestamp": "2019-07-02T13:00:34.090909090+02:00"
。我发现 展示了如何使用 DateTimeFormatter
解析此类字符串,但据我所知,@JsonFormat
仅采用 SimpleDateFormat
字符串,不支持第二位小数的可变数量。
一起删除 pattern
-属性,因此注释变为
@JsonFormat(shape = JsonFormat.Shape.STRING)
允许我解析传入日期,但也接受非 RFC3339 时间戳,如 1990-01-01T12:53:01-0110
(时区中缺少冒号)。
一旦JavaTimeModule
is registered in your ObjectMapper
, simply use OffsetDateTime
instead of Date
. There's no need for @JsonFormat
.
参见下面的示例:
@Data
public class Foo {
private OffsetDateTime timestamp;
}
String json =
"{\n" +
" \"timestamp\": \"2019-07-02T13:00:34.090909090+02:00\"\n" +
"}\n";
ObjectMapper mapper = new ObjectMapper();
mapper.registerModule(new JavaTimeModule());
Foo foo = mapper.readValue(json, Foo.class);
我正在尝试使用 Jackson 在 JSON 字符串中解析 RFC3339 格式的时间戳。如何在秒后允许可变的小数位数?
对于 JSON 文件
{
"timestamp": "2019-07-02T13:00:34.836+02:00"
}
我用 class
反序列化了它public abstract class Attribute {
@JsonFormat(shape = JsonFormat.Shape.STRING, pattern = "yyyy-MM-dd'T'HH:mm:ss.SSSXXX")
public Date timestamp;
}
和带有 JavaTimeModule 的 ObjectMapper
:
ObjectMapper mapper = new ObjectMapper().registerModule(new JavaTimeModule());
mapper.readValue(jsonFile, Attribute.class);
这很好用。但是,它也应该适用于 "timestamp": "2019-07-02T13:00:34+02:00"
和 "timestamp": "2019-07-02T13:00:34.090909090+02:00"
。我发现 DateTimeFormatter
解析此类字符串,但据我所知,@JsonFormat
仅采用 SimpleDateFormat
字符串,不支持第二位小数的可变数量。
一起删除 pattern
-属性,因此注释变为
@JsonFormat(shape = JsonFormat.Shape.STRING)
允许我解析传入日期,但也接受非 RFC3339 时间戳,如 1990-01-01T12:53:01-0110
(时区中缺少冒号)。
一旦JavaTimeModule
is registered in your ObjectMapper
, simply use OffsetDateTime
instead of Date
. There's no need for @JsonFormat
.
参见下面的示例:
@Data
public class Foo {
private OffsetDateTime timestamp;
}
String json =
"{\n" +
" \"timestamp\": \"2019-07-02T13:00:34.090909090+02:00\"\n" +
"}\n";
ObjectMapper mapper = new ObjectMapper();
mapper.registerModule(new JavaTimeModule());
Foo foo = mapper.readValue(json, Foo.class);