小编典典

我可以在不实现Comparable的情况下使用Comparator吗?

java

是否可以在不实现Comparable类的情况下使用Comparator?例如,如果我有以下内容:

MyClass {

     Comparator comp;

     OrderedListInheritance(Comparator c) {
          this.comp = c;
     }

}

然后可以使用comp比较两个对象吗?如果是这样,我将如何去做?

谢谢…


阅读 280

收藏
2020-11-30

共1个答案

小编典典

你不用Comparable。您使用Comparator

Comparable 是由对象实现的接口,用于指定它们与相同类型的其他对象的排序顺序。

Comparator是一个通用接口,只需要两个对象并告诉您它们的排序顺序。因此,您可以执行以下操作:

public class Student {
  private final int id;
  private final String name;
  private final int age;

  public Student(int id, String name, int age) {
    this.id = id;
    this.name = name;
    this.age = age;
  }

  public int getId() { return id; }
  public String getName() { return name; }
  public int getAge() { return age; }
}

与:

public class AgeComparator implements Comparator<Student> {
  public int compare(Student s1, Student s2) {
    if (s1.getAge() == s2.getAge()) {
      return 0;
    } else {
      return s1.getAge() < s2.getAge() ? -1 : 1;
  }
}

和:

List<Student> students = new ArrayList<Student>();
students.add(new Student(1, "bob", 15));
students.add(new Student(2, "Jane", 14));
students.add(new Student(3, "Gary", 16));

SortedSet<Student> set1 = new TreeSet<Student>(new AgeComparator());
set1.addAll(students);
for (Student student : set1) {
  // age order
}
2020-11-30