如何处理 JSR 310 中的大写或小写?

2022-09-03 04:49:50

如果月份是大写或小写,即不是标题大小写,则 DateTimeFormatter 无法解析日期。有没有一种简单的方法可以将日期转换为标题大小写,或者有一种方法可以使格式化程序更加宽松?

for (String date : "15-JAN-12, 15-Jan-12, 15-jan-12, 15-01-12".split(", ")) {
    try {
        System.out.println(date + " => " + LocalDate.parse(date,
                                     DateTimeFormatter.ofPattern("yy-MMM-dd")));
    } catch (Exception e) {
        System.out.println(date + " => " + e);
    }
}

指纹

15-JAN-12 => java.time.format.DateTimeParseException: Text '15-JAN-12' could not be parsed at index 3
15-Jan-12 => 2015-01-12
15-01-12 => java.time.format.DateTimeParseException: Text '15-01-12' could not be parsed at index 3
15-jan-12 => java.time.format.DateTimeParseException: Text '15-jan-12' could not be parsed at index 3

答案 1

DateTimeFormatter默认情况下,s 是严格且区分大小写的。使用 和 指定 来解析不区分大小写。DateTimeFormatterBuilderparseCaseInsensitive()

DateTimeFormatter formatter = new DateTimeFormatterBuilder()
    .parseCaseInsensitive()
    .appendPattern("yy-MMM-dd")
    .toFormatter(Locale.US);

为了能够解析数字月份(即),您还需要指定 。"15-01-12"parseLenient()

DateTimeFormatter formatter = new DateTimeFormatterBuilder()
    .parseCaseInsensitive()
    .parseLenient()
    .appendPattern("yy-MMM-dd")
    .toFormatter(Locale.US);

您还可以更详细地仅将月份部分指定为不区分大小写/宽松:

DateTimeFormatter formatter = new DateTimeFormatterBuilder()
    .appendPattern("yy-")
    .parseCaseInsensitive()
    .parseLenient()
    .appendPattern("MMM")
    .parseStrict()
    .parseCaseSensitive()
    .appendPattern("-dd")
    .toFormatter(Locale.US);

从理论上讲,这可能更快,但我不确定它是否更快。

PS:如果您在年份部分之前指定,它还将正确解析4位数字年份(即)。parseLenient()"2015-JAN-12"


答案 2

推荐