如果我们在14:05离开法兰克福,并于16:40抵达洛杉矶。这次飞行有多长时间?
我尝试了以下内容:
ZoneId frank = ZoneId.of("Europe/Berlin");
ZoneId los = ZoneId.of("America/Los_Angeles");
LocalDateTime dateTime = LocalDateTime.of(2015, 02, 20, 14, 05);
LocalDateTime dateTime2 = LocalDateTime.of(2015, 02, 20, 16, 40);
ZonedDateTime berlinDateTime = ZonedDateTime.of(dateTime, frank);
ZonedDateTime losDateTime2 = ZonedDateTime.of(dateTime2, los);
int offsetInSeconds = berlinDateTime.getOffset().getTotalSeconds();
int offsetInSeconds2 = losDateTime2.getOffset().getTotalSeconds();
Duration duration = Duration.ofSeconds(offsetInSeconds - offsetInSeconds2);
System.out.println(duration);
但我无法得到大约11小时30分钟的成功答案。有人请帮助我弄清楚上面的问题。谢谢你:))
答案 0 :(得分:10)
getOffset
是错误的方法。这将获得该区域在该时间点的UTC偏移量。它无助于确定一天的实际时间。
一种方法是使用Instant
显式获取每个值所代表的toInstant
。然后使用Duration.between
计算经过的时间。
Instant departingInstant = berlinDateTime.toInstant();
Instant arrivingInstant = losDateTime2.toInstant();
Duration duration = Duration.between(departingInstant, arrivingInstant);
或者,由于Duration.between
适用于Temporal
个对象,而Instant
和ZonedDateTime
都可以实现Temporal
,因此您只需直接致电Duration.between
在ZonedDateTime
个对象上:
Duration duration = Duration.between(berlinDateTime, losDateTime2);
最后,如果您想直接获得一个度量单位(如总秒数),那么像atao提到的那些快捷方式就可以了。任何这些都是可以接受的。
答案 1 :(得分:6)
替换:
int offsetInSeconds = berlinDateTime.getOffset().getTotalSeconds();
int offsetInSeconds2 = losDateTime2.getOffset().getTotalSeconds();
Duration duration = Duration.ofSeconds(offsetInSeconds - offsetInSeconds2);
使用:
long seconds = ChronoUnit.SECONDS.between(berlinDateTime, losDateTime2);
Duration duration = Duration.ofSeconds(seconds);
修改
我喜欢Matt Johnson给出的更短(也是最短)的答案:
Duration duration = Duration.between(berlinDateTime, losDateTime2);