【Java 基础篇】【第九课】继承
程序员文章站
2022-06-15 13:41:25
...
继承就是为了提高代码的复用率。
利用继承,我们可以避免代码的重复。让Woman类继承自Human类,Woman类就自动拥有了Human类中所有public成员的功能。
我们用extends关键字表示继承:
看代码吧:
class Human
{
/*因为类中显式的声明了一个带参数构造器,所以默认的构造器就不存在了,但是你在子类的构造器中并没有显式
* 的调用父类的构造器(创建子类对象的时候,一定会去调用父类的构造器,这个不用问为什么),没有显式调用
* 的话,虚拟机就会默认调用父类的默认构造器,但是此时你的父类的默认构造器已经不存在了,这也就是为什么父
* 类中必须保留默认构造器的原因。
* PS.应该养成良好的编程习惯,任何我们自己定义的类,都显式的加上默认的构造器,以后更深入的学习之后,
* 会发现有很多好处
*/
public Human()
{
}
public Human(int h)
{
System.out.println("human construction");
this.height = h;
}
public int getHeight()
{
return this.height;
}
public void growHeight(int h)
{
this.height = this.height + h;
}
public void breath()
{
System.out.println("hu.....hu.....");
}
private int height;
}
class Woman extends Human
{
public Human giveBirth()
{
System.out.println("Give birth");
return (new Human(20));
}
}
public class test
{
public static void main(String[] args)
{
Woman girl = new Woman();
girl.breath();
girl.growHeight(100);
System.out.println(girl.getHeight());
Human baby = girl.giveBirth();
System.out.println(baby.getHeight());
baby.growHeight(12);
System.out.println(baby.getHeight());
}
}
输出:
hu.....hu.....
100
Give birth
human construction
20
32
需要注意 的地方:
1.子类中要是要调用基类的成员变量的话,成员变量必须是 protected 或者是 public;
2.子类中可以使用super关键字来指代基类对象,使用super() 相当于调用基类的构造函数,super.成员也可以访问。
看代码吧:
class Human
{
public Human(int h)
{
System.out.println("human construction");
this.height = h;
}
public int getHeight()
{
return this.height;
}
public void growHeight(int h)
{
this.height = this.height + h;
}
public void breath()
{
System.out.println("hu.....hu.....");
}
protected int height;
}
class Woman extends Human
{
public Woman(int h)
{
super(h);
System.out.println("Woman construction");
}
public Human giveBirth()
{
System.out.println("Give birth");
return (new Human(20));
}
}
public class test
{
public static void main(String[] args)
{
Woman girl = new Woman(20);
girl.breath();
girl.growHeight(100);
System.out.println(girl.getHeight());
Human baby = girl.giveBirth();
System.out.println(baby.getHeight());
baby.growHeight(12);
System.out.println(baby.getHeight());
}
}
输出结果:
human construction
Woman construction
hu.....hu.....
120
Give birth
human construction
20
32
转载于:https://blog.51cto.com/xdtesting/1869739
上一篇: 获取一个实体类的所有非静态属性
下一篇: MySQL分区表(理论+实战)