Java:解析日期字符串,时区缩写为Date对象

问题描述 投票:1回答:2

我需要将带有时区的日期字符串解析为Date对象。输入日期字符串模式为:

"MM/dd/yyyy hh:mm a z"  (eg: 04/30/2018 06:00 PM IST).

我使用下面给出的代码。但它返回错误的日期作为输出。

new SimpleDateFormat("MM/dd/yyyy hh:mm a z").parse("04/30/2018 06:00 PM IST")

当前输出:"Mon Apr 30 09:00:00 PDT 2018"。预期产出:"Mon Apr 30 05:30:00 PDT 2018

java date timezone simpledateformat datetime-parsing
2个回答
5
投票

那是因为timezone's abbreviations such as IST are ambiguous。 IST在India, Israel and Ireland中使用,而SimpleDateFormat假定其中一些是默认的,以晦涩和无证的方式(AFAIK)。实际上,according to javadoc:“缩写的支持仅适用于JDK 1.1.x兼容性,应使用全名”。

使其工作的一种方法是任意选择时区并在格式化程序中设置它:

SimpleDateFormat sdf = new SimpleDateFormat("MM/dd/yyyy hh:mm a z");
sdf.setTimeZone(TimeZone.getTimeZone("Asia/Kolkata"));
Date date = sdf.parse("04/30/2018 06:00 PM IST");

始终使用Continent / Region格式的名称,例如Asia/Kolkata。这些名字是IANA's timezones names,它们并不含糊,所以这使事情有效。

java.time API

如果您使用的是Java 8或更高版本,请切换到java.time API,这要好得多。对于Java 7或更低版​​本,Threeten Backport具有相同的类和功能。

在此API中,您必须设置所有首选时区的列表,以便在IST等名称模糊时使用:

// prefered zones
Set<ZoneId> preferredZones = new HashSet<>();
preferredZones.add(ZoneId.of("Asia/Kolkata"));

DateTimeFormatter fmt = new DateTimeFormatterBuilder()
    // date and time
    .appendPattern("MM/dd/yyyy hh:mm a ")
    // zone (use set of prefered zones)
    .appendZoneText(TextStyle.SHORT, preferredZones)
    // use English, because different locales can affect timezones names
    .toFormatter(Locale.ENGLISH);

ZonedDateTime zdt = ZonedDateTime.parse("04/30/2018 06:00 PM IST", fmt);

如果你仍然需要使用java.util.Date,它很容易转换:

// Java 8
Date d = Date.from(zdt.toInstant());

// Java 7 (Threenten Backport)
Date d = DateTimeUtils.toDate(zdt.toInstant());

0
投票

生成的Date对象不会包含任何时区信息。请参阅此stackoverflow thread中的类似查询

您可能在JVM的当前时区中获得了正确的日期。

如果您使用的是Java 8,那么可以使用带有时区的Date对象。看看ZonedDateTime,但为此你在解析时需要一种不同的格式化程序(DateTimeFormatter

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