標籤:
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 只有在類執行個體化後才有意義。
使用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("微學苑", 3);
- obj.say();
- }
- }
運行結果:
網站的名字是微學苑,已經成立了3年
形參的範圍是整個方法體,是局部變數。在Demo()中,形參和成員變數重名,如果不使用this,訪問到的就是局部變數name和age,而不是成員變數。在 say() 中,我們沒有使用 this,因為成員變數的範圍是整個執行個體,當然也可以加上 this:
- public void say(){
- System.out.println("網站的名字是" + this.name + ",已經成立了" + this.age + "年");
- }
Java 預設將所有成員變數和成員方法與 this 關聯在一起,因此使用 this 在某些情況下是多餘的。
作為方法名來初始化對象
也就是相當於調用本類的其它構造方法,它必須作為構造方法的第一句。樣本如下:
- public class Demo{
- public String name;
- public int age;
-
- public Demo(){
- this("微學苑", 3);
- }
-
- 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();
- }
- }
運行結果:
網站的名字是微學苑,已經成立了3年
值得注意的是:
- 在構造方法中調用另一個構造方法,調用動作必須置於最起始的位置。
- 不能在構造方法以外的任何方法內調用構造方法。
- 在一個構造方法內只能調用一個構造方法。
上述代碼涉及到方法重載,即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("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) 建立一個沒有名字的對象,再調用它的方法。
8.Java this關鍵字詳解