4
 1  class test {
 2      public static int compare0(Comparable x, Comparable y) {
 3          return x.compareTo(y);
 4      }

 5      public static int compare1(Object x, Object y) {
 6          return ((Comparable) x).compareTo((Comparable) y);
 7      }

 8      public static int compare2(Object x, Object y) {
 9          Comparable p = (Comparable) x;
10          Comparable q = (Comparable) y;
11          return (p).compareTo(q);
12      }

13      public static void main(String[] args) {
14          Comparable zero = new Integer(0);
15          Comparable one = new Integer(1);
16          int c = (zero).compareTo(one);
17      }
18  }

编译上面的代码会产生 4 个警告:

% javac -Xlint:unchecked test.java
test.java:3: warning: [unchecked] unchecked call to compareTo(T) as a member of the raw type java.lang.Comparable
    return x.compareTo(y);
                      ^
test.java:7: warning: [unchecked] unchecked call to compareTo(T) as a member of the raw type java.lang.Comparable
    return ((Comparable) x).compareTo((Comparable) y);
                                     ^
test.java:13: warning: [unchecked] unchecked call to compareTo(T) as a member of the raw type java.lang.Comparable
    return (p).compareTo(q);
                        ^
test.java:19: warning: [unchecked] unchecked call to compareTo(T) as a member of the raw type java.lang.Comparable
    int c = (zero).compareTo(one);
                            ^
4 warnings

我尝试了更多变体,但警告仍然存在。编写和调用上面的 test.compare 方法的正确方法是什么?

谢谢!

PS:test.compare 只是一个例子;我不需要这样的功能;但我需要实现一个函数,比如 test.compare,需要在其签名中包含 Comparable 实现对象。

PS2:我已经编程了 25 多年,我什至在大约 10 年前编写了一段时间的 Java,但是现在使用 Java(我的工作需要)让我发疯。对于有经验的程序员来说,学习 Java 比看起来要难得多。那里有很多关于学习 Java 的东西,其中 99% 充其量是过时的,或者是为了给编程新手排名(即非常冗长),最坏的情况是彻头彻尾的垃圾……我还没有找到关于Java 将让我在上述问题的答案中快速归零。

4

4 回答 4

6

Comparable是通用的 - 你应该定义变量Comparable<Integer>

于 2011-08-03T20:42:09.650 回答
6

compare您应该使用通用参数声明该方法。

public class ThisTest
{
    public static <T extends Comparable<T>> int compare(T x, T y) {
        if (x == null) 
            return -(y.compareTo(x));
        return x.compareTo(y);
    }

    public static void main()
    {
        // Type inferred
        int c = compare(Integer.valueOf(0), Integer.valueOf(1));
        // Explicit generic type parameter
        c = ThisTest.<Integer>compare(Integer.valueOf(0), Integer.valueOf(1));
    }
}
于 2011-08-03T20:51:36.243 回答
2

真正的问题是您试图在静态方法中进行比较。使进行比较的方法是非静态的,实例化一个或多个“测试器”对象并为每个对象提交一个类型。例如:

 test<String> strTester = new test<String>();

然后调用 String 对象的比较方法:

 int retCode = strTester.comp(a, b)

如果您想比较其他类型的对象,例如整数,您将需要一个新的测试器对象,例如:

 test<Integer> intTester = new test<Integer>();

如果您愿意这样做,那么您的类可以按照以下方式定义:

 class test<T extends Comparable<T>> {
      public int comp(T x, T y) {
           ...
      }
 }
于 2012-12-11T17:56:45.723 回答
1

zero将and声明oneIntegerComparable<Integer>而不是原始类型。

Angelika Langer为泛型提供了很好的参考。它被组织成一个分层的常见问题解答,应该允许您快速找到大多数通用类型问题的特定答案。在这种情况下,您可能会发现有关原始类型的部分很有用。

于 2011-08-03T20:57:27.873 回答