本文实例讲述了java动态方法调度。分享给大家供大家参考,具体如下:
动态方法调度:
1. 访问一个引用型的变量的非静态方法,运行时与实际引用的对象的方法绑定。
2. 访问一个引用型的变量的静态方法,运行时与声明的类的方法绑定。
3. 访问一个引用型的变量的成员变量(包括静态变量和实例变量),运行时与声明的类的成员变量绑定。
第3点尤其注意啊,之前我从来没注意过啊
1. 非静态方法:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
public class Person { public String name; public void getInfo() { System.out.println( "父类" ); } } public class Student extends Person { public void getInfo() { // 方法重写 super .getInfo(); // 调用父类的方法 System.out.println( "子类" ); } public static void main(String[] args) { Person s = new Student(); Person t = new Person(); s = t; // S的对象类型是父类,即Person类 s.getInfo(); } } |
运行结果为:父类
2. 静态方法:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
public class Person { public String name; public static void getInfo() { System.out.println( "父类" ); } } public class Student extends Person { Publics static void getInfo() { // 方法重写 System.out.println( "子类" ); } public static void main(String[] args) { Person s = new Student(); s.getInfo(); //等价于Person.getInfo(); } } |
运行结果为:父类
3. 成员变量
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
|
public class erson { public String name = "father" ; public void getInfo() { System.out.println( "父类" ); } } public class Student extends Person { public String name = "son" ; public void getInfo() { // 方法重写 super .getInfo(); // 调用父类的方法 System.out.println( "子类" ); } public static void main(String[] args) { Person s = new Student(); Person t = new Person(); s = t; System.out.println(s.name); } } |
运行结果:fanther
将成员变量变为static类型的也是一样的
另外对于如下两个变量
1
2
|
Students = new Student(); Person t = new Student(); |
不过这两者实际上是有区别的,当子类Student中有了自己的个性方法(在父类中没有的)时,比如有了方法
1
2
|
public goSchool(){ } |
那么只有s可以调用这个goSchool方法
而t不能调用
希望本文所述对大家java程序设计有所帮助。