一 概述
使用接口实现多态,需要满足以下两个条件:
- 定义接口并使用类实现接口中的成员
- 创建接口的实例指向不同的实现类对象
二 实例
2.1 实例一 假设接口名称为 ITest,分别定义两个实现类来实现接口的成员
2.1.1 代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28
| interface ITest { void methodA(); } class Test1 : ITest { public void methodA() { Console.WriteLine("Test1 类中的 methodA 方法"); } } class Test2 : ITest { public void methodA() { Console.WriteLine("Test2 类中的 methodA 方法"); } } class Program { static void Main(string[] args) { ITest test1 = new Test1(); //创建接口的实例test1指向实现类Test1的对象 test1.methodA(); ITest test2 = new Test2(); //创建接口的实例test2指向实现类Test2的对象 test2.methodA(); } }
|
2.1.2 执行结果
2.1.3 说明
- 从上面的执行效果可以看出,使用不同类实现同一个接口的方法输出的内容各不相同,这就是使用接口的方式实现多态的方法
2.2 实例二 创建绘制图形的接口,分别使用两个类来实现接口绘制不同的图形
2.2.1 分析
根据题目要求,在绘制图形的接口中包括图形面积、坐标、颜色属性,并编写一个方法输出图形的描述,即属性值。
2.2.2 代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74
| interface IShape { double Area { get; } double X { get; set; } double Y { get; set; } string Color { get; set; } void Draw(); } class Rectangle :IShape { //为矩形的长和宽赋值 public Rectangle(double length,double width) { this.Length = length; this.Width = width; } public double Length { get; set; }//定义长方形的长度 public double Width { get; set; }//定义长方形的宽度 public double Area { get { return Length * Width;//计算长方形面积 } } public string Color { get; set; } public double X { get; set; } public double Y { get; set; } public void Draw() { Console.WriteLine("绘制图形如下:"); Console.WriteLine("在坐标 {0},{1} 的位置绘制面积为 {2} 颜色为 {3} 的矩形", X, Y, Area, Color); } } class Circle : IShape { //为圆的半径赋值 public Circle(double radius) { this.Radius = radius; } public double Radius { get; set; } public double Area { get { return Radius * Radius * 3.14; } } public string Color { get; set; } public double X { get; set; } public double Y { get; set; } public void Draw() { Console.WriteLine("绘制图形如下:"); Console.WriteLine("在坐标为 {0},{1} 的位置绘制面积为 {2} 颜色为 {3} 的圆形", X, Y, Area, Color); } } class Program { static void Main(string[] args) { IShape shape1 = new Rectangle(10, 20); shape1.X = 100; shape1.Y = 200; shape1.Color = "红色"; shape1.Draw(); IShape shape2 = new Circle(10); shape2.X = 300; shape2.Y = 500; shape2.Color = "蓝色"; shape2.Draw(); } }
|
2.2.3 执行结果
2.2.4 说明
在该实例中,接口的每个实现类中都设置了带参数的构造方法为实现类中新增加的属性赋值,这样在创建实现类的实例时即可为相应的属性赋值
如果不使用构造方法为实现类中新增加的属性赋值,则需要先创建实现类的实例,并对其新增加的属性赋值,再将实现类的实例赋给接口的实例
与IShape shape=new Rectangle(10,20);
等效的代码如下
1 2 3 4
| Reatangle rectangle = new Rectangle(); rectangle.Length = 10; rectangle.Width = 20; IShape shape1 = rectangle;
|
为了简化代码,在接口的实现类中定义了新的属性,通常是通过实现类的构造方法为属性赋值的