问题:您如何处理这些用例?
- 你使用静态辅助方法吗?
- 您是否使用详细的等号后跟 isAfter/isBefore?
- 你使用否定的相反条件吗?
- 您使用 3rd 方库助手吗?
在日常业务中,我经常需要检查 date a <= date b 或 date a >= date b。
互联网经常建议使用 isBefore/isAfter 方法的否定版本。
在实践中我发现我
- 几乎从来没有在第一次尝试时就得到这些否定的比较(它们应该是直观和简单的)。
- 阅读代码时很难理解业务逻辑
我想我的一部分仍然希望我只是忽略了 API 中的相应方法(拜托!)。
/**
* @return true if candidate >= reference </br>
* or in other words: <code>candidate.equals(reference) || candidate.isAfter(reference)</code> </br>
* or in other words: <code>!candidate.isBefore(reference) </br>
* or in other words: <code>candidate.compareTo(reference) >= 0
*/
public static boolean isEqualOrAfter(LocalDate candidate, LocalDate reference)
{
return !candidate.isBefore(reference);
}
/**
* @return true if candidate <= reference </br>
* or in other words: <code>candidate.equals(reference) || candidate.isBefore(reference)</code> </br>
* or in other words: <code>!candidate.isAfter(reference) </br>
* or in other words: <code>candidate.compareTo(reference) <= 0
*/
public static boolean isEqualOrBefore(LocalDate candidate, LocalDate reference)
{
return !candidate.isAfter(reference);
}
编辑:正如 Andreas 所建议的,我添加了带有compareTo
方法的版本,我希望我做对了(未经测试)。
编辑 2: 示例:
// Manager says: "Show me everything from 3 days ago or later" or "show me everything that's at most 3 days old"
for(Item item : items) {
// negation idiom
if(!item.getDate().isBefore(LocalDate.now().minusDays(3))) {
// show
}
// compareTo idiom
if(item.getDate().compareTo(LocalDate.now().minusDays(3)) >= 0) {
// show
}
// desired
if(item.getDate().isEqualOrAfter(LocalDate.now().minusDays(3))) {
// show
}
}