将 SimpleDateFormat 转换为 DateTimeFormatter

因此,当尝试使用SimpleDateFormat和Date替换一些遗留代码时,使用java.time.DateTimeFormatter和LocalDate时,我遇到了一个问题。这两种日期格式不等效。在这一点上,我必须说我知道两种日期类型不一样,但我所处的场景意味着我从不关心时间方面,所以可以忽略它。

public Date getDate(String value) {
    SimpleDateFormat dateFormat = new SimpleDateFormat("dd/MM/yyyy");
    try {
        return dateFormat.parse(value);
    } catch (ParseException e) {
        return null;
    }
}

public LocalDate getLocalDate(String value) {
    DateTimeFormatter formatter = DateTimeFormatter.ofPattern("dd/MM/yyyy");
    try {
        return LocalDate.parse(value, formatter);
    } catch (DateTimeParseException e) {
        return null;
    }
}

public void testDates() {
    getDate("03/07/2016");               // Sun Jul 03 00:00:00 BST 2016
    getDate("3/7/2016");                 // Sun Jul 03 00:00:00 BST 2016
    getDate("3/7/2016 00:00:00");        // Sun Jul 03 00:00:00 BST 2016
    getDate("3/7/2016 00:00:00.0+0100"); // Sun Jul 03 00:00:00 BST 2016
    getDate("3/7/2016T00:00:00.0+0100"); // Sun Jul 03 00:00:00 BST 2016

    getLocalDate("03/07/2016");               // 2016-07-03
    getLocalDate("3/7/2016");                 // null
    getLocalDate("3/7/2016 00:00:00");        // null
    getLocalDate("3/7/2016 00:00:00.0+0100"); // null
    getLocalDate("3/7/2016T00:00:00.0+0100"); // null
}

正如您所看到的,当在两个格式化程序中使用相同的模式时,DateTimeFormatter最终会产生空值,您希望看到与SDF等效的日期。在这种情况下,我希望删除不需要的数据,但事实并非如此。

那么,我们如何创建一个强大的日期/时间解析器?!


答案 1

因此,可能还有其他答案,但我提出的答案迎合了我遇到的最极端的情况。首先,我将 dd/MM 降低为 d/M。这表示最小数量的预期字符,因此可以完全解析两位数。请注意,您也可以使用新的DateTimeFormatterBuilder().parseLenient(),但这似乎没有必要。

其次,我决定在格式模式本身中使用可选子句。这允许您指定哪些部分可能未提供,这正是我试图解决的情况。

留给我们:

DateTimeFormatter.ofPattern("d/M/yyyy[' ']['T'][H:mm[:ss[.S]]][X]");

现在,这将处理提供带或不带时间的日期,包括 T 分隔符、秒、毫点数和区域偏移量。

运气好的话,这可以帮助别人!

private DateTimeFormatter formatter = DateTimeFormatter.ofPattern("d/M/yyyy[' ']['T'][H:mm[:ss[.S]]][X]");

public LocalDate getRobustLocalDate(String value) {
    try {
        return LocalDate.parse(value, formatter);
    } catch (DateTimeParseException e) {
        return null;
    }
}

@Test
public void testDates() {
    getRobustLocalDate("03/07/2016");               // 2016-07-03
    getRobustLocalDate("3/7/2016");                 // 2016-07-03
    getRobustLocalDate("3/7/2016 00:00:00");        // 2016-07-03
    getRobustLocalDate("3/7/2016 00:00:00.0+0100"); // 2016-07-03
    getRobustLocalDate("3/7/2016T00:00:00.0+0100"); // 2016-07-03
}

答案 2