如何最好地确定 java 中的日期格式是 MM/dd 还是 DD/mm

How to best determine whether the date format is MM/dd or DD/mm in java

我有文件列表,我需要使用 java 分析它们。日期字段从文件中读取为 String,我需要将其解析为 LocalDatTime。问题是现在知道日期的第一部分是月还是日。

其中的格式可以是任何格式,但很可能是以下格式。

"yyyy-MM-dd HH:mm:ss", "dd/MM/yyyy HH:mm","MM/dd/yyyy HH:mm", "yyyy-MM-dd HH:mm",
        "MM/dd/yy HH:mm"

例如

9/8/2020 23:50
9/8/2020 23:55
9/9/2020 00:00

在上述情况下,日期字段可以从日期从 9/8/2020 23:50 更改时猜测 9/9/2020 00:00。这意味着日期从 8 日更改为 9 日,因此格式为 MM/dd/yyyy HH:mm

9/8/2020 23:00
9/8/2020 23:50
10/8/2020 00:00

在上述情况下,日期字段可以从日期从 9/8/2020 23:55 更改时猜测 10/9/2020 00:00。这意味着日期从 9 日更改为 10 日,因此格式为 dd/MM/yyyy HH:mm

文件也可以是2020-09-08 23:00:00。我唯一知道的是系列中日期会变,而月份很少变。

解决这个问题的最佳方法是什么。

其中一个解决方案可能只是计算第一部分和第二部分的变化并比较结果。这不是特别有效,但非常简单:

// true - day/month/year
// false - month/day
public static boolean isDayMonthYearFormat(List<String> sortedDates) {
    int firstPartChangeAmount = 0;
    int secondPartChangeAmount = 0;
    int prvOne = -1;
    int prvTwo = -1;
    boolean count = false;

    for (String date : sortedDates) {
        String[] parts = date.split("[\/\s+:]");
        int one = Integer.parseInt(parts[0]);
        int two = Integer.parseInt(parts[1]);

        if (count) {
            firstPartChangeAmount += prvOne < one ? 1 : 0;
            secondPartChangeAmount += prvTwo < two ? 1 : 0;
        }

        count = true;
        prvOne = one;
        prvTwo = two;
    }

    if (firstPartChangeAmount == secondPartChangeAmount)
        throw new RuntimeException("can't detect between MM/dd and DD/mm");

    return firstPartChangeAmount > secondPartChangeAmount;
}

输出:

System.out.println(isDayMonthYearFormat(Arrays.asList("9/8/2020 23:50", "9/8/2020 23:55", "9/9/2020 00:00")));  // false
System.out.println(isDayMonthYearFormat(Arrays.asList("9/8/2020 23:00", "9/8/2020 23:50", "10/8/2020 00:00"))); // true