我有Java bean类,我想通过一个String类型的bean属性对这些bean的列表进行排序。我怎么能这样做?
答案 0 :(得分:4)
使类型本身实现Comparable<Foo>
,通过比较两个字符串来实现compareTo
方法,或者实现Comparator<Foo>
,再次按字符串进行比较。
使用第一种方法,您就可以直接使用Collections.sort()
;第二个你使用Collections.sort(collection, new FooComparator());
例如:
public class Foo {
public String getBar() {
...
}
}
public class FooComparatorByBar implements Comparator<Foo> {
public int compare(Foo x, Foo y) {
// TODO: Handle null values of x, y, x.getBar() and y.getBar(),
// and consider non-ordinal orderings.
return x.getBar().compareTo(y.getBar());
}
}
答案 1 :(得分:1)
使用自定义Comparator?
import java.util.*;
class Bean {
public final String name;
public final int value;
public Bean(final String name, final int value) {
this.name = name;
this.value = value;
}
@Override
public String toString() {
return name + " = " + value;
}
}
public class SortByProp {
private static List<Bean> initBeans() {
return new ArrayList<Bean>(Arrays.asList(
new Bean("C", 1),
new Bean("B", 2),
new Bean("A", 3)
));
}
private static void sortBeans(List<Bean> beans) {
Collections.sort(beans, new Comparator<Bean>() {
public int compare(Bean lhs, Bean rhs){
return lhs.name.compareTo(rhs.name);
}
});
}
public static void main(String[] args) {
List<Bean> beans = initBeans();
sortBeans(beans);
System.out.println(beans);
}
}
答案 2 :(得分:0)
使用Guava,它只是
Collections.sort(list, Ordering.natural().compose(Functions.toStringFunction()));