我有一个表示日期(有或没有时间)的字符串,如13/12/2017
或13/12/2017 15:39:51
所以我正在尝试将java 8 DateTimeFormatter与可选部分一起使用。
该代码有效
LocalDateTime localDateTime = LocalDateTime.parse("13/12/2017 15:39:51",DateTimeFormatter.ofPattern("dd/MM/yyyy[ HH:mm:ss]"));
System.out.println(localDateTime.format(DateTimeFormatter.ofPattern("dd/MM/yyyy")));
System.out.println(localDateTime.format(DateTimeFormatter.ofPattern("HH:mm:ss")));
13/12/2017
15:39:51
但我不明白为什么那个不
LocalDateTime localDateTime = LocalDateTime.parse("13/12/2017",DateTimeFormatter.ofPattern("dd/MM/yyyy[ HH:mm:ss]"));
给我
Exception in thread "main" java.time.format.DateTimeParseException: Text '13/12/2017' could not be parsed: Unable to obtain LocalDateTime from TemporalAccessor: {},ISO resolved to 2017-12-13 of type java.time.format.Parsed
at java.time.format.DateTimeFormatter.createError(DateTimeFormatter.java:1920)
at java.time.format.DateTimeFormatter.parse(DateTimeFormatter.java:1855)
at java.time.LocalDateTime.parse(LocalDateTime.java:492)
...
即使有了
LocalDateTime localDateTime = LocalDateTime.parse("13/12/2017",DateTimeFormatter.ofPattern("dd/MM/yyyy"));
它不能用于相同的例外。
答案 0 :(得分:12)
parseBest
使用可选组件时,应使用parseBest
进行解析。您的应用程序可能仅使用parse
,但之后只能运气(因为您只解析完整输入,而不是部分输入)。使用parseBest
,您可以正确处理各种TemporalAccessor
,这是使用可选项的全部原因。
返回TemporalAccessor
的决定相当简单:parseBest
将尝试按参数顺序匹配每个TemporalQuery
。当任何匹配时,该方法返回该匹配。因此,请确保从最精确到最精确。此外,如果没有匹配,则会抛出异常。
LocalDateTime dateTime;
DateTimeFormatter formatter = DateTimeFormatter.ofPattern("dd/MM/yyyy[ HH:mm:ss]");
TemporalAccessor temporalAccessor = formatter.parseBest("13/12/2017", LocalDateTime::from, LocalDate::from);
if (temporalAccessor instanceof LocalDateTime) {
dateTime = (LocalDateTime)temporalAccessor;
} else {
dateTime = ((LocalDate)temporalAccessor).atStartOfDay();
}