我需要将日期从Google App Engine本地服务器时区转换为Java中的太平洋时间。
我尝试使用
Calendar calstart =
Calendar.getInstance();
calstart.setTimeZone(TimeZone.getTimeZone("PST"));
//calstart.setTimeZone(TimeZone.getTimeZone("America/Los_Angeles"));
Date startTime = calstart.getTime();
但是这给了我不正确的时间(当实际PST是晚上10点时的下午4点)。还尝试了注释行America/Los_Angeles
,但在GAE服务器上给出了错误的时间。
有任何想法/建议吗?
答案 0 :(得分:6)
使用Joda Time,您只需要DateTime.withZone方法。示例如下:
public static Date convertJodaTimezone(LocalDateTime date, String srcTz, String destTz) {
DateTime srcDateTime = date.toDateTime(DateTimeZone.forID(srcTz));
DateTime dstDateTime = srcDateTime.withZone(DateTimeZone.forID(destTz));
return dstDateTime.toLocalDateTime().toDateTime().toDate();
}
作为建议,永远不要使用默认API进行与时间相关的计算。这太可怕了。 Joda似乎是最好的替代API。
答案 1 :(得分:2)
除非您需要进行一些计算,因此您希望格式化此日期以将其显示给最终用户,您可以简单地使用DateFormat:
Date startTime = new Date(); // current date time
TimeZone pstTimeZone = TimeZone.getTimeZone("America/Los_Angeles");
DateFormat formatter = DateFormat.getDateInstance(); // just date, you might want something else
formatter.setTimeZone(pstTimeZone);
String formattedDate = formatter.format(startTime);
但是,如果您确实需要转换日期(这种情况非常罕见),您可能需要使用以下代码段:
TimeZone pacificTimeZone = TimeZone.getTimeZone("America/Los_Angeles");
long currentTime = new Date().getTime();
long convertedTime = currentTime +
pacificTimeZone.getOffset(currentTime);
这将给出自PST TimeZone中自1970年1月1日以来经过的毫秒数。您可以使用此信息轻松创建Date对象 如果您需要经常进行日期计算,则可能需要使用Apache Commons Lang's DateUtils。或者建议 mdrg 切换到JodaTime。
答案 2 :(得分:0)
永远不要依赖或依赖服务器或主机JVM的当前默认时区。
始终明确指定所需/预期的时区,作为可选参数传递。
java.util.Calendar
类现在已经遗留下来,取而代之的是java.time类。
以UTC格式获取当前时刻。 Instant
类代表UTC中时间轴上的一个时刻,分辨率为nanoseconds(小数部分最多九(9)位)。
Instant instant = Instant.now();
instant.toString():2017-01-19T22:01:21.321Z
如果您想通过特定地区wall-clock time的镜头观看该时刻,请应用ZoneId
获取ZonedDateTime
。
以continent/region
的格式指定proper time zone name,例如America/Montreal
,Africa/Casablanca
或Pacific/Auckland
。切勿使用诸如EST
或PST
或IST
之类的3-4字母缩写,因为它们不是真正的时区,不是标准化的,甚至不是唯一的( !)。
ZoneId z = ZoneId.of( "America/Los_Angeles" );
ZonedDateTime zdt = instant.atZone( z );
zdt.toString():2017-01-19T14:01:21.321-08:00 [America / Los_Angeles]
java.time框架内置于Java 8及更高版本中。这些类取代了麻烦的旧legacy日期时间类,例如java.util.Date
,Calendar
和& SimpleDateFormat
现在位于Joda-Time的maintenance mode项目建议迁移到java.time类。
要了解详情,请参阅Oracle Tutorial。并搜索Stack Overflow以获取许多示例和解释。规范是JSR 310。
从哪里获取java.time类?
ThreeTen-Extra项目使用其他类扩展java.time。该项目是未来可能添加到java.time的试验场。您可以在此处找到一些有用的课程,例如Interval
,YearWeek
,YearQuarter
和more。