2

我注意到 TimeUnit 类的一个奇怪行为,所以我创建了这个最小的例子来重现它。

long differenceInDays;

Calendar c1 = Calendar.getInstance();
Calendar c2 = Calendar.getInstance();

c1.setTimeInMillis(1466062306000l); // Thu Jun 16 2016 09:31:46 GMT+0200
c2.setTimeInMillis(1466028000000l); // Thu Jun 16 2016 00:00:00 GMT+0200

differenceInDays = TimeUnit.DAYS.convert(c2.getTimeInMillis() - c1.getTimeInMillis(), TimeUnit.MILLISECONDS);
System.out.println(differenceInDays); // obviously zero

c2.add(Calendar.DATE, +1);
differenceInDays = TimeUnit.DAYS.convert(c2.getTimeInMillis() - c1.getTimeInMillis(), TimeUnit.MILLISECONDS);
System.out.println(differenceInDays); // why zero and not one?

c2.add(Calendar.DATE, +1);
differenceInDays = TimeUnit.DAYS.convert(c2.getTimeInMillis() - c1.getTimeInMillis(), TimeUnit.MILLISECONDS);
System.out.println(differenceInDays); // suddenly a 1, but not a 2 like expected

很明显,第一次计算的差异是 0,因为日期之间没有一整天。

但是第二次加了一整天,那差值怎么还是0呢?

输出:

0
0
1

我不认为这个问题与夏令时或闰年有关,因为我只在同一年甚至一个月内进行计算。

是一个日期到毫秒的计算器供您检查。

4

1 回答 1

10

通过简单的数学,您可以更好地了解这里发生的情况:

c1 = 1466062306000
c2 = 1466028000000

d = 86400000                // one day

c2 - c1 = -34306000         // negative, but less than one day in magnitude
c2 - c1 + d = 52094000      // less than one day
c2 - c1 + d + d = 138494000 // more than one day, less than two days

假设您使用的是 Java 8,处理此问题的正确方法如下:

// Decide what time zone you want to work in
ZoneId tz = ZoneId.of("Europe/Berlin");

// If you wanted the local time zone of the system,
// Use this instead:
// ZoneId tz = ZoneId.systemDefault();

// Get instants from the timestamps
Instant i1 = Instant.ofEpochMilli(1466062306000l);
Instant i2 = Instant.ofEpochMilli(1466028000000l);

// Get the calendar date in the specified time zone for each value
LocalDate d1 = i1.atZone(tz).toLocalDate();
LocalDate d2 = i2.atZone(tz).toLocalDate();

// Get the difference in days
long daysBetween = ChronoUnit.DAYS.between(d2, d1);

如果您的输入是真正Calendar的对象而不是时间戳,我建议Calendar.toInstant()按照旧版日期时间代码指南中的说明进行操作。

如果您使用的是 Java 7 或更早版本,您会从Joda Time库中找到类似的功能。

如果您真的不想使用其中任何一个,并且仍然以旧(硬)方式做事,那么请参阅此示例

于 2016-06-16T21:53:32.160 回答