2

我正在使用以下代码获取某个位置的时间和日期

        ZoneId zoneId = ZoneId.of("America/New_York");
        ZonedDateTime dateAndTimeForAccount = ZonedDateTime.ofInstant(now, zoneId);
        System.out.println(dateAndTimeForAccount);

如何查看是否dateAndTimeForAccount在早上 6 点到 10 点之间?

4

3 回答 3

2

一种可能的解决方案是使用ValueRange

注意:以下解决方案将导致10:59(请参阅最底部的“角落案例输出”:

ZoneId zoneId = ZoneId.of("America/New_York");
ZonedDateTime dateAndTimeForAccount = ZonedDateTime.ofInstant(now, zoneId);
System.out.println(dateAndTimeForAccount);

ValueRange hourRange = ValueRange.of(8, 10);
System.out.printf("is hour (%s) in range [%s] -> %s%n", 
        dateAndTimeForAccount.getHour(),
        hourRange, 
        hourRange.isValidValue(dateAndTimeForAccount.getHour())
);

示例输出

2017-01-11T07:34:26.932-05:00[America/New_York]
is hour (7) in range [8 - 10] -> false

编辑:片段指南作为建议解决方案的示例。这不是一个完整的解决方案,并且在代码中可见,它只检查小时部分。

极端情况输出:10:59结果为

2017-01-11T10:59:59.999-05:00[America/New_York]
is hour (10) in range [8 - 10] -> true
于 2017-01-11T12:34:55.407 回答
0
int currentHour = dateAndTimeForAccount.getHour();
boolean isBetween6And10 = 6 <= currentHour && currentHour <= 10;

如果您想将它推广到任何特定的 java.time 类,您可以使用TemporalQuery该类:

class HourTester extends TemporalQuery<Boolean> {
    @Override
    public Boolean queryFrom(TemporalAccessor temporal) {
        int hour = temporal.get(ChronoField.HOUR_OF_DAY);
        return 6 <= hour && hour <= 10;
    }
}

用法:boolean isBetween6And10 = dateAndTimeForAccount.query(new HourTester());

于 2017-01-11T12:23:58.243 回答
0

介于6 am包容和10 am排斥之间

这对于“99%”的情况应该足够了,因为“你”不能保证 JVM 时钟的精度超过 1 毫秒。

    return 6 <= t.getHour() && t.getHour() < 10;

介于两者6 to 10 am之间

  static final LocalTime OPEN_TIME = LocalTime.of(06, 00);
  static final LocalTime CLOSE_TIME = LocalTime.of(10, 00);

    return !t.toLocalTime().isBefore(OPEN_TIME) && !t.toLocalTime().isAfter(CLOSE_TIME);

6 to 10 am排他性之间

    return t.toLocalTime().isAfter(OPEN_TIME) && t.toLocalTime().isBefore(CLOSE_TIME);

证明:

  boolean isWithinSixToTen(ZonedDateTime t) {
    return 6 <= t.getHour() && t.getHour() < 10;
  }



import static org.assertj.core.api.Assertions.assertThat;

  ZonedDateTime time(String time) {
    return ZonedDateTime.parse("2017-01-11" + "T" + time + "-05:00[America/New_York]");
  }

    assertThat(isWithinSixToTen(time("10:01"))).isFalse();
    assertThat(isWithinSixToTen(time("10:00"))).isFalse();
    assertThat(isWithinSixToTen(time("09:59:59.999999999"))).isTrue();
    assertThat(isWithinSixToTen(time("06:00"))).isTrue();
    assertThat(isWithinSixToTen(time("05:59"))).isFalse();
于 2020-08-01T22:14:21.630 回答