C#多态

本文在于巩固基础

首先看看MSDN 的叙述:

多态性常被视为自封装和继承之后,面向对象的编程的第三个支柱。 Polymorphism(多态性)是一个希腊词,指“多种形态”,多态性具有两个截然不同的方面:

  • 在运行时,在方法参数和集合或数组等位置,派生类的对象可以作为基类的对象处理。 发生此情况时,该对象的声明类型不再与运行时类型相同。

  • 基类可以定义并实现虚方法,派生类可以重写这些方法,即派生类提供自己的定义和实现。 在运行时,客户端代码调用该方法,CLR 查找对象的运行时类型,并调用虚方法的重写方法。 因此,你可以在源代码中调用基类的方法,但执行该方法的派生类版本。

虚方法允许你以统一方式处理多组相关的对象。 例如,假定你有一个绘图应用程序,允许用户在绘图图面上创建各种形状。 你在编译时不知道用户将创建哪些特定类型的形状。但应用程序必须跟踪创建的所有类型的形状,并且必须更新这些形状以响应用户鼠标操作。 你可以使用多态性通过两个基本步骤解决这一问题:

  1. 创建一个类层次结构,其中每个特定形状类均派生自一个公共基类。

  2. 使用虚方法通过对基类方法的单个调用来调用任何派生类上的相应方法。

 

多态概述

当派生类从基类继承时,它会获得基类的所有方法、字段、属性和事件。面向对象的语言使用虚方法表达多态。若要更改基类的数据和行为,您有两种选择:可以使用新的派生成员替换基成员,或者可以重写虚拟的基成员。

 

public class Shape

{

    // A few example members

    public int X { get; private set; }

    public int Y { get; private set; }

    public int Height { get; set; }

    public int Width { get; set; }



    // Virtual method

    public virtual void Draw()

    {

        Console.WriteLine("Performing base class drawing tasks");

    }

}



class Circle : Shape

{

    public override void Draw()

    {

        // Code to draw a circle...

        Console.WriteLine("Drawing a circle");

        base.Draw();

    }

}

class Rectangle : Shape

{

    public override void Draw()

    {

        // Code to draw a rectangle...

        Console.WriteLine("Drawing a rectangle");

        base.Draw();

    }

}

class Triangle : Shape

{

    public override void Draw()

    {

        // Code to draw a triangle...

        Console.WriteLine("Drawing a triangle");

        base.Draw();

    }

}



class Program

{

    static void Main(string[] args)

    {

        // Polymorphism at work #1: a Rectangle, Triangle and Circle

        // can all be used whereever a Shape is expected. No cast is

        // required because an implicit conversion exists from a derived 

        // class to its base class.

        System.Collections.Generic.List<Shape> shapes = new System.Collections.Generic.List<Shape>();

        shapes.Add(new Rectangle());

        shapes.Add(new Triangle());

        shapes.Add(new Circle());



        // Polymorphism at work #2: the virtual method Draw is

        // invoked on each of the derived classes, not the base class.

        foreach (Shape s in shapes)

        {

            s.Draw();

        }



        // Keep the console open in debug mode.

        Console.WriteLine("Press any key to exit.");

        Console.ReadKey();

    }



}



/* Output:

    Drawing a rectangle

    Performing base class drawing tasks

    Drawing a triangle

    Performing base class drawing tasks

    Drawing a circle

    Performing base class drawing tasks

 */

 

你可能感兴趣的:(C#)