美文网首页
C# abstract virtual

C# abstract virtual

作者: 86a262e62b0b | 来源:发表于2019-10-15 22:56 被阅读0次

参考文档:
abstract
virtual

概念:用 abstract 修饰符来指示某个类仅用作其他类的基类,而不用于自行进行实例化。 标记为抽象的成员必须由派生自抽象类的非抽象类来实现。

1. 抽象类特点:

  • 抽象类不能实例化。
  • 抽象类可能包含抽象方法和访问器。
  • 无法使用 sealed 修饰符来修改抽象类,因为两个修饰符的含义相反。详细请见sealed代码案例
  • 派生自抽象类的非抽象类,必须包含全部已继承的抽象方法和访问器的实际实现。

2. 抽象方法特点:

  • 抽象方法是隐式的虚拟方法。
  • 只有抽象类中才允许抽象方法声明。
  • 由于抽象方法声明不提供实际的实现,因此没有方法主体;方法声明仅以分号结尾,且签名后没有大括号 ({ })。 例如:
public abstract void MyMethod();  

实现由方法 override 提供,它是非抽象类的成员。

  • 在抽象方法声明中使用 staticvirtual 修饰符是错误的。

3.virtual

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# abstract virtual

      本文链接:https://www.haomeiwen.com/subject/kqaoectx.html