I have an enum of type int:
public enum BlahType
{
blah1 = 1,
blah2 = 2
}
If I have a string:
string something = "blah1"
How can I convert this to BlahType?
I have an enum of type int:
public enum BlahType
{
blah1 = 1,
blah2 = 2
}
If I have a string:
string something = "blah1"
How can I convert this to BlahType?
You want Enum.Parse
BlahType blahValue = (BlahType) Enum.Parse(typeof(BlahType), something);
I use a function like this one
public static T GetEnumValue<T>(string value)
{
return (T)Enum.Parse(typeof(T), value);
}
And you can call it like this
BlahType value = GetEnumValue<BlahType>("Blah1");
public enum BlahType
{
blah1 = 1,
blah2 = 2
}
string something = "blah1";
BlahType blah = (BlahType)Enum.Parse(typeof(BlahType), something);
If you are not certain that the conversion will succeed - then use TryParse instead.
I use this function to convert a string to a enum; then you can cast to int or whatever.
public static T ToEnum<T>(string value, bool ignoreUpperCase)
where T : struct, IComparable, IConvertible, IFormattable {
Type enumType = typeof (T);
if (!enumType.IsEnum) {
throw new InvalidOperationException();
}
return (T) Enum.Parse(enumType, value, ignoreUpperCase);
}