一、什么是深复制和浅复制
深复制: 被复制对象的所有变量都含有与原来的对象相同的值,除去那些引用其他对象的变量。那些引用其他对象的变量将指向被复制过的新对象,而不再是原有的那些被引用的对象。换言之,深复制把要复制的对象所引用的对象都复制了一遍
浅复制:被复制对象的所有变量都含有与原来的对象相同的值,而所有的对其他对象的引用仍然指向原来的对象。换言之,浅复制仅仅复制所考虑的对象,而不复制它所引用的对象。
二、java的clone()方法
⑴clone方法将对象复制了一份并返回给调用者。一般而言,clone()方法满足:
①对任何的对象x,都有x.clone() !=x//克隆对象与原对象不是同一个对象
②对任何的对象x,都有x.clone().getClass()= =x.getClass()//克隆对象与原对象的类型一样
⑵Java中对象的克隆
①为了获取对象的一份拷贝,我们可以利用Object类的clone()方法。
②在子类中覆盖Object类的clone()方法,并声明为public。
③在子类的clone()方法中,调用super.clone()。
④在子类类中实现Cloneable接口。
代码实例:
public class Student implements Cloneable{
private String name;
private Integer age;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public Integer getAge() {
return age;
}
public void setAge(Integer age) {
this.age = age;
}
public Student(String name, Integer age) {
super();
this.name = name;
this.age = age;
}
//重写clone方法
public Object clone() throws CloneNotSupportedException {
return (Student)super.clone();
}
}
public class Test02 {
public static void main(String[] args) throws CloneNotSupportedException {
Student stu0 = new Student("张三", 12);
Student stu1 = (Student) stu0.clone();
stu1.setName("李四");
System.out.println("stu1:"+stu1.toString());
System.out.println("stu0:"+stu0.toString());
}
}
运行结果:
在这里我们可以看到当我们的数据类型如果是基本数据类型或者是String类型的时候,那么克隆对象实例,会将整个对象的数据都拷贝一份,类似这样:
但是如果当我们的Student类中存在其他引用类型的数据会怎么样呢?
请看如下代码:
我们有一个衣服类
public class Clothe {
private String color;
public String getColor() {
return color;
}
public void setColor(String color) {
this.color = color;
}
@Override
public String toString() {
return "Clothe [color=" + color + "]";
}
}
然后我们在学生类中添加衣服类的引用实例
public class Student implements Cloneable{
private String name;
private Integer age;
private Clothe clothe;
public Clothe getClothe() {
return clothe;
}
public void setClothe(Clothe clothe) {
this.clothe = clothe;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public Integer getAge() {
return age;
}
public void setAge(Integer age) {
this.age = age;
}
//重写clone方法
public Object clone() throws CloneNotSupportedException {
return (Student)super.clone();
}
public Student(String name, Integer age, Clothe clothe) {
super();
this.name = name;
this.age = age;
this.clothe = clothe;
}
@Override
public String toString() {
return "Student [name=" + name + ", age=" + age + ", clothe=" + clothe + "]";
}
}
然后我们进行测试:
public static void main(String[] args) throws CloneNotSupportedException {
Clothe clo = new Clothe();
clo.setColor("red");
Student stu0 = new Student("张三", 12,clo);
Student stu1 = (Student) stu0.clone();
stu1.getClothe().setColor("blue");
System.out.println("stu1:"+stu1.toString());
System.out.println("stu0:"+stu0.toString());
}
运行结果;
我们可以发现在这里,我们修改stu1的color值,stu0的color值也会跟着修改,这是因为当我们克隆的只是clothe的实例,他的数据指向并没有发生变化,如下图所示: