5

我需要能够比较两个日期,仅基于年份和月份(即不注意日期),以及在 JAVA 和 HQL 中的日期。

假设我需要检查是否d1小于或等于d2。这是我尝试过的:

JAVA

calendar.setTime(d1);
int y1 = calendar.get(Calendar.YEAR);
int m1 = calendar.get(Calendar.MONTH);
calendar.setTime(d2);
int y2 = calendar.get(Calendar.YEAR);
int m2 = calendar.get(Calendar.MONTH);
return y1 <= y2 && m1 <= m2;

高品质

select item from Item item
where year(item.d1) <= year(:d2)
and month(item.d1) <= month(:d2)

上面两段代码的算法是一样的,但是错了:

  • 2011-10 LTE 2012-09应该返回true但会返回false,因为2011 < 2012但是10 !< 09

如果我使用 aOR而不是 a AND,它仍然是错误的:

  • 2013-01 LTE 2012-05应该返回false但会返回true,因为2013 !< 2012但是01 < 05

那么,我应该如何处理呢?拜托,我需要它用于 JAVA 和 HQL。

4

1 回答 1

6

这应该有效。

select item from Item item
where year(item.d1) < year(:d2) or
     (year(item.d1) = year(:d2)
      and month(item.d1) <= month(:d2))

Java 也一样:

y1 < y2 || (y1 == y2 && m1 <= m2)

您可以保留第二次检查,y1 <= y2但这会有点多余。

于 2012-09-18T12:10:04.280 回答