我有枚举:
public enum Days
{
Monday = 1,
Tuesday = 2,
Wednesday = 3,
Thursday = 4,
Friday = 5,
Saturday = 6,
Sunday = 7
}
我使用此枚举将值作为ID插入到数据库中。但是,当我从数据库中检索值以在我的视图中显示天数而不是该数据库ID时,如何“映射”enum Days
与该数据库ID?
例如,我有一个显示的数据列表,目前我显示了DayId和ID,但是如何映射此ID以显示枚举文本(星期一,星期二,...)而不是ID(1,2, 3 ..)?
答案 0 :(得分:1)
你真的不需要任何特殊的东西,你可以将从数据库中获得的整数转换为枚举:
int valueFromDB = 4;
Days enumValue = (Days)valueFromDB;
答案 1 :(得分:0)
我不建议采用这种方法。你需要一个查找表几天。例如
create table Days(
DaysID INT PRIMARY KEY,
Name VARCHAR(20))
所有其他表都将具有DaysID的外键列。我建议不采用您的方法的原因是因为您将自己局限于可能发生变化的硬编码值。
如果需要,您可以将Days表加载到List<KeyValuePair<int, string>>
。如果您保持原样,那么查看数据库的人不会知道DaysID 1,2,3,4等代表的方式。
我希望这会有所帮助。
答案 2 :(得分:0)
您可以使用Enum.ToObject(typeof(Days), item)
以下扩展方法为您提供帮助。
private List<string> ConvertIntToString(Enum days, params int[] daysIds)
{
List<string> stringList = new List<string>();
foreach (var item in daysIds)
{
stringList.Add(Enum.ToObject(days.GetType(), item).ToString());
}
return stringList;
}
使用如下:
ConvertIntToString(new Days(),2, 4, 6, 1);
或
private List<Enum> ConvertIntToString(params int[] daysIds)
{
List<Enum> EnumList = new List<Enum>();
foreach (var item in daysIds)
{
EnumList.Add((Days)item);
}
return EnumList;
}
答案 3 :(得分:0)
使用以下扩展方法对您的枚举进行词典化
/// <summary>
/// Get the whilespace separated values of an enum
/// </summary>
/// <param name="en"></param>
/// <returns></returns>
public static string ToEnumWordify(this Enum en)
{
Type type = en.GetType();
MemberInfo[] memInfo = type.GetMember(en.ToString());
string pascalCaseString = memInfo[0].Name;
Regex r = new Regex("(?<=[a-z])(?<x>[A-Z])|(?<=.)(?<x>[A-Z])(?=[a-z])");
return r.Replace(pascalCaseString, " ${x}");
}
或者您可以使用下面的
提供描述以获取它public enum Manufacturer
{
[DescriptionAttribute("I did")]
Idid = 1,
[DescriptionAttribute("Another company or person")]
AnotherCompanyOrPerson = 2
}
/// <summary>
/// Get the enum description value
/// </summary>
/// <param name="en"></param>
/// <returns></returns>
public static string ToEnumDescription(this Enum en) //ext method
{
Type type = en.GetType();
MemberInfo[] memInfo = type.GetMember(en.ToString());
if (memInfo != null && memInfo.Length > 0)
{
object[] attrs = memInfo[0].GetCustomAttributes(typeof(DescriptionAttribute), false);
if (attrs != null && attrs.Length > 0)
return ((DescriptionAttribute)attrs[0]).Description;
}
return en.ToString();
}
答案 4 :(得分:0)
请尝试以下。
//Let's say you following ids from the database
List<int> lstFromDB = new List<int>() { 1, 2, 3 };
List<string> result = (from int l in lst
select ((Days)l).ToString()
).ToList();