How do you implement a private setter when using an interface?

C#asp.netInterfaceGetter Setter

C# Problem Overview


I've created an interface with some properties.

If the interface didn't exist all properties of the class object would be set to

{ get; private set; }

However, this isn't allowed when using an interface,so can this be achieved and if so how?

C# Solutions


Solution 1 - C#

In interface you can define only getter for your property

interface IFoo
{
    string Name { get; }
}

However, in your class you can extend it to have a private setter -

class Foo : IFoo
{
    public string Name
    {
        get;
        private set;
    }
}

Solution 2 - C#

Interface defines public API. If public API contains only getter, then you define only getter in interface:

public interface IBar
{
    int Foo { get; }    
}

Private setter is not part of public api (as any other private member), thus you cannot define it in interface. But you are free to add any (private) members to interface implementation. Actually it does not matter whether setter will be implemented as public or private, or if there will be setter:

 public int Foo { get; set; } // public

 public int Foo { get; private set; } // private

 public int Foo 
 {
    get { return _foo; } // no setter
 }

 public void Poop(); // this member also not part of interface

Setter is not part of interface, so it cannot be called via your interface:

 IBar bar = new Bar();
 bar.Foo = 42; // will not work thus setter is not defined in interface
 bar.Poop(); // will not work thus Poop is not defined in interface

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestiondotnetnoobView Question on Stackoverflow
Solution 1 - C#Rohit VatsView Answer on Stackoverflow
Solution 2 - C#Sergey BerezovskiyView Answer on Stackoverflow