如何从这个循环中拉出反射?

时间:2012-01-16 20:04:52

标签: java reflection

如果可能的话,如何将反射拉出此循环并传入getter方法。

public <E> void sortBy(final String fieldName, final boolean sortAsc, List<E> list){
        Collections.sort(list, new Comparator<E>() {
                public int compare(E o1, E o2) {
                    return compareFields(o1,o2,fieldName.replace("SortBy", "get"),sortAsc);
                }
            }
        );
    }

    @SuppressWarnings({ "rawtypes", "unchecked" })
    protected <E> int compareFields(E o1, E o2,String fieldName, boolean sortAsc){
        try { 
            Comparable o1Data;
            Comparable o2Data;
            o1Data = (Comparable) o1.getClass().getMethod(fieldName).invoke(o1);
            o2Data = (Comparable) o2.getClass().getMethod(fieldName).invoke(o2);
            if(o1Data == null && o2Data == null){
                return 0;
            } else if (o1Data == null){
                return 1;
            } else if (o2Data == null){
                return -1;
            }
            int result = o2Data.compareTo(o1Data); 
            return (sortAsc) ? -result : result ; 
        }
        catch(Exception e) {
            throw new RuntimeException(e);
        }
    }

上下文:我有很多带数据表的屏幕。每个都是从List构建的。每个数据表需要按其6列中的每一列进行排序。列是Date或String。

3 个答案:

答案 0 :(得分:2)

让数据对象实现包含getFieldByName方法的接口。

答案 1 :(得分:2)

如果您可以假设所有元素都是相同的类型。

public <E> void sortBy(final String fieldName, final boolean sortAsc, List<E> list) throws NoSuchMethodException {
    final Method f = list.get(0).getClass().getMethod(fieldName.replace("SortBy", "get"));
    f.setAccessible(true);
    final int direction = sortAsc ? +1 : -1;
    Collections.sort(list, new Comparator<E>() {
        public int compare(E o1, E o2) {
            return compareFields(o1, o2, f, direction);
        }
    }
    );
}

@SuppressWarnings({"rawtypes", "unchecked"})
protected <E> int compareFields(E o1, E o2, Method getter, int sortAsc) {
    try {
        Comparable o1Data = (Comparable) getter.invoke(o1);
        Comparable o2Data = (Comparable) getter.invoke(o2);
        if (o1Data == null)
            return o2Data == null ? 0 : 1;
        if (o2Data == null)
            return -1;
        return sortAsc * o2Data.compareTo(o1Data);
    } catch (Exception e) {
        throw new RuntimeException(e);
    }
}

答案 2 :(得分:1)

Apache Bean Utils对这类事情非常有用。他们很可能在内部使用反射,但这意味着你没有必要,你可以拥有漂亮的干净代码:

...

Comparable o1Data = (Comparable) PropertyUtils.getProperty(o1, fieldName);
Comparable o2Data = (Comparable) PropertyUtils.getProperty(o2, fieldName);
if(o1Data == null && o2Data == null) {

...

这里,fieldName应该是属性/字段的名称,而不是getter。由于代码中的变量包含getter的名称,因此您可能应该将其称为getterName