由于擦除,你不能。您能做的最好的事情就是在元组类中存储您计划在“java.lang.Class”字段成员中保留元组的类型。然后,您可以比较这些字段,以确保元组类具有相同的类型。
另请参阅此主题:Java 中的 C++ Pair<L,R> 等效项是什么?
如果您发布有关您的课程的更多信息,这将有所帮助。我在想,未经检查的强制转换和你等同的字段数意味着它应该是元组<E,F>不是吗?
编辑:这是一个我经常使用的有用的配对类(如果需要,您可以调整元组类)。请注意,与其他人的建议类似,此类只是让包含的成员决定相等性问题。您的用例应该确定相等性是否真的基于所包含成员的类型。
/**
* Adapted from http://forums.sun.com/thread.jspa?threadID=5132045
*
*
* @author Tim Harsch
*
* @param <L>
* @param <R>
*/
public class Pair<L, R> {
private final L left;
private final R right;
public R getRight() {
return right;
} // end getter
public L getLeft() {
return left;
} // end getter
public Pair(final L left, final R right) {
this.left = left;
this.right = right;
} // end constructor
public static <A, B> Pair<A, B> create(A left, B right) {
return new Pair<A, B>(left, right);
} // end factory method
@Override
public final boolean equals(Object o) {
if (!(o instanceof Pair<?,?>))
return false;
final Pair<?, ?> other = (Pair<?, ?>) o;
return equal(getLeft(), other.getLeft()) && equal(getRight(), other.getRight());
} // end method
public static final boolean equal(Object o1, Object o2) {
if (o1 == null) {
return o2 == null;
}
return o1.equals(o2);
} // end method
@Override
public int hashCode() {
int hLeft = getLeft() == null ? 0 : getLeft().hashCode();
int hRight = getRight() == null ? 0 : getRight().hashCode();
return hLeft + (37 * hRight);
} // end method
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
sb.append('<');
if( left == null ) {
sb.append("null");
} else {
sb.append(left.toString());
} // end if
sb.append(',');
if( right == null ) {
sb.append("null");
} else {
sb.append(right.toString());
} // end if
sb.append('>');
return sb.toString();
} // end method
} // end class