面向对象之继承

类继承

注意,被final标记的类不能被继承

  创建一个Person类,

1
2
3
public class Person {

}

  Boy类继承Person

1
2
3
public class Boy extends Person {

}

  在Person类中添加方法

1
2
3
4
5
6
7
8
9
10
11
12
13
public class Person {
public void age() {
System.out.println("年龄");
}

public void height() {
System.out.println("身高");
}

public void width() {
System.out.println("体重");
}
}

  因为Boy是继承Person,所以可以调用Person类中的方法

1
2
3
4
5
6
7
8
9
10
11
12
public class Boy extends Person {
public void name() {
System.out.println("小明");
}

public static void main(String[] args) {
Boy boy = new Boy();
boy.height();
boy.width();
boy.age();
}
}

  如上代码在Boy类的main方法中调用Person类的三个方法,将会输出

1
2
3
身高
体重
年龄

方法重写

注意事项

  1. private方法不能被重写
  2. final标记的方法不能被重写
  3. static方法不能被重写,所以static方法无需再标记final

  在Boy类中可以对Person类已有的方法重写

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
public class Boy extends Person {
@Override
public void age() {
System.out.println("年龄18");
}

@Override
public void height() {
System.out.println("身高180");
}

@Override
public void width() {
System.out.println("体重120");
}

public static void main(String[] args) {
Boy boy = new Boy();
boy.height();
boy.width();
boy.age();
}
}

  此时将会输出

1
2
3
身高180
体重120
年龄18

  如果想在子类中调用父类的方法,可以使用super关键字

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
public class Boy extends Person {
@Override
public void age() {
super.age();
System.out.println("年龄18");
}

@Override
public void height() {
super.height();
System.out.println("身高180");
}

@Override
public void width() {
super.width();
System.out.println("体重120");
}

public static void main(String[] args) {
Boy boy = new Boy();
boy.height();
boy.width();
boy.age();
}
}

  此时将会输出

1
2
3
4
5
6
身高
身高180
体重
体重120
年龄
年龄18