疯狂java学习笔记之面向对象(四) - this关键字

时间:2024-10-25 09:37:08

Java中this关键字主要有以下两个方法:

  1、this引用 - 可用于任何非static修饰的方法和构造器中,当this用于方法中时,它代表调用该方法的实例/对象;当this用于构造器中时,它代表构造器正在初始化的实例/对象

  2、this调用 - 只能在构造器的第一行出现。

如何区分this引用与this调用呢?

  this引用写法为:this.  ;  而this调用写法为:this();

例1:

 class TestThis{
private double weight;
private String name; public TestThis(String name){
//this引用在构造器中代表正在初始化的实例/对象
this.name = name;
} public void info(){
System.out.println("这个是:" + name + ",重量为:" + this.weight);
} public void bat(){
//this引用在方法中代表谁并不明确,具体是由哪个对象调用它而决定的
this.weight = weight + 10;
} public static void main(String[] args){
TestThis tt = new TestThis("猴子");
tt.bat();//第一次调用bat方法,重量增加10
tt.info();//输出为:这个是:猴子,重量为:10.0
tt.bat();//第二次调用bat方法,重量在上一次的基础上再加10
tt.info(); //输出为:这个是:猴子,重量为20.0
TestThis tb = new TestThis("犊子");
tb.info();//因为tb没调用bat方法,所以它的重量依旧为0 输出为:这个是:犊子,重量为0.0
}
}

例2:

 public class TestThis1 {
private String name; //封装后只能在当前类中访问
private double weight;
private int age; //构造器不需要声明返回值类型,若声明则会变为普通方法
//构造器重载:类似方法重载-在同一个类中构造器名字相同,但形参不同
public TestThis1(String name,int weight){
this.name = name;
this.weight = weight;
} public TestThis1(String name,int weight,int age){
this(name,100);//this() - 调用当前类的另一个构造器(根据参数去匹配调用哪个构造器)
this.age = 5;
} public void info(){
System.out.println("这个是:" + name + ",重量为:" + weight + "KG,年龄是:" + age);
} public static void bat(String name){
this.name = name;
} public static void main(String[] args){
TestThis1 t1 = new TestThis1("小象",60);
t1.info();//调用方法的本质就是找到info()方法并执行方法内的语句块
TestThis1 t2 = new TestThis1("大象",200,3);
t2.info();
}
}