Get Daylight Saving Transition Dates For Time Zones in Java
我想知道在Java中最简单的方法是获取将来夏令时更改的日期列表。
这样做的一个相当不公平的方法是简单地迭代一堆多年的时间,针对TimeZone.inDaylightTime()测试它们。 这会有效,而且我并不担心效率,因为每次我的应用程序启动时都只需要运行,但我想知道是否有更简单的方法。
如果你想知道为什么我这样做,那是因为我有一个javascript应用程序需要处理包含UTC时间戳的第三方数据。 我想要一种可靠的方法在客户端从GMT转换到EST。 请参阅Javascript - Unix时间到特定时区我写了一些javascript,它会做,但我想从服务器获得精确的过渡日期。
由于
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 | import org.joda.time.*; import org.joda.time.format.*; public class Test { public static void main(String[] args) { DateTimeZone zone = DateTimeZone.forID("Europe/London"); DateTimeFormatter format = DateTimeFormat.mediumDateTime(); long current = System.currentTimeMillis(); for (int i=0; i < 100; i++) { long next = zone.nextTransition(current); if (current == next) { break; } System.out.println (format.print(next) +" Into DST?" + !zone.isStandardOffset(next)); current = next; } } } |
输出:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 | 25-Oct-2009 01:00:00 Into DST? false 28-Mar-2010 02:00:00 Into DST? true 31-Oct-2010 01:00:00 Into DST? false 27-Mar-2011 02:00:00 Into DST? true 30-Oct-2011 01:00:00 Into DST? false 25-Mar-2012 02:00:00 Into DST? true 28-Oct-2012 01:00:00 Into DST? false 31-Mar-2013 02:00:00 Into DST? true 27-Oct-2013 01:00:00 Into DST? false 30-Mar-2014 02:00:00 Into DST? true 26-Oct-2014 01:00:00 Into DST? false 29-Mar-2015 02:00:00 Into DST? true 25-Oct-2015 01:00:00 Into DST? false ... |
使用Java 8,您可以使用
java.time
现代答案使用java.time,即现代Java日期和时间API。
1 2 3 4 5 6 7 8 9 | ZoneId zone = ZoneId.of("Europe/London"); ZoneRules rules = zone.getRules(); ZonedDateTime now = ZonedDateTime.now(zone); ZoneOffsetTransition transition = rules.nextTransition(now.toInstant()); Instant max = now.plusYears(15).toInstant(); while (transition != null && transition.getInstant().isBefore(max)) { System.out.println(transition); transition = rules.nextTransition(transition.getInstant()); } |
输出,缩写:
1
2
3
4
5
6
7
8
9
10 Transition[Overlap at 2019-10-27T02:00+01:00 to Z]
Transition[Gap at 2020-03-29T01:00Z to +01:00]
Transition[Overlap at 2020-10-25T02:00+01:00 to Z]
Transition[Gap at 2021-03-28T01:00Z to +01:00]
Transition[Overlap at 2021-10-31T02:00+01:00 to Z]
Transition[Gap at 2022-03-27T01:00Z to +01:00]
Transition[Overlap at 2022-10-30T02:00+01:00 to Z]
(cut)
Transition[Overlap at 2033-10-30T02:00+01:00 to Z]
Transition[Gap at 2034-03-26T01:00Z to +01:00]
不过,我不会过分信任数据。 我不确定英国退欧后(以及欧盟可能在2021年放弃夏令时(DST)之后的英国时间会发生什么)。
链接:Oracle教程:日期时间,解释如何使用java.time。