一、Clonable实现深浅拷贝
当我们想实现对象的拷贝时,我们就需要实现Clonable接口.
//定义一个学生类
class Student implements Cloneable {
public String name;
}
我们可以发现Clonable接口是一个空接口,也可以称作标记接口.
我们发现Student类实现了Clonable接口但还是不能克隆.
我们在底层发现,clone()方法是protected修饰的,不同包只能通过子类super.调用,所以我们在Student必须重写这个方法.
class Student implements Cloneable {
public String name;
@Override
protected Object clone() throws CloneNotSupportedException {
return super.clone();
}
}
我们重写之后发现,还是不能调用clone()方法,我们继续看底层代码.
我们可以发现父类抛了一个异常,那么我们也必须加上.
因为它返回的是一个Object类型的,我们必须强制转换为Student类型.
public static void main(String[] args) throws CloneNotSupportedException {
Student student = new Student();
student.name = "张三";
Student student1 = (Student) student.clone();
}
public static void main(String[] args) throws CloneNotSupportedException {
Student student = new Student();
student.name = "张三";
Student student1 = (Student) student.clone();
System.out.println(student);
System.out.println(student1);
}
我们打印了一下对象,这时候Student对象已经克隆成功,但这里只是浅拷贝.
class IScore {
double score;
}
class Student implements Cloneable {
public String name;
public IScore iScore = new IScore();
@Override
protected Object clone() throws CloneNotSupportedException {
return super.clone();
}
@Override
public String toString() {
return "Student{" +
"name='" + name + '\'' +
'}';
}
}
public static void main(String[] args) throws CloneNotSupportedException {
Student student = new Student();
student.name = "张三";
Student student1 = (Student) student.clone();
student.iScore.score = 100;
System.out.println("student: "+student.iScore.score);
System.out.println("student1: "+student1.iScore.score);
}
我们可以发现在克隆后,修改student的score,student1的score也被修改了.
我们发现,两个对象指向了同一块Score,所以我们要将Score也进行克隆.
class IScore implements Cloneable{
double score;
@Override
protected Object clone() throws CloneNotSupportedException {
return super.clone();
}
}
class Student implements Cloneable {
public String name;
public IScore iScore = new IScore();
@Override
protected Object clone() throws CloneNotSupportedException {
Student student = (Student)super.clone();
student.iScore = (IScore)this.iScore.clone();
return student;
}
}
这样就可以实现深拷贝.
二、抽象类与接口的区别
1、抽象类中可以包含普通方法,但接口中只能包含public与abstract方法(JDK 1.8之前),JDK1.8之后允许接口中出现default方法;
2、抽象类中的成员变量没有访问权限的限制,但接口中的变量只能被public static final修饰;
3、一个接口可以继承多个接口,但一个类只能有一个父类,类可以实现多个接口;
4、抽象类是对一类事物的抽象,接口则是对行为的抽象。一个类继承一个抽象类代表“是不是”的关系,而一个类实现一个接口则表示“有没有”的关系。
核心区别: 抽象类中可以包含普通方法和普通字段, 这样的普通方法和字段可以被子类直接使用(不必重写), 而接口中不能包含普通方法, 子类必须重写所有的抽象方法.