JAVA---super关键字和this关键字的区别

时间:2025-04-01 21:03:28

this关键字的使用

(1)this能出现在实例方法和构造方法中;
(2)this的语法是“this.”和“this()”;
(3)this不能出现在静态方法中;
(4)this大部分情况下是可以省略的;
(5)this.什么时候不能省略呢?
在区*部变量和实例变量时不能省略。例如:

public void setName(String name){
	this.name = name;
}

super关键字的使用:

(1)super能出现在实例方法和构造方法中。
(2)super的语法是“super.”和“super()”。
(3) super不能出现在静态方法中。
(4) super大部分情况下是可以省略的。
(5)super.什么时候不能省略呢?

子类和父类有相同的方法,想要去访问父类的使用 super.方法名去访问 (子父类都有 想要访问父类的 就是要用super关键字 )

this指向的是当前对象也就是自己,super和this类似,它指向了当前对象自己的父类型特征(也就是继承过来的那些东西)。 父类中的this和子类中的this都是指向子类对象的

System.out.println(this);  //输出()的值
System.out.println(super);  //编译报错,需要'.'

this可以整体输出 super只能局部输出

和super都只能在对象内部使用。
代表当前对象本身,super代表当前对象的父类型特征。
“.”是一个实例对象内部为了区分实例变量和局部变量。
而“super.”是一个实例对象为了区分是子类的成员还是父类的成员。
4.父类有,子类也有,子类想访问父类的,“super.”不能省略。

和this(本类的构造方法)关键字都只能出现在构造方法的首行
6.使用super的前提是必须有继承关系

当子类的构造方法内第一行没有出现“super()”时,系统会默认给它加上无参数的"super()"方法。

构造方法中“this()”和“super()”不能同时出现,也就是“this()”和“super()”都只能出现在构造方法的第一行。

public class MyTest {
	public static void main(String[] args) {
		new Cat(); 
	}
}
//父类,Animal类
class Animal {
	//构造函数
	public Animal() {
		super();//调用的object类的无参构造方法
		System.out.println("1:Animal类的无参数构造函数执行");
	}
	public Animal(int i) {
		super();//调用的object类的无参构造方法
		System.out.println("2:Animal类的有int参数构造函数执行");
	}
}
//子类,Cat类
class Cat extends Animal{
	//构造函数
	public Cat() {
		this("");//调用的是Cat类中有参构造方法
		System.out.println("3:Cat类的无参数构造函数执行");
	}
	public Cat(String str) {
		super(5);
		System.out.println("4:Cat类的有String参数构造函数执行");
	}
}

输出结果: 2:Animal类的有int参数构造函数执行"
4:Cat类的有String参数构造函数执行
3:Cat类的无参数构造函数执行

不管你创建什么对象,Object对象的无参数构造方法一定会先执行,因为Object是所有类的基类。

什么时候使用super关键字

public class MyTest {
	
	public static void main(String[] args) {
		Cat c1 = new Cat(3); 
		System.out.println("名字:" + c1.getName());
		System.out.println("年龄:" + c1.getAge());
	}
}

//父类,Animal类
class Animal {
	//私有属性:名字
	private String name;
	//setter and getter
	public void setName(String name) {
		this.name = name;
	}
	public String getName() {
		return name;
	}
	//构造函数
	public Animal() {
	}
	public Animal(String name) {
		this.name = name;
	}
}
//子类,Cat类
class Cat extends Animal{
	//私有字段:年龄
	private int age;
	//setter and getter
	public void setAge(int age) {
		this.age = age;
	}
	public int getAge() {
		return age;
	}
	//构造函数
	public Cat() {
	}
	public Cat(int age) {
		this.age = age;
	}
	public Cat(String name, int age) {
	       //因为name属性是私有的
	     //  = name; //报错
	      //setName(name); 正确
	      super(name);//最好的方式
	      this.age = age
}
}

名字:null
年龄:3

总结:

1、this和super一样,都是对象内部的引用变量,只能出现在 对象内部;
2、this指向当前对象自己,super指向当前对象的父类型特征,故this的东西比super多,也就是super是this的一部分;
3、this()和super()都只能出现在构造方法的第一行,故this()和super()方法不能共存,当一个类的构造方法第一行中没有this(),也没有super(),系统默认有super()方法;
4、this()是构造方法中调用本类其他的构造方法,super()是当前对象构造方法中去调用自己父类的构造方法。

重点:普通方法中 不能去调用构造方法 但构造方法中可以调用普通方法(this和super 调用构造器都只能在 构造器首行使用)
最主要的区别 this指向对象本身 super指向父类