this关键字
如果有同一类型的两个对象引用,a和b,当我们调用此类中的同一方法时,该类是怎样知道是谁调用的哪?
例子:
class Apple{
public void eat(int i){
System.out.println("吃" + i + "个苹果");
}
}
public class thisTest {
public static void main(String[] args) {
Apple a = new Apple();
Apple b = new Apple();
a.eat(2);
b.eat(3);
}
}
其实,编辑器为我们做了一些工作进行区分。它暗自将我们"所操作对象的引用"作为一个参数发送给调用的方法。上述方法的调用就变成这样
a.eat(a,2);
b.eat(b,3);
这是内部的表达形式,我们并不能这样书写表达式,并试图让编译器接受它。但是,通过它可理解幕后到底发生了什么事情。
如果我们想要在方法内部获取对当前对象的引用可以使用this关键字,注意this关键字只能在方法的内部使用,只有需要明确指出对当前对象的引用的时候才需要使用this关键字。
除此之外,使用this关键字还可以调用构造器(在构造器中),但是需要注意只能调用一个,不能调用两个,而且必须将构造器调用置于最起始处。
class Apple{
private int count;
public Apple() {
this(2);
System.out.println("苹果真好吃!");
}
public Apple(int count) {
this.count = count;
System.out.println("苹果的数量为 = " + this.count);
}
}
public class thisTest {
public static void main(String[] args) {
Apple apple = new Apple();
/*
苹果的数量为 = 2
苹果真好吃!
*/
}
}