Loading [MathJax]/jax/output/HTML-CSS/fonts/TeX/fontdata.js
Home  • Courses • Software Engineering

Polymorphism and Overriding Methods

Lecture Inheritance lets us inherit fields and methods from another class. Polymorphism uses those methods to perform different tasks. This allows us to perform a single action in different ways. Code Example
  1. class Animal // Base class (parent)
  2. {
  3. public void animalSound()
  4. {
  5. Console.WriteLine("The animal makes a sound");
  6. }
  7. }
  8.  
  9. class Pig : Animal // Derived class (child)
  10. {
  11. public void animalSound()
  12. {
  13. Console.WriteLine("The pig says: wee wee");
  14. }
  15. }
  16.  
  17. class Dog : Animal // Derived class (child)
  18. {
  19. public void animalSound()
  20. {
  21. Console.WriteLine("The dog says: bow wow");
  22. }
  23. }
NB: if you don't use virtual and override keywords the output will not be changed: The animal makes a sound The animal makes a sound The animal makes a sound The above code must to rewrite to the following:
  1. class Animal // Base class (parent)
  2. {
  3. public virtual void animalSound()
  4. {
  5. Console.WriteLine("The animal makes a sound");
  6. }
  7. }
  8.  
  9. class Pig : Animal // Derived class (child)
  10. {
  11. public override void animalSound()
  12. {
  13. Console.WriteLine("The pig says: wee wee");
  14. }
  15. }
  16.  
  17. class Dog : Animal // Derived class (child)
  18. {
  19. public override void animalSound()
  20. {
  21. Console.WriteLine("The dog says: bow wow");
  22. }
  23. }
  1. class Program
  2. {
  3. static void Main(string[] args)
  4. {
  5. Animal myAnimal = new Animal(); // Create a Animal object
  6. Animal myPig = new Pig(); // Create a Pig object
  7. Animal myDog = new Dog(); // Create a Dog object
  8.  
  9. myAnimal.animalSound();
  10. myPig.animalSound();
  11. myDog.animalSound();
  12. }
  13. }
The output will be: The animal makes a sound The pig says: wee wee The dog says: bow wow

Comments 0


Copyright © 2025. Powered by Intellect Software Ltd