我需要编写一个Comparator,它接受A类型的对象A和B类型的对象B.这两个对象不是公共对象的扩展。它们确实是不同的,但我需要通过它中的公共字段来比较这两个对象。我必须使用比较器接口,因为对象存储在Set中,之后我必须使用CollectionUtils进行操作。我google了一下,我找到了比较器的解决方案,但只有相同的类型。
我试图在这方面实施思考,但我不知道如果我的方法非常正确。
public class MyComparator implements Comparator<A>, Serializable {
private B b;
public MyComparator(B b){
this.b = b;
}
@Override
public int compare(A old, A otherOne) {
int value = 0;
if (!old.getField().equals(b.getField())) {
value = 1;
}
return value;
}
}
总是可以给出答案,但我找不到在Google中搜索的正确字词。有人建议吗?
Txs
P.S:我在不同的Set中添加了两个对象:
TreeSet<A> setA = new TreeSet<A>(myComparator);
TreeSet<B> setB = new TreeSet<B>(myComparator);
之后我会这样想:
TreeSet<??????> retain = CollectionUtils.retainAll(setA, setB);
TreeSet<??????> remove = CollectionUtils.removeAll(setA, setB);
答案 0 :(得分:2)
如果您将两个不相关类型的对象存储在Set
中(这让我想知道,因为Set
通常是无序的),这意味着您使用的是原始Set
,这不是很安全的。
您可以定义包含CommonAB
和A
所有常见属性的getter方法的接口B
。 A
和B
都将实现该接口。您可以将A
和B
的实例放入Set<CommonAB>
。
最后,Comparator<CommonAB>
将能够比较两种类型的对象。 Comparator
将仅访问接口的方法。它不关心它是否比较两个As,两个B或A和B.
答案 1 :(得分:2)
有一种非常hacky的方法可以让你使用Object
和instanceof
,但是如果你可以实现一个公开特定接口的代理类,你最好这样做。
class A {
public String getSomething() {
return "A";
}
}
class B {
public String getSomethingElse() {
return "B";
}
}
class C implements Comparator<Object> {
@Override
public int compare(Object o1, Object o2) {
// Which is of what type?
A a1 = o1 instanceof A ? (A) o1: null;
A a2 = o2 instanceof A ? (A) o2: null;
B b1 = o1 instanceof B ? (B) o1: null;
B b2 = o2 instanceof B ? (B) o2: null;
// Pull out their values.
String s1 = a1 != null ? a1.getSomething(): b1 != null ? b1.getSomethingElse(): null;
String s2 = a2 != null ? a2.getSomething(): b2 != null ? b2.getSomethingElse(): null;
// Compare them.
return s1 != null ? s1.compareTo(s2): 0;
}
}
更可接受的机制是为实现公共接口的每个实现代理类,然后使用适当的类型安全比较器进行比较。
interface P {
public String getValue();
}
class PA implements P {
private final A a;
PA(A a) {
this.a = a;
}
@Override
public String getValue() {
return a.getSomething();
}
}
class PB implements P {
private final B b;
PB(B b) {
this.b = b;
}
@Override
public String getValue() {
return b.getSomethingElse();
}
}
class PC implements Comparator<P> {
@Override
public int compare(P o1, P o2) {
return o1.getValue().compareTo(o2.getValue());
}
}