继上篇原型模式,这里讲一下原型模式中的浅克隆与深克隆
浅克隆
对于对象中的引用类型,他只复制了引用对象的内存地址,复制的不是他的值。
下面我们看一个具体的原型模式类的写法,在ConcretePrototype 原型类中,添加List引用类型。
public class ConcretePrototype implements Cloneable {
private int age;
private String name;
private List<String> course ;//引用类型,模拟浅克隆
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public List<String> getList() {
return course;
}
public void setList(List<String> course) {
this.course = course;
}
// 实现Cloneable,JDK自带克隆
public ConcretePrototype clone() {
ConcretePrototype obj = null;
try {
obj = (ConcretePrototype)super.clone();
} catch (CloneNotSupportedException e) {
e.printStackTrace();
}
return obj;
}
// 打印信息
public String toString() {
return "obj:{age=" + age +",name=" + name + ",course=" + course + "}";
}
}
测试类,在克降新的对象出来后,继续给list赋值;结果两个对象打印出来的结果是一样的,这个就是因为浅克隆并没有复制引用类型的值,只是复制了他的内存地址。
public class Test2 {
public static void main(String[] args) {
ConcretePrototype prototype = new ConcretePrototype();
prototype.setAge(12);
prototype.setName("张三");
List<String> course = new ArrayList<String>();//学习课程
course.add("JAVA");
prototype.setList(course);
//克隆,拷贝,添加类型
ConcretePrototype cloneType = prototype.clone();
course.add("C#");//给list添加新值
// 打印输出
System.out.println("原型对象:" + prototype);
System.out.println("克隆对象:" + cloneType);
}
}
输出结果。