.net Custom Configuration How to case insensitive parse an enum ConfigurationProperty

C#.NetConfigurationproperty

C# Problem Overview


One of the ConfigurationProperty I have in my ConfigurationSection is an ENUM. When .net parses this enum string value from the config file, an exception will be thrown if the case does not match exactly.

Is there away to ignore case when parsing this value?

C# Solutions


Solution 1 - C#

Try using this:

Enum.Parse(enum_type, string_value, true);

Last param set to true tells to ignore string casing when parsing.

Solution 2 - C#

You can use ConfigurationConverterBase to make a custom configuration converter, see <http://msdn.microsoft.com/en-us/library/system.configuration.configurationconverterbase.aspx>

this will do the job:

 public class CaseInsensitiveEnumConfigConverter<T> : ConfigurationConverterBase
    {
        public override object ConvertFrom(
        ITypeDescriptorContext ctx, CultureInfo ci, object data)
        {
            return Enum.Parse(typeof(T), (string)data, true);
        }
    }

and then on your property:

[ConfigurationProperty("unit", DefaultValue = MeasurementUnits.Pixel)]
[TypeConverter(typeof(CaseInsensitiveEnumConfigConverter<MeasurementUnits>))]
public MeasurementUnits Unit { get { return (MeasurementUnits)this["unit"]; } }

public enum MeasurementUnits
{
        Pixel,
        Inches,
        Points,
        MM,
}

Solution 3 - C#

MyEnum.TryParse() has an IgnoreCase parameter, set it true.

http://msdn.microsoft.com/en-us/library/dd991317.aspx

UPDATE: Defining the configuration section like this should work

public class CustomConfigurationSection : ConfigurationSection
    {
      [ConfigurationProperty("myEnumProperty", DefaultValue = MyEnum.Item1, IsRequired = true)]
      public MyEnum SomeProperty
      {
        get
        {
          MyEnum tmp;
          return Enum.TryParse((string)this["myEnumProperty"],true,out tmp)?tmp:MyEnum.Item1;
        }
        set
        { this["myEnumProperty"] = value; }
      }
    }

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
QuestionKodaView Question on Stackoverflow
Solution 1 - C#MarcoView Answer on Stackoverflow
Solution 2 - C#zivView Answer on Stackoverflow
Solution 3 - C#tbtView Answer on Stackoverflow