用途:
BeanUtils.copyProperties(A, B)可以复制A对象中的属性值到B对象中的同名同类型属性值中,如果名称和类型有任何一个不同都不会赋值,一般用于把普通对象的值复制到VO对象中去
具体使用:
先来准备一下用到的类,其中Chapter.java是一个普通类,而ChapterVO.java是一个VO类,我们接下来的任务就是把Chapter对象中的属性值赋值给ChapterVO对象的同名同类型的属性,先来看这一个这两个类吧:
Chapter.java:
@Data
@NoArgsConstructor
@AllArgsConstructor
public class Chapter {
private String id;
private String courseId;
private String title;
private Integer sort;
}
ChapterVO.java:
@Data
public class ChapterVO {
private String id;
private String title;
private List<VideoVO> children = new ArrayList<>();
}
现在假设我们已经得到了Chapter对象,并且对象中也有了具体的值,然后我们需要把Chapter对象中的 id 和 title 属性值赋给ChapterVO对象中同名同类型的属性,我们当然可以使用传统的setId()和setTitle()方法去做,如下:
Chapter chapter = new Chapter("132453", "3453", "java入门精选", 1);
ChapterVO chapterVO = new ChapterVO();
// **************从这里开始********************
chapterVO.setId(chapter.getId());
chapterVO.setTitle(chapter.getTitle());
// **************赋值成功**********************
如果使用BeanUtils.copyProperties()方法来做,如下:
注意:import org.springframework.beans.BeanUtils;
Chapter chapter = new Chapter("132453", "3453", "java入门精选", 1);
ChapterVO chapterVO = new ChapterVO();
// **************从这里开始********************
BeanUtils.copyProperties(chapter, chapterVO);
// **************赋值成功**********************
你可能感觉不使用BeanUtils.copyProperties()也还好啊,就只多了一行代码而已,但是你可曾想过,如果有10个属性都需要赋值到VO对象中,你也要使用set方法去赋值吗,那可就太繁琐了,所以BeanUtils.copyProperties()是一个很好的选择