For converting a string to an enum, which of the following ways is better?
This code:
colorEnum color = (colorEnum)Enum.Parse(typeof(colorEnum), "Green");
or this:
string colorString = ... colorEnum color; switch (colorString) { case "Green": color = colorEnum.Green; break; case "Red": color = colorEnum.Red; break; case "Orange": color = colorEnum.Orange; break; .... }
You should use the Enum.TryParse, if it fails you can handle the error correctly.
sample:
(Warning: includes plug for my own open source library...)
Personally I'd use Unconstrained Melody, which ends up with cleaner and more typesafe code:
You can use
TryParseName
if you suspect it may be invalid. Obviously this requires an extra library, but hopefully you'll find other things in there helpful too :)Enum.TryParse
from .NET 4 is better than the other built-in options, but:Enum.TryParse<int>(...)
will still compile; Unconstrained Melody really only allows enum typesEnum.TryParse
will also parse "1" (or whatever the numeric value is when converted to a string) - if you really only expect names, I think it's better to only accept namesI definitely wouldn't switch on the string values - it means if you rename the enum values, you've got to remember to rename the case value as well.
1) Is much better. It's cleaner code. You are doing in one line what would take multiple in 2). Also, it's less bug prone. When you add another item to
colorEnum
, you would need to remember to extend 2) wheras 1) would just work.You may also want some error handling on the
Enum.Parse
.On a performance point of view, as enums are implemented as static fields, the parse method will probably ends up doing refection on then enum type and try a GetField method which might be faster than the case. On the other end, if 90% of the case, the color is green, the case will be very fast... Note that the CLR sometimes rearrange code internally, changing the order of the case based on statistic (actually, I'm not sure it does that but the doc claims it could).
Personally, while I am totally fine with the Enum.Parse solution for non-performance scenarios (read: one off run of this function occasionally ... and there are many such scenarios to be sure), I can't countenance the thought of possibly involving some reflection type method when this function needs to be performed in a loop over hundreds/thousands plus enum values at once. Gack!
So the following is a solution that gets some of the best of both worlds.
Just retrieve all values of the enum at startup time or what not, whenever it works best for you (below is one way of doing that), and then construct a Dictionary with them.