TimeZone自定义显示名称

时间:2012-06-06 11:12:11

标签: java timezone

我需要时区显示值如下:

(UTC + 05:30) Chennai, Kolkata, Mumbai, New Delhi

但是通过使用以下方法,我得到了不同的输出。我该如何获得上面的时区显示名称? (如果需要,我可以使用JODA)。

public class TimeZoneUtil {

    private static final String TIMEZONE_ID_PREFIXES =
            "^(Africa|America|Asia|Atlantic|Australia|Europe|Indian|Pacific)/.*";
    private static List<TimeZone> timeZones;

    public static List<TimeZone> getTimeZones() {
        if (timeZones == null) {
            timeZones = new ArrayList<TimeZone>();
            final String[] timeZoneIds = TimeZone.getAvailableIDs();
            for (final String id : timeZoneIds) {
                if (id.matches(TIMEZONE_ID_PREFIXES)) {
                    timeZones.add(TimeZone.getTimeZone(id));
                }
            }

            Collections.sort(timeZones, new Comparator<TimeZone>() {

                public int compare(final TimeZone t1, final TimeZone t2) {
                    return t1.getID().compareTo(t2.getID());
                }
            });
        }

        return timeZones;
    }

    public static String getName(TimeZone timeZone) {
        return timeZone.getID().replaceAll("_", " ") + " - " + timeZone.getDisplayName();
    }

    public static void main(String[] args) {
        timeZones = getTimeZones();
        for (TimeZone timeZone : timeZones) {
            System.out.println(getName(timeZone));
        }
    }
}

1 个答案:

答案 0 :(得分:3)

这段代码可能适合您:

public static void main(String[] args) {

    for (String timeZoneId: TimeZone.getAvailableIDs()) {
        TimeZone timeZone = TimeZone.getTimeZone(timeZoneId);

        // Filter out timezone IDs such as "GMT+3"; more thorough filtering is required though
        if (!timeZoneId.matches(".*/.*")) {
            continue;
        }

        String region = timeZoneId.replaceAll(".*/", "").replaceAll("_", " ");
        int hours = Math.abs(timeZone.getRawOffset()) / 3600000;
        int minutes = Math.abs(timeZone.getRawOffset() / 60000) % 60;
        String sign = timeZone.getRawOffset() >= 0 ? "+" : "-";

        String timeZonePretty = String.format("(UTC %s %02d:%02d) %s", sign, hours, minutes, region);
        System.out.println(timeZonePretty);
    }
}

输出如下:

  

(UTC + 09:00)东京

然而,有一些警告:

  • 我只过滤掉ID与“continent / region”格式匹配的时区(例如“America / New_York”)。你必须做一个更彻底的过滤过程来摆脱诸如(UTC - 08:00) GMT+8之类的输出。

  • 您应该阅读TimeZone.getRawOffSet()的文档并了解它正在做什么。例如,它不考虑DST效应。

  • 总的来说,你应该知道这是一个混乱的方法,主要是因为时区ID可以有很多不同的格式。也许您可以将自己限制在对您的应用程序而言重要的时区,并且只需将时区ID的键值映射到显示名称?