Search code examples
c#asp.netdefault-valueautomatic-properties

How to set default value for Auto-Implemented Properties in ASP.NET


I came to know that C# 3.0 comes with a new feature of Auto-Implemented Properties,I liked it as we don't have to declare extra private varible in this (compare to earlier property), earlier I was using a Property i.e.

private bool isPopup = true;
public bool IsPopup
{
    get
    {
      return isPopup;
    }
    set
    {
      isPopup = value;
    }
}

Now I've converted it into Auto-Implemented property i.e.

public bool IsPopup
{
    get; set;
}

I want to set the default value of this property to true without using it not even in page_init method, I tried but not succeeded, Can anyone explain how to do this?


Solution

  • You can initialize the property in the default constructor:

    public MyClass()
    {
       IsPopup = true;
    }
    

    With C# 6.0 it is possible to initialize the property at the declaration like normal member fields:

    public bool IsPopup { get; set; } = true;  // property initializer
    

    It is now even possible to create a real read-only automatic property which you can either initialize directly or in the constructor, but not set in other methods of the class.

    public bool IsPopup { get; } = true;  // read-only property with initializer