关于C#:枚举值中的字符串名称

Enum String Name from Value

我有一个这样的枚举构造:

1
2
3
4
5
6
7
public enum EnumDisplayStatus
{
    None=1,
    Visible=2,
    Hidden=3,
    MarkedForDeletion=4
}

在我的数据库中,枚举是由值引用的。我的问题是,如何将枚举的数字表示形式转换回字符串名称。

例如,给定2,结果应该是Visible


可以使用简单的强制转换将int转换回枚举成员,然后调用ToString()

1
2
3
int value = GetValueFromDb();
EnumDisplayStatus enumDisplayStatus = (EnumDisplayStatus)value;
string stringValue = enumDisplayStatus.ToString();


如果需要获取字符串"Visible"而不获取EnumDisplayStatus实例,则可以执行以下操作:

1
2
int dbValue = GetDBValue();
string stringValue = Enum.GetName(typeof(EnumDisplayStatus), dbValue);


试试这个:

1
string m = Enum.GetName(typeof(MyEnumClass), value);


使用此:

1
string bob = nameof(EnumDisplayStatus.Visible);


你可以把它扔下去

1
2
3
int dbValue = 2;
EnumDisplayStatus enumValue = (EnumDisplayStatus)dbValue;
string stringName = enumValue.ToString(); //Visible

啊…肯特打败了我:)


数据库到C语言

1
EnumDisplayStatus status = (EnumDisplayStatus)int.Parse(GetValueFromDb());

C至db

1
string dbStatus = ((int)status).ToString();


解决方案:

1
2
int enumValue = 2; // The value for which you want to get string
string enumName = Enum.GetName(typeof(EnumDisplayStatus), enumValue);

另外,使用getname比显式转换枚举要好。

[绩效基准代码]

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
Stopwatch sw = new Stopwatch (); sw.Start (); sw.Stop (); sw.Reset ();
double sum = 0;
int n = 1000;
Console.WriteLine ("
GetName 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 ("
Explicit 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}");

[样本结果]

1
2
3
4
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


只是需要:

1
2
string stringName = EnumDisplayStatus.Visible.ToString("f");
// stringName =="Visible"


只需将int强制转换为枚举类型:

1
2
EnumDisplayStatus status = (EnumDisplayStatus) statusFromDatabase;
string statusString = status.ToString();

用于获取字符串值[名称]:

1
2
EnumDisplayStatus enumDisplayStatus = (EnumDisplayStatus)GetDBValue();
string stringValue = $"{enumDisplayStatus:G}";

对于获取枚举值:

1
2
string stringValue = $"{enumDisplayStatus:D}";
SetDBValue(Convert.ToInt32(stringValue ));