this
this体现在很多地方,它的作用就是指代当前的对象。一般在Java中有三种用法
- 普通的直接引用
this 相当于是指向当前对象本身。 - 形参与成员名字重名,用 this 来区分
class Person { private int age = 10; public Person(){ System.out.println("年龄:" + age); } public int GetAge(int age){ this.age = age; // this指代本类 return this.age; } }
- 引用构造函数
super
super是继承中的一个概念,它表示子类对象对父类对象的引用。super有三种用法
- 普通的直接引用,使用super.变量名调用父类的非私有属性。
- 子类中的成员变量或方法与父类中的成员变量或方法同名
class Father {
private String name;
public int age = 10;
public void test() {
System.out.println("父类的普通方法");
}
}
class Son extends Father {
public void test() {
super.test(); // 子类想使用父类的普通方法,通过super调用
System.out.println(super.age); // 也可以使用父类的非私有成员
System.out.println("子类的普通方法");
}
}
public class Test {
public static void main(String[] args) {
Son son = new Son();
son.test();
}
}
结果:
父类的普通方法
10
子类的普通方法
-
引用构造函数
- super(参数):调用父类中的某一个构造函数(应该为构造函数中的第一条语句)。
- this(参数):调用本类中另一种形式的构造函数(应该为构造函数中的第一条语句)。class Person { Person() { System.out.println("父类·无参数构造方法: "+"A Person."); }//构造方法(1) Person(String name) { System.out.println("父类·含一个参数的构造方法: "+"A person's name is " + name); }//构造方法(2) } public class Chinese extends Person { Chinese() { super(); // 调用父类构造方法(1) System.out.println("子类·调用父类"无参数构造方法": "+"A chinese coder."); } Chinese(String name) { super(name);// 调用父类具有相同形参的构造方法(2) System.out.println("子类·调用父类"含一个参数的构造方法": "+"his name is " + name); } Chinese(String name, int age) { this(name);// 调用具有相同形参的构造方法(3) System.out.println("子类:调用子类具有相同形参的构造方法:his age is " + age); } public static void main(String[] args) { Chinese cn = new Chinese(); cn = new Chinese("codersai"); cn = new Chinese("codersai", 18); } }
结果:
父类·无参数构造方法: A Person.
子类·调用父类”无参数构造方法“: A chinese coder.
父类·含一个参数的构造方法: A person’s name is codersai
子类·调用父类”含一个参数的构造方法“: his name is codersai
父类·含一个参数的构造方法: A person’s name is codersai
子类·调用父类”含一个参数的构造方法“: his name is codersai
子类:调用子类具有相同形参的构造方法:his age is 18
总结
- super(参数):调用基类中的某一个构造函数(应该为构造函数中的第一条语句)
- this(参数):调用本类中另一种形成的构造函数(应该为构造函数中的第一条语句)
- super: 它引用当前对象的直接父类中的成员(用来访问直接父类中被隐藏的父类中成员数据或函数,基类与派生类中有相同成员定义时如:super.变量名 super.成员函数据名(实参) this:它代表当前对象名(在程序中易产生二义性之处,应使用 this 来指明当前对象;如果函数的形参与类中的成员数据同名,这时需用 this 来指明成员变量名)
- 调用super()必须写在子类构造方法的第一行,否则编译不通过。每个子类构造方法的第一条语句,都是隐含地调用 super(),如果父类没有这种形式的构造函数,那么在编译的时候就会报错。
- super() 和 this() 类似,区别是,super() 从子类中调用父类的构造方法,this() 在同一类内调用其它方法。
- super() 和 this() 均需放在构造方法内第一行。
- 尽管可以用this调用一个构造器,但却不能调用两个。
- this 和 super 不能同时出现在一个构造函数里面,因为this必然会调用其它的构造函数,其它的构造函数必然也会有 super 语句的存在,所以在同一个构造函数里面有相同的语句,就失去了语句的意义,编译器也不会通过。
- this() 和 super() 都指的是对象,所以,均不可以在 static 环境中使用。包括:static 变量,static 方法,static 语句块。
- 从本质上讲,this 是一个指向本对象的指针, 然而 super 是一个 Java 关键字。