我的应用程序应该能够解析日期而忽略时区(我总是确定它是 UTC)。问题是日期可能有以下两种形式 -
2017-09-11T12:44:07.793Z0001-01-01T00:00:00
我可以使用 LocalDateTime 解析第一个,使用 Instant 类解析第二个。有没有办法使用单一机制来做到这一点?

P.S.我试图避免在输入字符串的末尾硬编码 Z

最佳答案

如果 Z 偏移量是可选的,您可以使用带有可选部分的 java.time.format.DateTimeFormatterBuilder:

DateTimeFormatter fmt = new DateTimeFormatterBuilder()
    // date/time
    .append(DateTimeFormatter.ISO_LOCAL_DATE_TIME)
    // optional offset
    .optionalStart().appendOffsetId()
    // create formatter
    .toFormatter();

然后,您可以使用 parseBest 方法,以及尝试创建对应对象的 TemporalQuery 列表。然后检查返回类型并采取相应措施:
Instant instant = null;
// tries to create Instant, and if it fails, try a LocalDateTime
TemporalAccessor parsed = fmt.parseBest("2017-09-11T12:44:07.793Z", Instant::from, LocalDateTime::from);
if (parsed instanceof Instant) {
    instant = (Instant) parsed;
} else if (parsed instanceof LocalDateTime) {
    // convert LocalDateTime to UTC instant
    instant = ((LocalDateTime) parsed).atOffset(ZoneOffset.UTC).toInstant();
}
System.out.println(instant); // 2017-09-11T12:44:07.793Z

使用第二个输入 ( 0001-01-01T00:00:00 ) 运行会生成与 Instant 等效的 0001-01-01T00:00:00Z

在上面的例子中,我只使用了 Instant::fromLocalDateTime::from ,所以格式化程序首先尝试创建一个 Instant 。如果不可能,那么它会尝试创建一个 LocalDateTime 。您可以向该列表添加任意数量的类型(例如,我可以添加 ZonedDateTime::from ,如果创建了 ZonedDateTime ,我可以使用 Instant 方法转换为 toInstant() )。

正如您确定输入始终采用 UTC,您也可以直接在格式化程序中进行设置:
DateTimeFormatter fmt = new DateTimeFormatterBuilder()
    // date/time
    .append(DateTimeFormatter.ISO_LOCAL_DATE_TIME)
    // optional offset
    .optionalStart().appendOffsetId()
    // create formatter with UTC
    .toFormatter().withZone(ZoneOffset.UTC);

所以你可以直接将其解析为 Instant :
System.out.println(Instant.from(fmt.parse("2017-09-11T12:44:07.793Z"))); // 2017-09-11T12:44:07.793Z
System.out.println(Instant.from(fmt.parse("0001-01-01T00:00:00"))); // 0001-01-01T00:00:00Z

10-07 16:01
查看更多