Java
这里说的是Spring的BeanUtils.copyProperties

场景

开发中经常遇到,把父类的属性拷贝到子类中。通常有2种方法:

  • 一个一个set
  • BeanUtils.copyProperties

很显然BeanUtils更加方便,也美观很多。
那么任何情况都能使用BeanUtils么,当然不是。要先了解他。

BeanUtils是深拷贝,还是浅拷贝?

是浅拷贝。

  • 浅拷贝:只是调用子对象的set方法,并没有将所有属性拷贝。(也就是说,引用的一个内存地址)
  • 深拷贝:将子对象的属性也拷贝过去。

    什么情况适合用BeanUtils

    如果都是单一的属性,那么不涉及到深拷贝的问题,适合用BeanUtils。

    有子对象就一定不能用BeanUtils

    并不绝对,这个要区分考虑:

  • 子对象还要改动。

  • 子对象不怎么改动。

虽然有子对象,但是子对象并不怎么改动,那么用BeanUtils也是没问题的。

代码例子

下面用代码说明下。

  • 翠山有个儿子无忌,儿子继承了他的face和height。
  • 但是life应该是自己的。
  • 后来翠山自刎而死,无忌也变成dead状态了。这就是浅拷贝,无忌用的life引用的翠山的life对象。

Father类:

  1. @Data
  2. public class Father {
  3. private String face; // 长相
  4. private String height; // 身高
  5. private Life life; // 生命
  6. }

Life 类:

  1. @Data
  2. public class Life {
  3. private String status;
  4. }

Son类和main方法:

  1. @Data
  2. public class Son extends Father{
  3. private Life life;
  4. public static void main(String[] args) {
  5. Father cuishan = new Father();
  6. cuishan.setFace("handsome");
  7. cuishan.setHeight("180");
  8. Life cuishanLife = new Life();
  9. cuishanLife.setStatus("alive");
  10. cuishan.setLife(cuishanLife);
  11. Son wuji=new Son();
  12. BeanUtils.copyProperties(cuishan,wuji);
  13. // Life wujiLife = wuji.getLife();
  14. // wujiLife.setStatus("alive");
  15. // wuji.setLife(wujiLife);
  16. // cuishanLife.setStatus("dead"); // 翠山后来自刎了
  17. System.out.println(JSON.toJSONString(cuishan));
  18. System.out.println(JSON.toJSONString(wuji));
  19. }
  20. }

上面注释出的代码可以如下替换:
case1和case2还是受浅拷贝的影响,case3不受。
case1:翠山自刎,无忌也挂了

  1. // Life wujiLife = wuji.getLife();
  2. // wujiLife.setStatus("alive");
  3. // wuji.setLife(wujiLife);
  4. // cuishanLife.setStatus("dead"); // 翠山后来自刎了

case2:翠山自刎,无忌设置或者,翠山也活了

  1. // cuishanLife.setStatus("dead"); // 翠山后来自刎了
  2. // Life wujiLife = wuji.getLife();
  3. // wujiLife.setStatus("alive");
  4. // wuji.setLife(wujiLife);

case3:翠山和无忌互不影响

  1. cuishanLife.setStatus("dead"); // 翠山自刎了 该行放在上下均可
  2. // 无忌用个新对象 不受翠山影响了
  3. Life wujiLife = new Life();
  4. wujiLife.setStatus("alive");
  5. wuji.setLife(wujiLife);

dest ,src 还是 src,dest

常见的BeanUtils有2个:

  • Spring有BeanUtils
  • apache的commons也有BeanUtils。

区别如下:
2021-08-19-00-03-30-804601.png
这2个用哪个都行,但是要注意区别。因为他们2个的src和dest是正好相反的,要特别留意。