深克隆:
拷贝对象的基本属性,包括其类型,拷贝对象的引用类型。
如果被克隆的对象有引用对象,那么经过深克隆后将产生两个对象。
浅克隆:
只拷贝对象的基本属性。
需要实现cloneable接口,重写clone方法,此方法一定要是public 否则你无法使用该克隆对象。
并且第一句一定要是super.clone();
Demo:
深克隆
package com.belen.demo;
import java.lang.reflect.Method;
import org.junit.Test;
public class JavaCloneDemo {
/**
* @param args
*/
public static void main(String[] args) {
JavaCloneDemo jc = new JavaCloneDemo();
Processor p = jc.new Processor("dd", 3);
Processors p = jc.new Processors("", 3);
Student student = jc.new Student("s", 0, p);
Student sq = (Student) student.clone();
);
sq.p.age = 5;
sq.age = 3;
System.out.println(student.p.age);
System.out.println(student.age);
System.out.println(sq.age);
}
class Student implements Cloneable {
Processor p;
@Override
protected Object clone() throws CloneNotSupportedException {
Student s = null;
s = (Student) super.clone();
s.p = (Processor) p.clone();//将这句话去掉将是浅克隆
return s;
}
String name;//常量对象。
int age;
Processors p;//学生1和学生2的引用值都是一样的。
Student(String name, int age, Processors p) {
this.name = name;
this.age = age;
this.p = p;
}
}
class Processors implements Cloneable {
private String pName;
private String pAge;
public Processors(String pName, String pAge) {
this.pName = pName;
this.pAge = pAge;
}
public String getPName() {
return pName;
}
public void setPName(String name) {
pName = name;
}
public String getPAge() {
return pAge;
}
public void setPAge(String age) {
pAge = age;
}
public Object clone() throws CloneNotSupportedException {
return super.clone();
}
}
}