springboot项目中经常会使用对象拷贝, 比如DTO转entity, entity转VO返回前端
单个对象常用的工具类有很多, 比如
#hutool
cn.hutool.core.bean.BeanUtil
#spring自带
org.springframework.beans.BeanUtils
1
2
3
4
开发过程中经常遇到的list对象拷贝时, 可能有些同学会循环去处理
List<UserDTO> userList;
List<UserEntity> resultList = new ArrayList<>();
for (UserDTO user : userList) {
UserEntity userEntity= new UserEntity();
BeanUtil.copyProperties(user, userEntity);
resultList .add(userEntity);
}
return resultList;
1
2
3
4
5
6
7
8
整个过程可以封装成如下工具类CopyUtil
public static <S, T> List<T> copyList(List<S> sources, Supplier<T> target) {
List<T> list = new ArrayList<>(sources.size());
for (S source : sources) {
T t = target.get();
BeanUtils.copyProperties(source, t);
list.add(t);
}
return list;
}
1
2
3
4
5
6
7
8
9
以上的场景就可以写成, 简化开发
// 入参List<UserDTO> userList
return CopyUtil.copyList(userList, UserEntity::new);
————————————————
版权声明:本文为CSDN博主「Java散修」的原创文章,遵循CC 4.0 BY-SA版权协议,转载请附上原文出处链接及本声明。
原文链接:https://blog.csdn.net/Wei_iew1/article/details/124733707