1.final关键字
- 修饰变量:修饰的是常量,必须在定义时赋值,只能赋值一次,其值在运行时不能被修改
- 修饰方法:修饰的方法不能被重写,代码如下:
pubilc class Father{
final void fun(){}
}
public class Son extends Father{
void fun(){} //代码会报错,fun()方法不能被重写
}
- 修饰类:final修饰的类不能被继承,代码如下:
final class Father{
void fun(){}
}
public class Son extends Father{ //错误,无法继承父类
void fun(){}
}
2.super关键字
- super.方法名(参数列表):访问父类的方法
- super.成员变量:访问父类的成员变量
- super():调用父类的无参构造
- super(参数列表):调用父类的有参构造
//父类
public abstract class Animal {
private String type;
private String name;
private String color;
//无参构造
public Animal(){
}
//带type、name和color的有参构造
public Animal(String type,String name,String color){
this.type = type;
this.name = name;
this.color = color;
}
}
//子类
public class Cat extends Animal{
private int age;
//无参构造
public Cat(){
}
//带type、name、color和age的有参构造
public Cat(String type,String name,String color,int age){
super(type, name, color); //继承父类的带type、name、color和age的有参构造方法
this.age = age;
}
}
/*
super(type, name, color);
调用了父类的有参构造方法,相当于调用了:
this.type = type;
this.name = name;
this.color = color;
*/
3.this关键字
与super相比,this关键字是调用本类的,而super是用于调用父类的
- this.成员变量:访问的是本类的成员变量
- this():调用本类的无参构造
- this(参数列表):调用本类的有参构造
- this.方法名(参数列表):让类中的一个方法来访问类中的另一个方法或者实例变量
注意:
this();和this(参数列表); :是调用本类的构造器,必须放在构造器的第一行 super();和super(参数列表); :是调用父类的构造器,也必须放在第一行,所以这两只能出现一个