如何从ZonedDateTime转换为Joda DateTime

2022-09-04 06:30:32

我已经切换到了三ten的日期时间,但我仍然有一个第三方工具,它使用joda将带有时区的时间戳写入数据库,我需要从一个转换为另一个。最好的方法是什么?作为一种解决方法,我尝试了DateTime.parse(zdt.toString),但它失败了,因为joda不喜欢区域格式

格式无效:“2015-01-25T23:35:07.684Z[欧洲/伦敦]”在“[欧洲/伦敦]”格式不正确


答案 1

请注意,使用DateTimeZone.forID(...)是不安全的,这可能会引发DateTimeParseException,因为通常ZoneOffset.UTC有一个ID“Z”,DateTimeZone无法识别。

为了将ZonedDateTime转换为DateTime,我建议的是:

return new DateTime(
    zonedDateTime.toInstant().toEpochMilli(),
    DateTimeZone.forTimeZone(TimeZone.getTimeZone(zonedDateTime.getZone())));

答案 2
ZonedDateTime zdt = 
  ZonedDateTime.of(
    2015, 1, 25, 23, 35, 7, 684000000, 
    ZoneId.of("Europe/London"));

System.out.println(zdt); // 2015-01-25T23:35:07.684Z[Europe/London]
System.out.println(zdt.getZone().getId()); // Europe/London
System.out.println(zdt.toInstant().toEpochMilli()); // 1422228907684

DateTimeZone london = DateTimeZone.forID(zdt.getZone().getId());
DateTime dt = new DateTime(zdt.toInstant().toEpochMilli(), london);
System.out.println(dt); // 2015-01-25T23:35:07.684Z

如果区域 ID 转换可能因任何不受支持的或无法识别的 ID 而崩溃,我建议

  • 捕获并记录它,
  • 做 tz 存储库的更新(对于 Joda:更新到最新版本,对于 JDK:使用 tz-updater-tool)

这通常是比默默地回退到任何任意tz偏移(如UTC)更好的策略。


推荐