我正在尝试从字符串中解析日期。
我想确定由于夏令时而导致时钟倒退并且在同一天有效地“重复”时间的情况。
例如,根据英国夏时制,时钟将在2019年10月27日凌晨2点返回一小时。
因此:
因此,“ 1:30 AM 27/10/2019”是指两个不同的时间。我正试图找出这种情况。
我创建了以下内容,但是它使用了Date
和Calendar
类以及一些不推荐使用的方法。我想使用新的java.time
功能来做到这一点-我希望有一个更简单的解决方案。
public static boolean isDateRepeatedDST(final Date date, TimeZone timeZone) {
if (timeZone == null) {
// If not specified, use system default
timeZone = TimeZone.getDefault();
}
if (timeZone.useDaylightTime()) {
// Initially, add the DST offset to supplied date
// Handling the case where this is the first occurrence
Calendar calendar = Calendar.getInstance();
calendar.setTime(date);
calendar.add(Calendar.MILLISECOND, timeZone.getDSTSavings());
// And determine if they are now logically equivalent
if (date.toLocaleString().equals(calendar.getTime().toLocaleString())) {
return true;
} else {
// Then try subtracting the DST offset
// Handling the second occurrence
calendar = Calendar.getInstance();
calendar.setTime(date);
calendar.add(Calendar.MILLISECOND, -timeZone.getDSTSavings());
if (date.toLocaleString().equals(calendar.getTime().toLocaleString())) {
return true;
}
}
}
// Otherwise
return false;
}
答案 0 :(得分:2)
ZoneId zone = ZoneId.of("Europe/London");
ZonedDateTime dateTime = ZonedDateTime.of(2019, 10, 27, 0, 30, 0, 0, zone);
for (int i = 0; i < 4; i++) {
System.out.println(dateTime);
dateTime = dateTime.plusHours(1);
}
输出:
2019-10-27T00:30+01:00[Europe/London] 2019-10-27T01:30+01:00[Europe/London] 2019-10-27T01:30Z[Europe/London] 2019-10-27T02:30Z[Europe/London]
您会看到重复了01:30的时间,并且两次偏移不同。
如果要测试是否重复一次:
public static boolean isDateRepeatedDST(ZonedDateTime dateTime) {
return ! dateTime.withEarlierOffsetAtOverlap().equals(dateTime.withLaterOffsetAtOverlap());
}
如果我们修改打印语句,可以在上面的循环中使用它:
System.out.format("%-37s %s%n", dateTime, isDateRepeatedDST(dateTime));
2019-10-27T00:30+01:00[Europe/London] false 2019-10-27T01:30+01:00[Europe/London] true 2019-10-27T01:30Z[Europe/London] true 2019-10-27T02:30Z[Europe/London] false