this关键字作用
this关键字代表了所属函数的调用者对象。
作用:
- 如果存在同名成员变量与局部变量时,在方法内部默认是访问局部变量的数据,可以通过this关键字指定访问成员变量的数据。
- 在一个构造函数中可以调用另外一个构造函数,初始化对象。
调用其他关键字的时候要注意:
(1)this关键字调用其他的构造函数时,this关键字必须要位于构造函数中的第一个语句
(2)this关键字在构造函数中不能出现相互调用的情况,因为是个死循环。
this关键字注意事项:
- 存在同名的成员变量与局部变量时,在方法内部访问的是局部变量(java采取“就近原则”的机制访问)。
- 如果在一个方法中访问了一个变量,该变量只存在成员变量的情况下,那么java编译器会在该变量的前面加上this关键字。
case1:
class Animal{
String name ; //成员变量
String color;
public Animal(String n , String c){
name = n;
color = c;
}
//this关键字代表了所属函数的调用者对象
public void eat(){
//System.out.println("this:"+ this);
String name = "老鼠"; //局部变量
System.out.println(name+"在吃..."); //需求: 就要目前的name是成员变量的name.
}
}
class Demo6
{
public static void main(String[] args)
{
Animal dog = new Animal("狗","白色"); //现在在内存中存在两份name数据。
Animal cat = new Animal("猫","黑色");
cat.eat();
}
}
case2:
class Student{
int id; //身份证
String name; //名字
//目前情况:存在同名 的成员 变量与局部变量,在方法内部默认是使用局部变量的。
public Student(int id,String name){ //一个函数的形式参数也是属于局部变量。
this(name); //调用了本类的一个参数的构造方法
//this(); //调用了本类无参的 构造方法。
this.id = id; // this.id = id 局部变量的id给成员变量的id赋值
System.out.println("两个参数的构造方法被调用了...");
}
public Student(){
System.out.println("无参的构造方法被调用了...");
}
public Student(String name){
this.name = name;
System.out.println("一个参数的构造方法被调用了...");
}
}
class Demo7
{
public static void main(String[] args)
{
Student s = new Student(110,"铁蛋");
System.out.println("编号:"+ s.id +" 名字:" + s.name);
/*
Student s2 = new Student("金胖子");
System.out.println("名字:" + s2.name);
*/
}
}