Java中VO、DO、PO、DTO之间的模型转换

模型互转

在现在微服务架构盛行的时期,很多业务存在model(vo/dao/po/dto…)的根据作用域不同而进行分类。

导致项目时常会有模型转换问题,需直接get/set或者for循环来处理,显的代码不美观,而且很麻烦,可使用一些工具类或自己实现。

单个类直接的copy,可使用BeanUtils.copyProperties工具类。
如有Collection类型的场景进行互转,则需要自行实现。写了一个工具类方便使用

注意:
     阿里巴巴手册中写道:Apache BeanUtils会使效率降低。
因为Apache BeanUtils力求做得完美, 在代码中增加了非常多的校验、兼容、日志打印等代码,过度的包装导致性能下降严重。
在这里插入图片描述

代码实现:

/**
 * @author : zhang
 * @version : v1.0
 * @description 模型转换 Utils
 * @date : 2020/7/15 15:52
 */
public class ModelConverterUtils {

    /**
     * 创建类的一个实例
     *
     * @param beanClass
     *            类
     */
    public static  T newInstance(Class beanClass) {
        try {
            return beanClass.newInstance();
        } catch (Throwable e) {
            throw new RuntimeException(e);
        }
    }

    /**
     * 属性拷贝
     * @param source 源对象
     * @param target 目标对象
     */
    public static void copyProperties(Object source, Object target){
        if (source == null) {
            return;
        }
        BeanUtils.copyProperties(source, target);
    }

    /**
     * 对象转换
     * @param source 源对象
     * @param targetClass 目标对象
     * @param  目标对象class类型
     * @return 返回新的目标对象
     */
    public static  T convert(Object source, Class targetClass) {
    	if(source == null ){
            return null;
        }
        T target = newInstance(targetClass);
        copyProperties(source, target);
        return target;
    }

    /**
     * 对象List转换
     * @param sources 源对象
     * @param targetClass 目标对象
     * @param  目标对象class类型
     * @return 返回新的目标对象List
     */
    public static  List convert(Collection sources, Class targetClass){
	    if(sources == null ){
            return null;
        }
        List targets = Lists.newArrayList();
        if (!CollectionUtils.isEmpty(sources)) {
            targets = sources.stream().map(x ->  convert(x, targetClass)).collect(Collectors.toList());
        }
        return targets;
    }

}

你可能感兴趣的:(java)