C#多態性
多態是指有多種形式。在麵向對象的編程範例,多態性通常表示為“一個接口,多個功能”。
多態性可以是靜態或動態的。在靜態多態性的響應函數是在編譯時確定。在動態多態,判定是在運行時。
靜態多態性
鏈接一個函數使用對象的機製在編譯時被稱為早期綁定。它也被稱為靜態綁定。 C#提供了兩種技術來實現靜態多態性。它們是:
-
函數重載
-
操作符重載
我們將在下一節中介紹操作符重載,並在下一章將處理討論函數重載。
函數重載
您可以在同一範圍內的同一函數名多個定義。函數的定義必須由類型和/或參數列表參數的數目彼此不同。不能重載函數聲明僅相差返回類型。
以下是相同函數print()用於打印不同的數據類型的例子:
using System; namespace PolymorphismApplication { class Printdata { void print(int i) { Console.WriteLine("Printing int: {0}", i ); } void print(double f) { Console.WriteLine("Printing float: {0}" , f); } void print(string s) { Console.WriteLine("Printing string: {0}", s); } static void Main(string[] args) { Printdata p = new Printdata(); // Call print to print integer p.print(5); // Call print to print float p.print(500.263); // Call print to print string p.print("Hello C++"); Console.ReadKey(); } } }
讓我們編譯和運行上麵的程序,這將產生以下結果:
Printing int: 5 Printing float: 500.263 Printing string: Hello C++
動態多態性
C#允許創建用於提供部分類實現接口的抽象類。當一個派生類從它繼承實施完成。抽象類包含抽象方法,這是由派生類中實現。派生類有更多的專門功能。
請注意,關於抽象類以下規則:
-
不能創建一個抽象類的實例
-
一個抽象類之外,不能聲明抽象方法
-
當一個類被聲明密封的,它不能被繼承,抽象類不能聲明密封。
下麵的程序演示了一個抽象類:
using System; namespace PolymorphismApplication { abstract class Shape { public abstract int area(); } class Rectangle: Shape { private int length; private int width; public Rectangle( int a=0, int b=0) { length = a; width = b; } public override int area () { Console.WriteLine("Rectangle class area :"); return (width * length); } } class RectangleTester { static void Main(string[] args) { Rectangle r = new Rectangle(10, 7); double a = r.area(); Console.WriteLine("Area: {0}",a); Console.ReadKey(); } } }
讓我們編譯和運行上麵的程序,這將產生以下結果:
Rectangle class area : Area: 70
當要在繼承的類(ES)實現了一個類中定義一個函數,使用虛函數。虛函數可以在不同的繼承類不同的方式實現,並調用這些函數在運行時決定。
動態多態是由抽象類和虛函數實現的。
下麵的程序說明了這一點:
using System; namespace PolymorphismApplication { class Shape { protected int width, height; public Shape( int a=0, int b=0) { width = a; height = b; } public virtual int area() { Console.WriteLine("Parent class area :"); return 0; } } class Rectangle: Shape { public Rectangle( int a=0, int b=0): base(a, b) { } public override int area () { Console.WriteLine("Rectangle class area :"); return (width * height); } } class Triangle: Shape { public Triangle(int a = 0, int b = 0): base(a, b) { } public override int area() { Console.WriteLine("Triangle class area :"); return (width * height / 2); } } class Caller { public void CallArea(Shape sh) { int a; a = sh.area(); Console.WriteLine("Area: {0}", a); } } class Tester { static void Main(string[] args) { Caller c = new Caller(); Rectangle r = new Rectangle(10, 7); Triangle t = new Triangle(10, 5); c.CallArea(r); c.CallArea(t); Console.ReadKey(); } } }
讓我們編譯和運行上麵的程序,這將產生以下結果:
Rectangle class area: Area: 70 Triangle class area: Area: 25