在C#中,调用约定是指在多态关系中确定哪个方法会被调用的规则。C#中常见的调用约定有虚方法、抽象方法和接口方法。
class Animal
{
public virtual void Speak()
{
Console.WriteLine("Animal speaks");
}
}
class Dog : Animal
{
public override void Speak()
{
Console.WriteLine("Dog barks");
}
}
Animal myDog = new Dog();
myDog.Speak(); // 输出 "Dog barks"
abstract class Shape
{
public abstract void Draw();
}
class Rectangle : Shape
{
public override void Draw()
{
Console.WriteLine("Drawing rectangle");
}
}
Shape shape = new Rectangle();
shape.Draw(); // 输出 "Drawing rectangle"
interface IShape
{
void Draw();
}
class Circle : IShape
{
public void Draw()
{
Console.WriteLine("Drawing circle");
}
}
IShape shape = new Circle();
shape.Draw(); // 输出 "Drawing circle"
总结来说,在多态关系中,C#会根据实例的具体类型来确定调用哪个方法,从而实现不同类型的对象可以具有不同的行为。通过虚方法、抽象方法和接口方法,可以灵活地实现多态性。