原文: https://www.programiz.com/java-programming/examples/sort-custom-objects-property

在此程序中,您将学习按 Java 中给定属性对自定义对象的ArrayList进行排序。

示例:按属性对自定义对象的ArrayList进行排序

  1. import java.util.*;
  2. public class CustomObject {
  3. private String customProperty;
  4. public CustomObject(String property) {
  5. this.customProperty = property;
  6. }
  7. public String getCustomProperty() {
  8. return this.customProperty;
  9. }
  10. public static void main(String[] args) {
  11. ArrayList<Customobject> list = new ArrayList<>();
  12. list.add(new CustomObject("Z"));
  13. list.add(new CustomObject("A"));
  14. list.add(new CustomObject("B"));
  15. list.add(new CustomObject("X"));
  16. list.add(new CustomObject("Aa"));
  17. list.sort((o1, o2) -> o1.getCustomProperty().compareTo(o2.getCustomProperty()));
  18. for (CustomObject obj : list) {
  19. System.out.println(obj.getCustomProperty());
  20. }
  21. }
  22. }

运行该程序时,输出为:

  1. A
  2. Aa
  3. B
  4. X
  5. Z

在上面的程序中,我们定义了一个CustomObject类,它带有String属性,即customProperty

我们还添加了一个初始化属性的构造器,以及一个返回customProperty的获取器函数getCustomProperty()

main()方法中,我们创建了以 5 个对象初始化的自定义对象listArrayList

为了对具有给定属性的列表进行排序,我们使用listsort()方法。sort()方法采用要排序的列表(最终排序的列表也相同)和comparator

在我们的例子中,比较器是一个 lambda

  • o1o2列表中选取两个对象,
  • 使用compareTo()方法比较两个对象的customProperty
  • 如果o1的属性大于o2的属性,最后返回正数;如果o1的属性小于o2的属性,则最后返回负数;如果相等,则返回零。

基于此,基于最小的属性将list排序为最大,并存储回list