我在使用 Java Comparator
时遇到了一些复杂情况。所以我有一个父节点,它有一个子节点列表。我想对这些 child 进行排序,从表面上看似乎很简单,但是当 Comparator
进行排序时,它只会根据某些对象检查某些对象,然后我想它会推断对象的位置,也就是说 a
是否在 d
之前, f
在 d
之后, b
在 d
之前,这意味着 b
在 f
之前。
以下是我当前设置的示例。我有一个父节点 a
和 4 个子节点 b
、 e
、 l
、 g
。当我对这些 child 进行排序时,我希望顺序是 b
、 g
、 l
、 e
,因此按字母表排序并始终确保父节点排在第一位。
(原谅草图)
很简单,我有一个 Node
类,它包含一个 ID,所以它是一个字母,然后是一个 child 的列表。
public class Node {
private char id;
private Node parent;
private List<Node> children = new ArrayList<>();
public Node(char id) {
this.id = id;
}
public void addChild(Node child) {
this.children.add(child);
}
public List<Node> getChildren() {
return children;
}
public char getId() {
return id;
}
public void setParent(Node parent) {
this.parent = parent;
}
public Node getParent() {
return parent;
}
@Override
public int hashCode() {
return Objects.hash(id);
}
@Override
public boolean equals(Object obj) {
return ((Node) obj).getId() == this.id;
}
}
然后我有
NodeComparator
类,它首先检查节点是否是你的 child ,然后如果他们是你先去,反之亦然,然后按字母顺序排序。 @Override
public int compare(Node o1, Node o2) {
if (o1.getChildren().contains(o2)) {
return -1;
}
if (o2.getChildren().contains(o1)) {
return 1;
}
String alphabet = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
int firstNodeIndex = -10;
int secondNodeIndex = -10;
for (int i = 0; i < alphabet.length(); i++) {
if (alphabet.charAt(i) == o1.getId()) {
firstNodeIndex = i;
}
if (alphabet.charAt(i) == o2.getId()) {
secondNodeIndex = i;
}
}
if (firstNodeIndex > secondNodeIndex) {
return 1;
} else if (firstNodeIndex == secondNodeIndex) {
return 0;
}else {
return -1;
}
}
}
问题是,排序完成后,它会检查:
E against B
G against E
L against G
所以它从不检查 L 和 E,所以它无法知道应该先出现。
最佳答案
您的订购违反了 Comparator
的契约(Contract):
compare('G','E') > 0 // since 'G' comes after 'E' in the alphabet
和
compare('E','L') > 0 // since 'E' is a child of 'L'
但
compare('G','L') < 0 // since 'G' comes before 'L' in the alphabet
由于您的
Comparator
不是有效的 Comparator
,因此可能会产生异常或意外结果。关于Java Comparator 不比较每个对象,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/53691564/