在C#中,多态性是通过继承和实现接口来实现的,允许编写可以使用基类型的代码,然后使用派生类型的特定行为。
一.实例界面显示
二.源码界面显示
//定义的基类
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()//重写基类中的抽象方法
{
//返回矩形的面积
return (width * length);
}
}
//定义三角形的派生类
class Triangle : Shape
{
private int baseLine;
private int height;
public Triangle(int a = 0, int b = 0)//构造函数
{
baseLine = a;
height = b;
}
public override int Area()//重写基类中的抽象方法
{
//返回三角形的面积
return (baseLine * height / 2);
}
}
private void MyTest()//定义方法
{
Rectangle r = new Rectangle(10, 7);//创建矩形对象
double a = r.Area();//计算矩形的面积
Triangle t = new Triangle(10, 7);//创建三角形对象
double b = t.Area();//计算三角形的面积
MessageBox.Show("长方形面积::" + a + "三角形面积:" + b);
}
private void button4_Click(object sender, EventArgs e)
{
MyTest();//调用方法
}
三.总结
在这个例子中,Shape
是一个基类,Rectangle
和 Triangle
是从Shape中
派生的子类。Area
方法在 Shape
类中被定义为虚拟方法,然后在 Rectangle
和 Triangle
类中被重写。在 MyTest 方法中,我们可以使用基类 Shape
的引用来引用派生类 Rectangle
或 Triangle
的实例,并调用 Area
方法,这样就实现了多态性。