在我的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)
我知道我接近它的方式不正确,应该有更好的方法来实现这一目标。 有人可以告诉我这个。
答案 0 :(得分:6)
以下是我解决这个问题的方法,将Enums转换为选择列表。 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;
}
要将此解决方案重构为复选框列表,您只需从函数中传回Key Value Pairs并在编辑器模板中循环它们。
我希望这会有所帮助。