Java 8 LocalDateTime舍入到下一个X分钟

时间:2016-06-03 11:22:26

标签: date datetime math java-8 java-time

我想将Java 8 LocalDateTime转换为最近的5分钟。例如。

1601  ->  1605
1602  ->  1605
1603  ->  1605
1604  ->  1605
1605  ->  1605
1606  ->  1610
1607  ->  1610
1608  ->  1610
1609  ->  1610
1610  ->  1610

我想使用LocalDateTime或Math api的现有功能。有什么建议吗?

2 个答案:

答案 0 :(得分:10)

您可以使用以下方法转向下一个五分钟的时间:

LocalDateTime dt = …
dt = dt.withSecond(0).withNano(0).plusMinutes((65-dt.getMinute())%5);

您可以使用

重现您的示例
LocalDateTime dt=LocalDateTime.now().withHour(16).withSecond(0).withNano(0);
for(int i=1; i<=10; i++) {
    dt=dt.withMinute(i);
    System.out.printf("%02d%02d -> ", dt.getHour(), dt.getMinute());
    // the rounding step:
    dt=dt.plusMinutes((65-dt.getMinute())%5);
    System.out.printf("%02d%02d%n", dt.getHour(), dt.getMinute());
}

1601 -> 1605
1602 -> 1605
1603 -> 1605
1604 -> 1605
1605 -> 1605
1606 -> 1610
1607 -> 1610
1608 -> 1610
1609 -> 1610
1610 -> 1610

(在这个例子中,我只清除秒和纳米一次,因为它们保持为零)。

答案 1 :(得分:5)

除了Holger建议的内容之外,您还可以创建TemporalAdjuster,这样您就可以编写类似date.with(nextOrSameMinutes(5))的内容:

public static void main(String[] args) {
  for (int i = 0; i <= 10; i++) {
    LocalDateTime d = LocalDateTime.of(LocalDate.now(), LocalTime.of(16, i, 0));
    LocalDateTime nearest5 = d.with(nextOrSameMinutes(5));
    System.out.println(d.toLocalTime() + " -> " + nearest5.toLocalTime());
  }
}

public static TemporalAdjuster nextOrSameMinutes(int minutes) {
  return temporal -> {
    int minute = temporal.get(ChronoField.MINUTE_OF_HOUR);
    int nearestMinute = (int) Math.ceil(minute / 5d) * 5;
    int adjustBy = nearestMinute - minute;
    return temporal.plus(adjustBy, ChronoUnit.MINUTES);
  };
}

请注意,这并不会截断原始日期的秒数/纳米数。如果您需要,可以将调整器的末尾修改为:

if (adjustBy == 0
        && (temporal.get(ChronoField.SECOND_OF_MINUTE) > 0 || temporal.get(ChronoField.NANO_OF_SECOND) > 0)) {
  adjustBy += 5;
}
return temporal.plus(adjustBy, ChronoUnit.MINUTES)
          .with(ChronoField.SECOND_OF_MINUTE, 0)
          .with(ChronoField.NANO_OF_SECOND, 0);