3. 自定义一个Father类(有构造函数)和一个Son类(有构造函数),二者具有遗传关系,在Son类必须使用方法重写(@Override)和super,其它内容自行定义。
时间: 2024-10-24 18:06:27 浏览: 14
Python子类继承父类构造函数详解
5星 · 资源好评率100%
在Java中,我们可以创建一个`Father`类作为父类,并为其添加一个默认的构造函数。接着,我们可以定义一个`Son`类,它继承自`Father`,并实现方法重写。
```java
// 父类Father
public class Father {
// 构造函数
public Father() {
System.out.println("Father constructor called.");
}
// 定义一个非抽象方法
public void defaultMethod() {
System.out.println("This is a default method in the Father class.");
}
}
// 子类Son,实现了方法重写并使用super关键字
public class Son extends Father {
// 子类构造函数,需要调用父类构造函数
public Son() {
super(); // 调用父类构造函数
System.out.println("Son constructor called.");
}
// 方法重写,使用@Override注解标记
@Override
public void defaultMethod() {
System.out.println("This is an overridden method in the Son class.");
}
// 可能的额外行为
public void sonSpecificMethod() {
System.out.println("Doing something specific in the Son class.");
}
}
```
在这个例子中,当我们在`Son`类中调用`defaultMethod()`时,会执行子类版本的实现,因为它是对父类方法的重写。同时,`super()`用于调用父类的构造函数,确保了子类实例化时的初始化流程。
阅读全文