實(shí)現(xiàn)Java多態(tài)性的時(shí)候,關(guān)于方法調(diào)用的優(yōu)先級(jí):
我們這樣假設(shè)下,super(超類)、this(當(dāng)前類對(duì)象)、show(方法)、object(對(duì)象),方法調(diào)用優(yōu)先順序: ①this.show(object)>②super.show(object)> ③this.show((super)object)>④super.show((super)object)
先看以下代碼
1
2
3
4
5
6
7
8
9
|
class ParentCls { public String show(ChildA obj){ return "Parent and ChildA" ; } public String show(ParentCls obj) { return "Parent" ; } } |
然后寫一個(gè)子類ChildA ,繼承ParentCls :
1
2
3
4
5
6
7
8
|
class ChildA extends ParentCls{ public String show(ChildA obj) { return "ChildA" ; }; public String show(ParentCls obj) { return "ChildA and Parent" ; }; } |
寫一個(gè)子類ChildB,繼承ChildA :
class ChildB extends ChildA{
}
測(cè)試下
1
2
3
4
5
6
7
8
9
10
|
public static void main(String[] args) { ParentCls p1 = new ParentCls(); ParentCls p2 = new ChildA(); ChildA a = new ChildA(); ChildB b = new ChildB(); System.out.println(p1.show(a)); System.out.println(b.show(a)); System.out.println(a.show(b)); System.out.println(p2.show(a)); } |
輸出
1
2
3
4
|
Parent and ChildA ChildA ChildA ChildA |
第一個(gè)輸出,p1是ParentCls的實(shí)例,且類ParentCls中有show(ChildA obj)方法,直接執(zhí)行該方法, ①有效;
第二個(gè)輸出,b是ChildB 的實(shí)例,類ChildB 中沒有show(ChildA obj)方法,①無效,再?gòu)腃hildB 的父類ChildA查找,ChildA中剛好有show(ChildA obj)方法,②有效;
第三個(gè)輸出,a是ChildA的實(shí)例,b是ChildB的實(shí)例,類ChildA中沒有show(ChildB obj)方法,①無效,再?gòu)腃hildA的父類ParentCls入手,ParentCls中也沒有show(ChildB obj)方法,②無效,從ChildB的父類入手,(super)ChildB 即是ChildA,所以a.show(b)=>a.show(a),ChildA中剛好有show(ChildA obj)方法,③有效;
④就不作演示,根據(jù)①②③很容易得出結(jié)論;
第四個(gè)輸出,體現(xiàn)Java多態(tài)性,符合①,但是p2是引用類ChildA的一個(gè)對(duì)象 ,ChildA 重寫覆蓋了ParentCls的show()方法,所以執(zhí)行ChildA 的show()方法;
補(bǔ)充知識(shí):Java中關(guān)于靜態(tài)塊,初始化快,構(gòu)造函數(shù)的執(zhí)行順序
代碼如下:
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
27
28
29
30
31
32
33
34
|
public class ParentDemo { static { System.out.println( "this is ParentDemo static" ); } { System.out.println( "this is ParentDemo code block" ); } public ParentDemo() { System.out.println( "this is ParentDemo constructor" ); } } public class SonDemo extends ParentDemo{ static { System.out.println( "this is SonDemo static" ); } { System.out.println( "this is SonDemo code block" ); } public SonDemo() { System.out.println( "this is SonDemo constructor" ); } } public class TestMain { public static void main(String[] args){ new SonDemo(); } } |
輸出結(jié)果:
1
2
3
4
5
6
|
this is ParentDemo static this is SonDemo static this is ParentDemo code block this is ParentDemo constructor this is SonDemo code block this is SonDemo constructor |
由上可見,Java中 靜態(tài)塊中的代碼在類加載時(shí)執(zhí)行,子類繼承父類。會(huì)按照繼承的順序先執(zhí)行靜態(tài)代碼塊。當(dāng)實(shí)例化對(duì)象的時(shí)候,同理會(huì)按照繼承的順序依次執(zhí)行如下代碼:
代碼塊,構(gòu)造函數(shù),當(dāng)父類的執(zhí)行完以后,再執(zhí)行子類。
以上這篇淺談Java方法調(diào)用的優(yōu)先級(jí)問題就是小編分享給大家的全部?jī)?nèi)容了,希望能給大家一個(gè)參考,也希望大家多多支持服務(wù)器之家。
原文鏈接:https://blog.csdn.net/u014063265/article/details/68063497