How to hide an inherited property in a class without modifying the inherited class (base class)?

I smell a code smell here. It is my opinion that you should only inherit a base class if you’re implementing all of the functionality of that base class. What you’re doing doesn’t really represent object oriented principles properly. Thus, if you want to inherit from your base, you should be implementing Name, otherwise you’ve got your inheritance the wrong way around. Your class A should be your base class and your current base class should inherit from A if that’s what you want, not the other way around.

However, not to stray too far from the direct question. If you did want to flout “the rules” and want to continue on the path you’ve chosen – here’s how you can go about it:

The convention is to implement the property but throw a NotImplementedException when that property is called – although, I don’t like that either. But that’s my personal opinion and it doesn’t change the fact that this convention still stands.

If you’re attempting to obsolete the property (and it’s declared in the base class as virtual), then you could either use the Obsolete attribute on it:

[Obsolete("This property has been deprecated and should no longer be used.", true)]
public override string Name 
{ 
    get 
    { 
        return base.Name; 
    }
    set
    {
        base.Name = value;
    }
}

(Edit: As Brian pointed out in the comments, the second parameter of the attribute will cause a compiler error if someone references the Name property, thus they won’t be able to use it even though you’ve implemented it in derived class.)

Or as I mentioned use NotImplementedException:

public override string Name
{
    get
    {
        throw new NotImplementedException();
    }
    set
    {
        throw new NotImplementedException();
    }
}

However, if the property isn’t declared as virtual, then you can use the new keyword to replace it:

public new string Name
{
    get
    {
        throw new NotImplementedException();
    }
    set
    {
        throw new NotImplementedException();
    }
}

You can still use the Obsolete attribute in the same manner as if the method was overridden, or you can throw the NotImplementedException, whichever you choose. I would probably use:

[Obsolete("Don't use this", true)]
public override string Name { get; set; }

or:

[Obsolete("Don't use this", true)]
public new string Name { get; set; }

Depending on whether or not it was declared as virtual in the base class.

Leave a Comment