我需要将以下代码放入枚举中:
10, 11, 13, AA, BB, EE
我很难将它们变成C#中的枚举。我目前有这个:
public enum REASON_CODES { _10, _11, _13, AA, BB, CC }
但希望有这个,数字被识别为字符串,而不是整数:
public enum REASON_CODES { 10, 11, 13, AA, BB, CC }
这可能还是我在做梦?
答案 0 :(得分:5)
尝试使用枚举和DescriptionAttribute
:
public enum REASON_CODES
{
[Description("10")]
HumanReadableReason1,
[Description("11")]
SomethingThatWouldMakeSense,
/* etc. */
}
然后你可以使用帮助器(如Enumerations.GetDescription
)来获得“真实”值(同时保持在C#命名约束内)。
使其成为一个完整的答案:
以防万一有人想要一个与这两张海报结婚的扩展课程:
public static class EnumExtensions
{
public static String ToDescription<TEnum>(this TEnum e) where TEnum : struct
{
var type = typeof(TEnum);
if (!type.IsEnum) throw new InvalidOperationException("type must be an enum");
var memInfo = type.GetMember(e.ToString());
if (memInfo != null & memInfo.Length > 0)
{
var descAttr = memInfo[0].GetCustomAttributes(typeof(DescriptionAttribute), false);
if (descAttr != null && descAttr.Length > 0)
{
return ((DescriptionAttribute)descAttr[0]).Description;
}
}
return e.ToString();
}
public static TEnum ToEnum<TEnum>(this String description) where TEnum : struct
{
var type = typeof(TEnum);
if (!type.IsEnum) throw new InvalidOperationException("type must be an enum");
foreach (var field in type.GetFields())
{
var descAttr = field.GetCustomAttributes(typeof(DescriptionAttribute), false);
if (descAttr != null && descAttr.Length > 0)
{
if (((DescriptionAttribute)descAttr[0]).Description == description)
{
return (TEnum)field.GetValue(null);
}
}
else if (field.Name == description)
{
return (TEnum)field.GetValue(null);
}
}
return default(TEnum); // or throw new Exception();
}
}
然后:
public enum CODES
{
[Description("11")]
Success,
[Description("22")]
Warning,
[Description("33")]
Error
}
// to enum
String response = "22";
CODES responseAsEnum = response.ToEnum<CODES>(); // CODES.Warning
// from enum
CODES status = CODES.Success;
String statusAsString = status.ToDescription(); // "11"
答案 1 :(得分:2)
在C#中,标识符必须以字母或下划线开头。没有办法实现这一目标。你的第一个解决方案就是你能得到的最接近的解决方案。
http://msdn.microsoft.com/en-us/library/aa664670(v=vs.71).aspx
答案 2 :(得分:2)
枚举值名称必须遵循与C#中的常规变量相同的命名规则。