我创建了Comparator<Entity>
的实现,但是当我使用这个比较器对Array<Entity>
进行排序时。我将收到一个java.lang.NullPointerException
,因为当我将实体映射到已经删除的静态集合时。现在我的问题是我不知道该怎么回去跳过比较方法。
public class CustomComparator implements Comparator<Entity> {
public int compare(Entity e1, Entity e2) {
if( e1== null || e2 == null) {
return // don't know what to return to skip this method;
}
Vector2 e1Pos = Mapper.transform.get(e1).position;
Vector2 e2Pos = Mapper.transform.get(e2).position;
}
}
答案 0 :(得分:13)
你不能跳过&#34;比较。你期望排序代码做什么?你必须提供一个结果。
两种选择很常见:
NullPointerException
表示您不支持比较null
值。这在compare
文档null
先于其他所有内容,但与其本身相同后一种实现方式如下:
public int compare(Entity e1, Entity e2) {
if (e1 == e2) {
return 0;
}
if (e1 == null) {
return -1;
}
if (e2 == null) {
return 1;
}
Vector2 e1Pos = Mapper.transform.get(e1).position;
Vector2 e2Pos = Mapper.transform.get(e2).position;
return ...;
}
答案 1 :(得分:2)
要详细阐述Jon的答案,并回答Ron的问题,在决定做什么之前,应该先看看规范。在这种情况下,它表示“与Comparable不同,比较器可以选择允许比较空参数,同时保持对等关系的要求。”见the comparator API。它详细说明了什么意思。我看不出任何其他合理的解决方案。