ZoneOffset的ID无效

问题描述 投票:3回答:3

我试图从java.sql.timestamp转换为OffsetDateTime,以便我可以在我的休息api中返回ISO8601标准字符串。我使用此代码从timestamp转换为OffsetDateTime

public static OffsetDateTime sqlTimetampeToOffsetDateTime(Timestamp ts, String timeZone)
{
    if (ts == null)
    {
        return null;
    }

    Calendar cal = Calendar.getInstance();
    cal.setTime(ts);
    ZoneOffset offset = ZoneOffset.of(timeZone);
    return OffsetDateTime.of(
            cal.get(Calendar.YEAR),
            cal.get(Calendar.MONTH)+1,
            cal.get(Calendar.DAY_OF_MONTH),
            cal.get(Calendar.HOUR_OF_DAY),
            cal.get(Calendar.MINUTE),
            cal.get(Calendar.SECOND),
            cal.get(Calendar.MILLISECOND)*1000000,
            offset);
}

但是,代码在ZoneOffset offset = ZoneOffset.of(timezone)Europe/Copenhagen值失败。

我使用以下代码打印所有时区的列表,我确实在该列表中看到Europe/Copenhagen

    Set<String> allZones = ZoneId.getAvailableZoneIds();
    LocalDateTime dt = LocalDateTime.now();

    List<String> zoneList = new ArrayList<String>(allZones);
    Collections.sort(zoneList);

    for (String s : zoneList) {
        ZoneId zone = ZoneId.of(s);
        ZonedDateTime zdt = dt.atZone(zone);
        ZoneOffset offset = zdt.getOffset();
        int secondsOfHour = offset.getTotalSeconds() % (60 * 60);
        String out = String.format("%35s %10s%n", zone, offset);
        System.out.printf(out);
    }

现在我不明白发生了什么。如何将java.sql.timestamp转换为ISO8601字符串(我不在乎我是否必须使用OffsetDateTime。我宁愿不使用任何第三方库

http://pastebin.com/eHJKWpAv

mysql date java-8 timestamp datetimeoffset
3个回答
3
投票

ZoneOffset仅在处理特定时间点时才有意义。在欧洲/伦敦,我们目前使用BST或GMT,具体取决于一年中的时间。然而,100年前(给予或接受),欧洲/伦敦没有BST。 ZoneOffset.of()仅从内部缓存中检索区域偏移,该缓存仅在调用ZoneOffset.ofTotalSeconds()时填充。记录很少。但是,存在一个简单的解决方案

ZoneId.of("Europe/London").getRules().getOffset(Instant.now());

现在返回欧洲/伦敦的正确ZoneOffset(例如今天)


1
投票

如果您有ZoneId,使用Instant类执行此操作非常简单:

Timestamp t = new Timestamp(System.currentTimeMillis());

ZoneId zone = ZoneId.of("Europe/Copenhagen");

OffsetDateTime offsetDateTime = ZonedDateTime
    .ofInstant(Instant.ofEpochMilli(t.getTime()), zone)
    .toOffsetDateTime();

-1
投票

我确实设法转换它但我不确定这是否是正确的方法。这是我正在寻找答案的其他人的代码

public static OffsetDateTime sqlTimetampeToOffsetDateTime(Timestamp ts, String timeZone)
{
    if (ts == null)
    {
        return null;
    }

    ZoneId zoneId = ZoneId.of(timeZone);

    Calendar cal = Calendar.getInstance();
    cal.setTime(ts);
    ZonedDateTime zdt = ZonedDateTime.of(
            cal.get(Calendar.YEAR),
            cal.get(Calendar.MONTH) + 1,
            cal.get(Calendar.DAY_OF_MONTH),
            cal.get(Calendar.HOUR_OF_DAY),
            cal.get(Calendar.MINUTE),
            cal.get(Calendar.SECOND),
            cal.get(Calendar.MILLISECOND) * 1000000,
            zoneId);
    return zdt.toOffsetDateTime();
}

哪里timeZoneEurope/Copenhagen的形式...你可以在问题中发布的我的pastebin网址中看到Java8支持的完整列表

© www.soinside.com 2019 - 2024. All rights reserved.