3

嗨,我正在使用 commons collections generics 4.01。

我有一个 dto 对象。

Class PricingDto {
   private Double tax;
   private Double price;
   private Double tip;

   // getters and setters
}

我有一份清单List<PricingDto> pricingDtos = this.pricingService.getAllPricings();

比我有一个私有静态类。

import org.apache.commons.collections15.Transformer;
import org.apache.commons.collections15.list.TransformedList;

class TotalServiceImpl implements TotalService {
    public static final PricingDtoTransformer PRICING_DTO_TRANSFORMER =
        new PricingDtoTransformer();
    private static class PricingDtoTransformer
        implements Transformer<PricingDto, Double> {
        public PricingDtoTransformer() {}

        @Override
        public Double transform(final PricingDto pricingDto) {
            return pricingDto.getTax()
                     + pricingDto.getPrice()
                     + pricingDto.getTips();
        }
    }

    @Override
    public List<Double> getListDouble(final List<PricingDto> pricingDtos) {
        final List<Double> totalList = 
            TransformedList.decorate(pricingDtos, PRICING_DTO_TRANSFORMER);
            for (Double d : totalList) {
                // print them. 
            }
        }
    }
}

我的问题是我得到类转换异常,因为 totalList 中的每个项目都是 PricingDto 而不是 Double。

2.) 我做错了什么。为泛型公共集合实现自定义转换器的正确方法是什么。

4

2 回答 2

6

javadocs明确指出:

如果列表中已经有任何元素被修饰,它们不会被转换。

请尝试以下操作:

CollectionUtils.transform(pricingDtos, PRICING_DTO_TRANSFORMER);

这将通过将 Transformer 应用于每个元素来转换集合。

于 2011-01-17T14:55:31.243 回答
1

对我来说,就地改造收藏品似乎是一个可怕的黑客行为。我建议改用Google Guava。它Lists.transform(List,Function)返回由原始 List 和映射函数支持的视图,因此您实际上并没有更改任何内容。

这是您的代码的样子:

class TotalServiceImpl implements TotalService{

    private static final Function<PricingDto, Double> PRICING_DTO_TRANSFORMER =
        new PricingDtoTransformer();

    private static class PricingDtoTransformer implements
        Function<PricingDto, Double>{

        public PricingDtoTransformer(){
        }

        @Override
        public Double apply(final PricingDto pricingDto){
            return pricingDto.getTax() + pricingDto.getPrice()
                + pricingDto.getTips();
        }
    }

    public List<Double> getListDouble(final List<PricingDto> pricingDtos){
        final List<Double> totalList =
            Lists.transform(pricingDtos, PRICING_DTO_TRANSFORMER);
        for(final Double d : totalList){
            // print them.
        }
        return totalList;
    }

}

Commons-Collections 可能也有类似的机制,但我乍一看找不到。

于 2011-01-17T15:21:54.943 回答