在 C# 中將列舉轉換為字串
本教程將討論在 C# 中將列舉轉換為字串的方法。
在 C# 中用 Description
屬性將列舉轉換為字串
對於遵循命名約定的簡單 Enum 值,我們無需使用任何方法即可將其轉換為字串。可以使用 C# 中的 Console.WriteLine()
函式向使用者顯示。在下面的編碼示例中進行了說明。
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace enum_to_string {
public enum Status { InProgress, Completed }
class Program {
static void Main(string[] args) {
Status complete = Status.Completed;
Console.WriteLine(complete);
}
}
}
輸出:
Completed
在上面的程式碼中,我們直接以 C# 的字串格式列印 Enum 值 Completed
。這是可能的,因為我們的 Enum 值遵循 C# 中的變數命名約定。但是,如果要顯示易於閱讀的字串,則必須在 C# 中使用 Enums 的 Description
屬性。Description
屬性用於描述列舉的每個值。我們可以通過在 Enum 的 Description
屬性中編寫字串,將 Enum 轉換為易於閱讀的字串。以下程式碼示例向我們展示瞭如何使用 C# 中的 Description
屬性將 Enum 值轉換為字串。
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Reflection;
namespace enum_to_string {
public enum Status {
[Description("The Desired Task is InProgress")] InProgress,
[Description("The Desired Task is Successfully Completed")] Completed
}
static class extensionClass {
public static string getDescription(this Enum e) {
Type eType = e.GetType();
string eName = Enum.GetName(eType, e);
if (eName != null) {
FieldInfo fieldInfo = eType.GetField(eName);
if (fieldInfo != null) {
DescriptionAttribute descriptionAttribute = Attribute.GetCustomAttribute(
fieldInfo, typeof(DescriptionAttribute)) as DescriptionAttribute;
if (descriptionAttribute != null) {
return descriptionAttribute.Description;
}
}
}
return null;
}
}
class Program {
static void Main(string[] args) {
Status complete = Status.Completed;
string description = complete.getDescription();
Console.WriteLine(description);
}
}
}
輸出:
The Desired Task is Successfully Completed
在上面的程式碼中,我們建立了一個擴充套件方法 getDescription
,該方法返回 C# 中的 Enum 值描述。該方法可以很好地工作,但是有點複雜。這種複雜性在下一節中得到了簡化。
用 C# 中的 switch
語句將 Enum 轉為字串
通過使用 C# 中的 switch
語句,可以簡化以前方法的許多複雜性。我們可以使用 C# 中的 switch
語句,為每個 Enum 值的字串變數分配所需的值。請參見以下程式碼示例。
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Reflection;
namespace enum_to_string {
public enum Status { InProgress, Completed }
static class extensionClass {
public static string getValue(this Status e) {
switch (e) {
case Status.InProgress:
return "The Desired Task is InProgress";
case Status.Completed:
return "The Desired Task is Successfully Completed";
}
return String.Empty;
}
}
class Program {
static void Main(string[] args) {
Status complete = Status.Completed;
string value = complete.getValue();
Console.WriteLine(value);
}
}
}
輸出:
The Desired Task is Successfully Completed
在上面的程式碼中,我們建立了一個擴充套件方法 getValue()
,該方法使用 C# 中的 switch
語句返回基於 Enum 值的字串。getValue()
函式使用 switch
語句,併為我們指定的 Enum 的每個值返回不同的字串。
Maisam is a highly skilled and motivated Data Scientist. He has over 4 years of experience with Python programming language. He loves solving complex problems and sharing his results on the internet.
LinkedIn