原型模式
概述
浅复制和深复制
浅复制:被复制对象的所有变量都含有与原来的对象相同的值,而所有对其他对象的引用都仍然指向原来的对象
深复制:把引用对象的变量指向复制过的新对象,而不是原有的被引用的对象
示例代码
打印的结果是lifengxing 所以说明不是同一个对象。
在深度克隆下(有引用类型)
public class Person implements Cloneable{
// 姓名
private String name;
// 年龄
private int age;
// 性别
private String sex;
//朋友
private List<String> friends;
public List<String> getFriends() {
return friends;
}
public void setFriends(List<String> friends) {
this.friends = friends;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
public String getSex() {
return sex;
}
public void setSex(String sex) {
this.sex = sex;
}
public Person clone() {
try {
Person person = (Person)super.clone();
List<String> newfriends = new ArrayList<String>();
for(String friend : this.getFriends()) {
newfriends.add(friend);
}
person.setFriends(newfriends);
return person;
} catch (CloneNotSupportedException e) {
e.printStackTrace();
return null;
}
}
}
关键代码
try {
Person person = (Person)super.clone();
List<String> newfriends = new ArrayList<String>();
for(String friend : this.getFriends()) {
newfriends.add(friend);
}
person.setFriends(newfriends);
return person;
} catch (CloneNotSupportedException e) {
e.printStackTrace();
return null;
}
必须实现Cloneable ,不然会抛出catch里面的异常
主函数
public static void main(String[] args) {
// Person person1 = new Person();
// person1.setName("lifengxing");
// person1.setAge(30);
// person1.setSex("男");
//
Person person2 = person1;
// Person person2 = person1.clone();
//
// System.out.println(person1.getName());
// System.out.println(person1.getAge());
// System.out.println(person1.getSex());
//
// System.out.println(person2.getName());
// System.out.println(person2.getAge());
// System.out.println(person2.getSex());
Person person1 = new Person();
List<String> friends = new ArrayList<String>();
friends.add("James");
friends.add("Yao");
person1.setFriends(friends);
Person person2 = person1.clone();
System.out.println(person1.getFriends());
System.out.println(person2.getFriends());
friends.add("Mike");
person1.setFriends(friends);
System.out.println(person1.getFriends());
System.out.println(person2.getFriends());
}