Java关键字之this

来源:互联网 发布:贾巴尔数据 编辑:程序博客网 时间:2024/06/05 20:40

1、概述
this 关键字用来表示当前对象本身,或当前类的一个实例,通过 this 可以调用本对象的所有方法和属性。如:

public class Demo{    public int x = 10;    public int y = 15;    public void sum(){        // 通过 this 点取成员变量        int z = this.x + this.y;        System.out.println("x + y = " + z);    }    public static void main(String[] args) {        Demo obj = new Demo();        obj.sum();    }}/*运行结果:x + y = 25*/

上面的程序中,obj是Demo类的一个实例,this与obj 等价,执行 int z = this.x + this.y; 就相当于执行 int z = obj.x + obj.y;。

注意:this 只有在类实例化后才有意义。

2、使用this区分同名变量
成员变量与方法内部的变量重名时,希望在方法内部调用成员变量,怎么办呢?这时候只能使用this,如:

public class Demo{    public String name;    public int age;    public Demo(String name, int age){        this.name = name;        this.age = age;    }    public void say(){        System.out.println("网站的名字是" + name + ",已经成立了" + age + "年");    }    public static void main(String[] args) {        Demo obj = new Demo("123", 1);        obj.say();    }}/*运行结果:网站的名字是123,已经成立了1年*/

形参的作用域是整个方法体,是局部变量。在Demo()中,形参和成员变量重名,如果不使用this,访问到的就是局部变量name和age,而不是成员变量。在 say() 中,我们没有使用 this,因为成员变量的作用域是整个实例,当然也可以加上 this,如:

public void say(){    System.out.println("网站的名字是" + this.name + ",已经成立了" + this.age + "年");} 

Java 默认将所有成员变量和成员方法与 this 关联在一起,因此使用 this 在某些情况下是多余的。

3、作为方法名来初始化对象
也就是相当于调用本类的其它构造方法,它必须作为构造方法的第一句。示例如下:

public class Demo{    public String name;    public int age;    public Demo(){        this("123", 1);    }    public Demo(String name, int age){        this.name = name;        this.age = age;    }    public void say(){        System.out.println("网站的名字是" + name + ",已经成立了" + age + "年");    }    public static void main(String[] args) {        Demo obj = new Demo();        obj.say();    }}/*运行结果:网站的名字是123,已经成立了1年*/

(1)注意
1)在构造方法中调用另一个构造方法,调用动作必须置于最起始的位置。
2)不能在构造方法以外的任何方法内调用构造方法。
3)在一个构造方法内只能调用一个构造方法。

4、作为参数传递
需要在某些完全分离的类中调用一个方法,并将当前对象的一个引用作为参数传递。如:

public class Demo{    public static void main(String[] args){        B b = new B(new A());    }}class A{    public A(){        new B(this).print();  // 匿名对象    }    public void print(){        System.out.println("Hello from A!");    }}class B{    A a;    public B(A a){        this.a = a;    }    public void print() {        a.print();        System.out.println("Hello from B!");    }}/*运行结果:Hello from A!Hello from B!*/

匿名对象就是没有名字的对象。如果对象只使用一次,就可以作为匿名对象,代码中 new B(this).print(); 等价于 ( new B(this) ).print();,先通过 new B(this) 创建一个没有名字的对象,再调用它的方法。

0 0