#616 – Base Class Needs to Know If Polymorphism Is Desired
June 29, 2012 2 Comments
Let’s say that you design a Dog class that contains a Bark method and that you don’t do anything special to design for inheritance.
public class Dog { public void Bark() { Console.WriteLine("Woof"); } }
Now let’s say that you define several classes that inherit from Dog and provide their own implementation for the Bark method. Because Dog.Bark was not marked as virtual, they must use the new keyword.
public class Terrier : Dog { public new void Bark() { Console.WriteLine("Terrier says Grrrr"); } }
But now you do not get polymorphic behavior when treating instances of Terrier as instances of Dog.
static void Main() { Terrier t = new Terrier(); t.Bark(); // Terrier.Bark SomeoneBark(t); } static void SomeoneBark(Dog d) { d.Bark(); // Dog.Bark always invoked--no polymorphism }
To achieve polymorphism, you must design for it in the base class by marking a method as virtual.