C# Inheritance Errors You Could Miss

Written by Khalid Abuhakmeh

C# being an Object Oriented Programming (OOP) language, we have access to inheritance. Like any feature of a programming language, you should use it appropriately and understand how to use it. In this post, I’ll show you some code that may be easy to get past a code review but cause some strange behavior. Ready?

using System;
                    
public class Program
{
    public static void Main()
    {
        Shape shape = new Square();
        Console.WriteLine($"The shape is {shape.Name}");
    }

    public abstract class Shape
    {
        public string Name {get;set;} = @"¯\_(ツ)_/¯";
    }

    public class Square: Shape
    {
        public new string Name {get;set;} = "Square";
    }
}

What would you expect the output to be? If you guess the following, then you are correct.

The shape is ¯\_(ツ)_/¯

Why did this happen? While we are using inheritance on our Square class, we can’t actually override the Name property. We attempted to “fix” the extensibility of our base class by using the new keyword. The issue is that our new keyword only works when accessing our Square type. When our Square type is cast to Shape, the compiler will be accessing the Name from our Shape class. The polymorphic behavior we expected can’t and won’t happen.

What’s the fix? If you own the base class, you need to set the virtual keyword on your base class.

    public abstract class Shape
    {
        public virtual string Name {get;set;} = @"¯\_(ツ)_/¯";
    }

On your inherited class, be sure to use the override keyword.

    public class Square: Shape
    {
        public override string Name {get;set;} = "Square";
    }

Conclusion

Inheritance is an important pillar of OOP, but it is important to recognize what you can extend, and when you may be causing issues for yourself. The new keyword has its place, but understand that polymorphic behavior can be broken and cause issues with unexpected outcomes and null reference exceptions. Seasoned developers may understand this, but developers just getting into .NET development will likely be bitten by this bug.

Play with the sample here.

Published October 07, 2018 by

undefined avatar
Khalid Abuhakmeh Github Director of Software Development (Former)

Suggested Reading