this在java中的用法
1.使用this关键字引用成员变量
作用:解决成员变量与参数或局部变量命名冲突的问题
public class Dog {
String name;
public Dog(String name) {
this.name = name;
}
}
2.使用this关键字引用成员函数。在方法中引用调用该方法的对象
作用:让类中一个方法,访问该类的另一个方法或实例变量
class Dog {
public void jump() {
System.out.println("正在执行jump方法");
}
public void run() {
Dog d = new Dog();
d.jump();
System.out.println("正在执行run方法");
}
}
public class DogTest {
public static void main(String[] args) {
Dog dog = new Dog();
dog.run();
}
}
Dog类中run方法调用jump方法一定要通过对象调用,因为jump方法并没有被static修饰。但不必在run()方法中重新定义一个Dog类,因为DogTest类中当程序调用run()方法时,一定会提供一个Dog对象,这样就可以直接使用这个已经存在的Dog对象,而无须创建新的Dog对象。
因此通过this关键字就可以在run()方法中调用该方法的对象
即
public void run(){
this.jump();//Java允许省略this前缀,即可直接写成jump();
System.out.println("正在执行run方法");
}
static修饰的方法中不能使用this引用
例如:
public class DogTest {
public void dog() {
System.out.println("汪汪汪");
}
public static void main(String[] args){
this.dog(); //报错:Cannot use this in a static context。
//省略掉this的情况下:同样报错,因为在静态方法中,不能直接访问非静态成员(包括方法和变量)。非静态的变量是依赖于对象存在的,对象必须实例化之后,它的变量才会在内存中存在。
//解决办法:法1.将dog()同样设置为静态 法2.先实例化对象,然后使用对象来调用函数
}
}
3.使用this关键字在自身构造方法内部引用其它构造方法
在某个构造方法内使用this(参数列表),即可跳转到其他构造方法
4.用this关键字代表自身类的对象
return this 即代表return整个自身类