1

我有枚举:

public enum Days
{
    Monday = 1,
    Tuesday = 2,
    Wednesday = 3,
    Thursday = 4,
    Friday = 5,
    Saturday = 6,
    Sunday = 7
}

我使用这个枚举将值作为 int 作为 ID 插入到数据库中。enum Days但是,当我从数据库中检索值以在我的视图中显示日期名称而不是该数据库 ID 时,如何“映射”该数据库 ID?

例如,我显示了一个数据列表,当前显示了 DayId 和 ID,但是如何映射此 ID 以显示枚举文本(星期一、星期二、...)而不是 ID(1,2,3.. ) ?

4

5 回答 5

1

您真的不需要任何特别的东西,您可以将从数据库中获取的整数转换为枚举:

int valueFromDB = 4;
Days enumValue = (Days)valueFromDB;
于 2013-10-15T03:45:30.533 回答
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
{
    [Description("I did")]
    Idid = 1,
    [Description("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();
}
于 2013-10-15T07:49:51.103 回答
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;
        }
于 2013-10-15T07:30:54.003 回答
0

我不会建议这种方法。您需要几天的查找表。例如

create table Days(
 DaysID INT PRIMARY KEY,
 Name VARCHAR(20))

所有其他表将具有 DaysID 的外键列。我建议反对您的方法的原因是因为您将自己限制在可能会更改的硬编码值上。

如果需要,您可以将 Days 表加载到List<KeyValuePair<int, string>>. 如果您保持原样,那么查看数据库的任何人都不会知道 DaysID 1、2、3、4 等代表的方式。

我希望这有帮助。

于 2013-10-15T04:38:41.877 回答
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();
于 2013-10-15T08:16:59.057 回答