我有一个这样的枚举结构:
public enum EnumDisplayStatus
{
None = 1,
Visible = 2,
Hidden = 3,
MarkedForDeletion = 4
}
在我的数据库中,枚举是按值引用的。我的问题是,如何将枚举的数字表示转换回字符串名称。
例如,给定2,结果应该是可见的。
我有一个这样的枚举结构:
public enum EnumDisplayStatus
{
None = 1,
Visible = 2,
Hidden = 3,
MarkedForDeletion = 4
}
在我的数据库中,枚举是按值引用的。我的问题是,如何将枚举的数字表示转换回字符串名称。
例如,给定2,结果应该是可见的。
当前回答
用这个:
string bob = nameof(EnumDisplayStatus.Visible);
其他回答
如果你需要得到一个字符串"Visible"而不得到EnumDisplayStatus实例,你可以这样做:
int dbValue = GetDBValue();
string stringValue = Enum.GetName(typeof(EnumDisplayStatus), dbValue);
用这个:
string bob = nameof(EnumDisplayStatus.Visible);
使用nameof表达式的最快的编译时解决方案。
返回枚举的文本类型大小写,在其他情况下,返回类、结构或任何类型的变量(arg、param、local等)。
public enum MyEnum {
CSV,
Excel
}
string enumAsString = nameof(MyEnum.CSV)
// enumAsString = "CSV"
注意:
您可能不希望用全大写来命名枚举,而是用于演示nameof的大小写敏感性。
解决方案:
int enumValue = 2; // The value for which you want to get string
string enumName = Enum.GetName(typeof(EnumDisplayStatus), enumValue);
同样,使用GetName比显式转换Enum更好。
[性能基准代码]
Stopwatch sw = new Stopwatch (); sw.Start (); sw.Stop (); sw.Reset ();
double sum = 0;
int n = 1000;
Console.WriteLine ("\nGetName method way:");
for (int i = 0; i < n; i++) {
sw.Start ();
string t = Enum.GetName (typeof (Roles), roleValue);
sw.Stop ();
sum += sw.Elapsed.TotalMilliseconds;
sw.Reset ();
}
Console.WriteLine ($"Average of {n} runs using Getname method casting way: {sum / n}");
Console.WriteLine ("\nExplicit casting way:");
for (int i = 0; i < n; i++) {
sw.Start ();
string t = ((Roles)roleValue).ToString ();
sw.Stop ();
sum += sw.Elapsed.TotalMilliseconds;
sw.Reset ();
}
Console.WriteLine ($"Average of {n} runs using Explicit casting way: {sum / n}");
(样本结果)
GetName method way:
Average of 1000 runs using Getname method casting way: 0.000186899999999998
Explicit casting way:
Average of 1000 runs using Explicit casting way: 0.000627900000000002
考虑到:
enum Colors {
Red = 1,
Green = 2,
Blue = 3
};
在。net 4.7中
Console.WriteLine( Enum.GetName( typeof(Colors), Colors.Green ) );
Console.WriteLine( Enum.GetName( typeof(Colors), 3 ) );
将显示
Green
Blue
在。net 6中,上述方法仍然有效,但是:
Console.WriteLine( Enum.GetName( Colors.Green ) );
Console.WriteLine( Enum.GetName( (Colors)3 ) );
将显示:
Green
Blue