1 浅复制和深复制区别
浅复制:浅复制只是复制本对象的原始数据类型,如int、float、String,对于数组和对象引用等是不会复制的。因此浅复制是有风险的。
深复制:不但对原始数据类型进行复制,对于对象中的数组和对象引用也做复制的行为,从而达到对对象的完全复制。
2 代码示例
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
|
package com; import java.util.ArrayList; public class Test implements Cloneable { // 私有属性 private ArrayList<String> nameList = new ArrayList<String>(); // 添加内容 public void add(String s) { this .nameList.add(s); } // 获得ArrayList对象 public ArrayList<String> get() { return this .nameList; } // clone方法 @Override public Test clone() { try { Test test = (Test) super .clone(); test.nameList = (ArrayList<String>) this .nameList.clone(); //A return test; } catch (CloneNotSupportedException e) { // TODO Auto-generated catch block e.printStackTrace(); } return null ; } /** * @param args */ public static void main(String[] args) { // 创建test对象 Test test = new Test(); // 设置test对象内容 test.add( "aa" ); test.add( "bb" ); // 打印显示test中的nameList内容 System.out.println( "test:" + test.get()); // 克隆test对象生成test2对象 Test test2 = test.clone(); // 添加"cc"内容到test2对象中 test2.add( "cc" ); // 打印显示test2中的nameList内容 System.out.println( "test2:" + test2.get()); // 打印显示test中的nameList内容 System.out.println( "test:" + test.get()); } } |
3 浅复制运行结果
1
2
3
|
test:[aa, bb] test2:[aa, bb, cc] test:[aa, bb, cc] |
4 深复制运行结果
1
2
3
|
test:[aa, bb] test2:[aa, bb, cc] test:[aa, bb] |
5 结果分析
从结果分析和代码来看,深复制对浅复制只是多了A处的代码。
如有疑问请留言或者到本站社区交流讨论,感谢阅读,希望能帮助到大家,谢谢大家对本站的支持!
原文链接:http://cakin24.iteye.com/blog/2326365