仅使用具有lambdas的Collection.sort()对对象列表进行排序

时间:2015-10-12 19:20:21

标签: java sorting lambda java-8 comparable

我是 lambdas 的初学者,并试图了解它的工作原理。所以我有一个带有id和score属性的学生列表,我必须根据得分对其进行排序。我的代码

import java.util.*;

class Student {

    int id, score;

    public Student(int id, int score) {
        this.id = id;
        this.score = score;
    }
    public String toString() {
        return this.id + " " + this.score;
    }
}

interface StudentFactory < S extends Student > {
    S create(int id, int score);
}

class Test {

    public static void main(String[] ad) {

        StudentFactory < Student > studentFactory = Student::new;
        Student person1 = studentFactory.create(1, 45);
        Student person2 = studentFactory.create(2, 5);
        Student person3 = studentFactory.create(3, 23);

        List < Student > personList = Arrays.asList(person1, person2, person3);

         // error in the below line
        Collections.sort(personList, (a, b) -> (a.score).compareTo(b.score));
        System.out.println(personList);
    }
}

你可以看到我尝试Collections.sort(personList, (a, b) -> (a.score).compareTo(b.score));它给了我错误int cannot be dereferenced我知道错误预期我只是想展示我想要的东西。
那么有没有办法只使用lambdas对学生对象进行排序?
我也看过类似的帖子,我发现List.sortBeanComparator是另一种选择但是有什么方法我可以用lambdas做到这一点吗? 感谢

1 个答案:

答案 0 :(得分:10)

(a, b) -> Integer.compare(a.score, b.score)

会奏效。 int不是对象,它是原始的,您无法在int.compareTo上调用int或任何其他方法。

甚至比那更好

Comparator.comparingInt(s -> s.score)

或者,用吸气剂,

Comparator.comparingInt(Student::getScore)

使用List.sort并不会影响你是否使用lambdas或其他任何东西。您只需撰写personList.sort(Comparator.comparingInt(s -> s.score))而不是Collections.sort(personList, Comparator.comparingInt(s -> s.score))