6

在我的 c#.net MVC 应用程序中,我想显示枚举类型的复选框列表。

我有一个枚举类型

[Flags]
public enum ModeType
{
Undefined = 0,
Read= 1,
Edit= 2
  }

我的模型是

Public TrainingModel
   {
         public int UserID {get;set;}
         public ModeType Type {get;set}
   }

在我看来,我需要两个复选框,一个用于读取,另一个用于编辑所以我尝试了

    @Html.CheckBoxFor(m => m.Type== ModeType.Read)
@Html.CheckBoxFor(m => m.Type== ModeType.Edit)

但这给了我错误“模板只能用于字段访问、属性访问、单维数组索引或单参数自定义索引器表达式。”

我通过向我的模型添加另外两个属性来解决这个问题

 Public TrainingModel
   {
         public int UserID {get;set;}
         public ModeType Type {get;set}
         public bool IsRead
         {
           get{Type.HasFlag(ModeType.Read);}
           set{Type |=ModeType.Read;}
         }
         public bool IsEdit
         {
           get{Type.HasFlag(ModeType.Edit);}
           set{Type |=ModeType.Edit;}
         }

   }

然后发表我的看法

@Html.CheckboxFor(m => m.IsRead)
@Html.CheckboxFor(m => m.IsEdit)

我知道我接近它的方式是不正确的,应该有更好的方法来实现这一点。有人可以给我建议吗。

4

1 回答 1

6

这是我如何解决这个问题,将枚举转换为选择列表。Enum.cshtml(一个编辑器模板,带有指向它的 UI 提示):

@model Enum
@Html.DropDownListFor(model => model, Model.ToSelectList(), "Select")

然后视图中使用的Extension方法:

    /// <summary>
    /// Gets a select list from an enum.
    /// </summary>
    /// <param name="enumObject">The enum object.</param>
    /// <returns></returns>
    public static SelectList ToSelectList(this Enum enumObject)
    {
        List<KeyValuePair<string, string>> selectListItemList = null;
        SelectList selectList = null;

        try
        {
            // Cast the enum values to strings then linq them into a key value pair we can use for the select list.
            selectListItemList = Enum.GetNames(enumObject.GetType()).Cast<string>().Select(item => { return new KeyValuePair<string, string>(item, item.PascalCaseToReadableString()); }).ToList();

            // Remove default value of Enum. This is handled in the editor template with the optionLabel argument.
            selectListItemList.Remove(new KeyValuePair<string, string>("None", "None"));

            // Build the select list from it.
            selectList = new SelectList(selectListItemList, "key", "value", enumObject);

        }
        catch (Exception exception)
        {
            Functions.LogError(exception);
        }

        return selectList;
    }

要将此解决方案重构为复选框列表,您可以简单地从函数中传回键值对并在编辑器模板中循环它们。

我希望这会有所帮助。

于 2013-08-06T19:54:18.503 回答