virtual (C# 參考)
virtual 關鍵字的用途是修改方法、屬性、索引子 (Indexer) 或事件宣告,以及允許在衍生類別 (Derived Class) 中予以覆寫。例如,這個方法可由任一繼承它的類別來覆寫:
public virtual double Area()
{
return x * y;
}
虛擬成員的實作可以由衍生類別裡的覆寫成員來更改。如需如何使用 virtual 關鍵字的詳細資訊,請參閱使用 Override 和 New 關鍵字進行版本控制 (C# 程式設計手冊) 和了解使用 Override 和 New 關鍵字的時機 (C# 程式設計手冊)。
備註
當叫用虛擬方法時,會檢查物件的執行階段型別的覆寫成員。會呼叫大多數衍生類別裡的覆寫成員,而且如果衍生類別都沒有覆寫成員,這可能是原始成員。
根據預設,方法是非虛擬的。您不能覆寫非虛擬方法。
virtual 修飾詞 (Modifier) 不能與 static、abstract, private 或 override 等修飾詞一起使用。下列範例說明虛擬屬性:
class MyBaseClass
{
// virtual auto-implemented property. Overrides can only
// provide specialized behavior if they implement get and set accessors.
public virtual string Name { get; set; }
// ordinary virtual property with backing field
private int num;
public virtual int Number
{
get { return num; }
set { num = value; }
}
}
class MyDerivedClass : MyBaseClass
{
private string name;
// Override auto-implemented property with ordinary property
// to provide specialized accessor behavior.
public override string Name
{
get
{
return name;
}
set
{
if (value != String.Empty)
{
name = value;
}
else
{
name = "Unknown";
}
}
}
}
除了宣告和引動過程語法的差異之外,虛擬屬性的行為就像抽象方法一樣。
在靜態屬性上使用 virtual 修飾詞是錯誤的。
衍生類別裡的虛擬繼承屬性可以藉著包含使用 override 修飾詞的屬性宣告來覆寫。
範例
在此範例中,Shape 類別包含兩個座標 x、y,以及 Area() 虛擬方法。不同圖案類別如 Circle、Cylinder 和 Sphere 繼承 Shape 類別,並為每一種圖形計算表面積。每一個衍生類別有其自己的 Area() 覆寫實作。
請注意,繼承的類別Circle, Sphere,以及Cylinder所有使用初始化基底類別中,執行個體建構函式,下列宣告所示。
public Cylinder(double r, double h): base(r, h) {}
下列程式會計算並顯示適當的區域,每一個圖形,藉由叫用適當的實作的Area()方法中,這個方法相關聯的物件。
class TestClass
{
public class Shape
{
public const double PI = Math.PI;
protected double x, y;
public Shape()
{
}
public Shape(double x, double y)
{
this.x = x;
this.y = y;
}
public virtual double Area()
{
return x * y;
}
}
public class Circle : Shape
{
public Circle(double r) : base(r, 0)
{
}
public override double Area()
{
return PI * x * x;
}
}
class Sphere : Shape
{
public Sphere(double r) : base(r, 0)
{
}
public override double Area()
{
return 4 * PI * x * x;
}
}
class Cylinder : Shape
{
public Cylinder(double r, double h) : base(r, h)
{
}
public override double Area()
{
return 2 * PI * x * x + 2 * PI * x * y;
}
}
static void Main()
{
double r = 3.0, h = 5.0;
Shape c = new Circle(r);
Shape s = new Sphere(r);
Shape l = new Cylinder(r, h);
// Display results:
Console.WriteLine("Area of Circle = {0:F2}", c.Area());
Console.WriteLine("Area of Sphere = {0:F2}", s.Area());
Console.WriteLine("Area of Cylinder = {0:F2}", l.Area());
}
}
/*
Output:
Area of Circle = 28.27
Area of Sphere = 113.10
Area of Cylinder = 150.80
*/
C# 語言規格
如需詳細資訊,請參閱 C# 語言規格。語言規格是 C# 語法和用法的限定來源。