标签:style blog class code java c
Java中的this随处可见,用法也多,现在整理有几点:
1. this是指当前对象自己。
当在一个类中要明确指出使用对象自己的的变量或函数时就应该加上this引用。如下面这个例子中:
1 public class Hello { 2 3 String s = "Hello"; 4 5 public Hello(String s) 6 7 { 8 9 System.out.println("s = " + s); 10 11 System.out.println("1 -> this.s = " + this.s); 12 13 this.s = s; 14 15 System.out.println("2 -> this.s = " + this.s); 16 17 } 18 19 public static void main(String[] args) { 20 21 Hello x="new" Hello("HelloWorld!"); 22 23 } 24 25 }
运行结果:
s = HelloWorld!
1 -> this.s = Hello
2 -> this.s = HelloWorld!
在这个例子中,构造函数Hello中,参数s与类Hello的变量s同名,这时如果直接对s进行操作则是对参数s进行操作。若要对类Hello的成员变量s进行操作就应该用this进行引用。运行结果的第一行就是直接对构造函数中传递过来的参数s进行打印结果; 第二行是对成员变量s的打印;第三行是先对成员变量s赋传过来的参数s值后再打印,所以结果是HelloWorld!
2. 把this作为参数传递
当你要把自己作为参数传递给别的对象时,也可以用this。如:
1 public class A { 2 3 public A() { 4 5 new B(this).print(); 6 7 } 8 9 public void print() { 10 11 System.out.println("Hello from A!"); 12 13 } 14 15 } 16 17 public class B { 18 19 A a; 20 21 public B(A a) { 22 23 this.a = a; 24 25 } 26 27 public void print() { 28 29 a.print(); 30 31 System.out.println("Hello from B!"); 32 33 } 34 35 }
运行结果:
Hello from A!
Hello from B!
在这个例子中,对象A的构造函数中,用new B(this)把对象A自己作为参数传递给了对象B的构造函数。
3. 在构造函数中,通过this可以调用同一class中别的构造函数,如
1 public class Flower{ 2 3 Flower (int petals){} 4 5 Flower(String ss){} 6 7 Flower(int petals, Sting ss){ 8 9 //petals++;调用另一个构造函数的语句必须在最起始的位置 10 11 this(petals); 12 13 //this(ss);会产生错误,因为在一个构造函数中只能调用一个构造函数 14 15 } 16 17 }
值得注意的是:
1:在构造调用另一个构造函数,调用动作必须置于最起始的位置。
2:不能在构造函数以外的任何函数内调用构造函数。
3:在一个构造函数内只能调用一个构造函数。
标签:style blog class code java c
原文地址:http://www.cnblogs.com/ouczw/p/3720132.html