C#virtual修饰词的使⽤
virtual关键字⽤于修改⽅法、属性、索引器或事件声明,并使它们可以在派⽣类中被重写。例如,此⽅法可被任何继承它的类替代:
public virtual double Area()
{
return x * y;
}
虚拟成员的实现可由派⽣类中的更改。
备注
调⽤虚拟⽅法时,将为替代的成员检查该对象的运⾏时类型。将调⽤⼤部分派⽣类中的该替代成员,如果没有派⽣类替代该成员,则它可能是原始成员。
默认情况下,⽅法是⾮虚拟的。不能替代⾮虚⽅法。
virtual 修饰符不能与 static、abstract, private 或 override 修饰符⼀起使⽤。以下⽰例显⽰了虚拟属性:
// 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()⽅法的相应实现来计算并显⽰每个对象的相应区域。
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;
writeline用什么替代}
}
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 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
*/

版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。