1.this&super
什么是this,this是自身的一个对象,代表对象本身,可以理解为:指向对象本身的一个指针。当你想要引用当前对象的某种东西,比如当前对象的某个方法,或当前对象的某个成员,你便可以利用this来实现这个目的。要注意的是this只能在类中的非静态方法中使用,静态方法和静态的代码块中绝对不能出现this。his也可作为构造函数来使用。在后面可以看到
而什么是super,可以理解为是指向自己超(父)类对象的一个指针,而这个超类指的是离自己最近的一个父类。super的作用同样是可以作为构造函数使用,或者是获取被局部变量屏蔽掉的父类对象的某个同名变量的值。
2.作为构造函数使用
super(参数):调用父类中的某一个构造函数(应该为构造函数中的第一条语句)。
this(参数):调用本类中另一种形式的构造函数(应该为构造函数中的第一条语句)。
要记住的几个关键点是:在构造方法中this与super不能共存;其次有this或super出现的地方必须是构造方法的第1句;静态方法,也就是类方法中不能有this和super关键字。
经典的例子- class Person {
- public static void prt(String s) {
- System.out.println(s);
- }
-
- Person() {
- prt("A Person.");
- }//构造方法(1)
-
- Person(String name) {
- prt("A person name is:" + name);
- }//构造方法(2)
- }
-
- public class Chinese extends Person {
- Chinese() {
- super(); // 调用父类构造方法(1)
- prt("A chinese.");// (4)
- }
-
- Chinese(String name) {
- super(name);// 调用父类具有相同形参的构造方法(2)
- prt("his name is:" + name);
- }
-
- Chinese(String name, int age) {
- this(name);// 调用具有相同形参的构造方法(3)
- prt("his age is:" + age);
- }
-
- public static void main(String[] args) {
- Chinese cn = new Chinese();
- cn = new Chinese("kevin");
- cn = new Chinese("kevin", 22);
- }
- }
复制代码
执行结果为:
A Person.
A chinese.
A person name is:kevin
his name is:kevin
A person name is:kevin
his name is:kevin
his age is:22 |
|