Java 的 this 关键词

Java 的 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();
    }
}

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

使用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:"+name +" age:"+ age);
    }


    public static void main(String[] args) {

        Demo obj = new Demo("阿文",23);
        obj.say();
    }
}

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

public void say() {
      System.out.println("Name:"+this.name +" age:"+ this.age);
  }

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

作为方法名来初始化对象

也就是相当于调用本类的其它构造方法,它必须作为构造方法的第一句。示例如下:

public class Demo {

    public String name;
    public int age;

    public Demo(){
        this("阿文",23);
    }

    public Demo(String name,int age) {
        this.name = name;
        this.age = age;
    }

    public void say() {
        System.out.println("Name:"+this.name +" age:"+ this.age);
    }


    public static void main(String[] args) {

        Demo obj = new Demo();
        obj.say();
    }
}

注意

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

上述代码还涉及到方法重载,即Java允许出现多个同名方法,只要参数不同就可以。

作为参数传递

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("A");
        }
    }

    class B {

        A a;

        public B(A a) {
            this.a = a;
        }

        public void print(){
            a.print();
            System.out.println("B");
        }

    }

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