0

字符串采用这种格式 - “2021-07-13 05:22:18.712”

我尝试使用此代码来解析它。 OffsetDateTime parsedDateTime = OffsetDateTime.parse("2021-07-13 05:22:18.712");

但我不断收到此错误 - org.threeten.bp.format.DateTimeParseException: Text '2021-07-13 05:22:18.712' could not be parsed at index 10.

我如何使它工作?任何建议都会有所帮助。谢谢

4

2 回答 2

3

您需要确定时区(或至少确定偏移量,但时区通常是正确的方法)。然后你需要使用一个格式化程序来定义你试图解析的格式:

private static final DateTimeFormatter FORMATTER = new DateTimeFormatterBuilder()
        .append(DateTimeFormatter.ISO_LOCAL_DATE)
        .appendLiteral(' ')
        .append(DateTimeFormatter.ISO_LOCAL_TIME)
        .toFormatter(Locale.ROOT);

使用此格式化程序,这是一个非常简单的操作:

    ZoneId zone = ZoneId.of("Asia/Kolkata");
    String input = "2021-07-13 05:22:18.712";
    
    OffsetDateTime dateTime = LocalDateTime.parse(input, FORMATTER)
            .atZone(zone)
            .toOffsetDateTime();
    
    System.out.println(dateTime);

示例代码段的输出是:

2021-07-13T05:22:18.712+05:30

由于@Sweeper 在评论中指出,您的字符串不包含 UTC 偏移量或时区,因此将其解析为LocalDateTime第一个。在Local一些 java.time 类名中意味着没有时区或 UTC 偏移量。然后在预期的时区转换为 aZonedDateTime并进一步转换为所需的类型,OffsetDateTime.

如果要使用 JVM 的默认时区,请设置zoneZoneId.systemDefault(). 请注意,默认时区可能随时从您程序的另一部分或在同一 JVM 中运行的另一个程序更改,因此这是脆弱的。

可能的捷径

我的格式化程序很罗嗦,因为我想尽可能多地重用内置格式化程序。如果您不介意从模式中手动构建格式化程序,您可以使用:

private static final DateTimeFormatter FORMATTER
        = DateTimeFormatter.ofPattern("uuuu-MM-dd HH:mm:ss.SSS", Locale.ROOT);

或者更短,您可以手动将字符串中的空格替换为 aT以获得 ISO 8601 格式,然后解析为 aLocalDateTime而无需指定任何格式化程序。

你的代码出了什么问题?

您收到的异常消息试图提供帮助:

但我不断收到此错误 - org.threeten.bp.format.DateTimeParseException: Text '2021-07-13 05:22:18.712' could not be parsed at index 10.

字符串中的索引 10 是日期和时间之间的空格。one-argOffsetDateTime.parse方法需要 ISO 8601 格式,例如2021-07-13T05:22:18.712+05:30,所以用 aT表示时间部分的开始,最后用 UTC 偏移量。没有T导致你的异常。如果您解决了这个问题,由于缺少 UTC 偏移量,您会遇到另一个异常。

维基百科文章:ISO 8601

于 2021-07-13T06:31:55.137 回答
2

您首先需要检查文件

它表示解析需要使用日期格式,例如 2007-12-03 T 10:15:30 +01:00

您的日期缺少“T”、“2021-07-13 05:22:18.712”。因此它并不顺利,从索引 0 算起,它的字符在 10。

如果你需要解析2021-07-13T05:22:18.712,你仍然会得到错误。无法在索引 23 处解析错误文本“2021-07-13T05:22:18.712”。这是毫秒的问题。

所以要进行一个大回合:

//Format to date
SimpleDateFormat simpleDateFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS"); 
//Format to new string
SimpleDateFormat formatter = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ssX"); 
java.util.Date date1=simpleDateFormat.parse("2021-07-13 05:22:18.712");
String newDate = formatter.format(date1);

//finally.    
OffsetDateTime parsedDateTime = OffsetDateTime.parse(newDate);
于 2021-07-13T06:33:42.027 回答