获取java中时区的夏时制转换日期

2ekbmq32  于 2021-07-03  发布在  Java
关注(0)|答案(2)|浏览(361)

我想知道最简单的方法,在java中,获取未来夏时制将发生变化的日期列表。
一种相当不合法的方法是简单地迭代几年的时间,对照timezone.indaylighttime()测试它们。这将工作,我不担心效率,因为这将只需要运行每次我的应用程序启动,但我想知道是否有一个更简单的方法。
如果你想知道我为什么这么做,那是因为我有一个javascript应用程序,它需要处理包含utc时间戳的第三方数据。我想要一个可靠的方式来翻译从格林威治标准时间到东部时间在客户端。请参阅javascript—unix时间到特定时区我已经编写了一些javascript,可以做到这一点,但我希望从服务器获得精确的转换日期。

ws51t4hk

ws51t4hk1#

joda time(一如既往)由于 DateTimeZone.nextTransition 方法。例如:

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;
        }
    }
}

输出:

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
...

使用Java8,您可以使用 ZoneRules 用它的 nextTransition 以及 previousTransition 方法。

7uzetpgm

7uzetpgm2#

java.time文件

现代答案使用java.time,即现代java日期和时间api。

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());
    }

输出,缩写:

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))的时间会发生什么。
link:oracle tutorial:date time解释如何使用java.time。

相关问题