标题: 请教this用法。 [打印本页] 作者: 施俊 时间: 2012-3-7 15:24 标题: 请教this用法。 public class Hello
{
public static void main(String[] args)
{
new Hello(3L);
}
public Hello(long x)
{
this ((int) x);
System.out.println("a");
}
public Hello(int x)
{
this();
System.out.println("b");
}
public Hello()
{
System.out.println("c");
}
}
这个代码运行结果是“cba”,发现this用法比较特殊,这里的this是直接调用了函数吗?作者: 王思兰 时间: 2012-3-7 15:29
this代表就是它所在的当前对象,Hello类里this代表Hello这个类作者: 逄焕玮 时间: 2012-3-7 15:35
此处的this为构造方法重用,构造方法中的this调用本类中其他的构造方法,看参列,就会知道是用到了诸多重载的构造方法中的哪一个
还是发一下自个儿收藏的this的作用吧
this为一系统资源,只允许用户读而不允许写,它存放当前对象的地址(引用)
this变量有以下作用:
1. 构造方法重用:
public class Rectangle
{
public Rectangle(Location at, Shape size)
{…}
public Rectangle(Shape size,Location at)
{
this(at, size);
}
public Rectangle(Location at)
{
this(at, new Shape(100,100));
}
public Rectangle(Shape size)
{
this(size, new Location(1,1));
}
public Rectangle()
{
this(new Location(1,1), new Shape(100,100));
}
}
2、消除歧义:
class Location
{
private int x;
private int y;
public Location(int x,int y)
{
this.x=x;
this.y=y;
}
……
}
3、返回对象-链式方法调用:
public class Count
{
private int i = 0;
Count increment()
{
i++;
return this; //返回对象的地址,所以我们可以链式访问它
}
void print()
{
Sop("i = " + i);
}
}
public class CountTest
{
p s v main(String[] args)
{
Count x = new Count();
x.increment().increment().print();
}
}
4、作为参数传递"this”变量-进行回调:
假设有一个容器类和一个部件类,在容器类的某个方法中要创建部件类的实例对象,而部件类的构造方法要接受一个代表其所在容器的参数。例如:
class Container
{
Component comp;
public void addComponent()
{
comp = new Component(this);
//代表你所创建的对象,因为它要用到.
}
}
class Component
{
Container myContainer;
public Component(Container c)
{
myContainer = c;
}
}