在此程序中,您将学习按照Java中给定属性对自定义对象的数组列表(ArrayList)进行排序。
import java.util.*; public class CustomObject { private String customProperty; public CustomObject(String property) { this.customProperty = property; } public String getCustomProperty() { return this.customProperty; } public static void main(String[] args) { ArrayList<Customobject> list = new ArrayList<>(); list.add(new CustomObject("Z")); list.add(new CustomObject("A")); list.add(new CustomObject("B")); list.add(new CustomObject("X")); list.add(new CustomObject("Aa")); list.sort((o1, o2) -> o1.getCustomProperty().compareTo(o2.getCustomProperty())); for (CustomObject obj : list) { System.out.println(obj.getCustomProperty()); } } }
运行该程序时,输出为:
A Aa B X Z
在上面的程序中,我们定义了一个具有String属性customProperty的CustomObject类
我们还添加了一个初始化属性的构造函数,以及一个返回customProperty的getter函数getCustomProperty()
在main()方法中,我们创建了一个自定义对象的数组列表list,并使用5个对象进行了初始化。
为了使用给定属性对列表进行排序,我们使用list的sort()方法。sort()方法接受要排序的列表(最终排序的列表也是相同的)和一个比较器
在我们的实例中,比较器是一个lambda表达式
从列表o1和o2中获取两个对象
使用compareTo()方法比较两个对象的customProperty
如果o1的属性大于o2的属性,最后返回正数;如果o1的属性小于o2的属性,则最后返回负数;如果相等,则返回零。
在此基础上,列表(list)按最小属性到最大属性排序,并存储回列表(list)