枚举显示名称:模板只能用于字段访问

Enum DisplayName: Templates can be used only with field access

我知道已经有关于此的其他线程。我一直在读它们。这是我得到的:

namespace Books.Entities
{
    public enum Genre
    {
        [Display(Name = "Non Fiction")]
        NonFiction,
        Romance,
        Action,
        [Display(Name = "Science Fiction")]
        ScienceFiction
    }
}

型号:

namespace Books.Entities
{
    public class Book
    {
        public int ID { get; set; }

        [Required]
        [StringLength(255)]
        public string Title  { get; set; }

        public Genre Category { get; set; }
    }
}

然后,在视图中:

@foreach (var item in Model) {
<tr>
    <td>
        @Html.DisplayFor(modelItem => item.Title)
    </td>
    <td>
        @Html.DisplayFor(modelItem => item.Category)
    </td>
</tr>

我认为框架会自动使用 DisplayName 属性。似乎很奇怪它没有。但是无所谓。试图通过扩展来克服这个问题(在同一问题的另一个线程中找到这个)...

using System;
using System.ComponentModel.DataAnnotations;
using System.Linq;
using System.Reflection;

public static class EnumExtensions
{
    public static string GetDisplayName(this Enum enumValue)
    {
        return enumValue.GetType()
                    .GetMember(enumValue.ToString())
                    .First()
                    .GetCustomAttribute<DisplayAttribute>()
                    .GetName();
    }
}

看起来应该可以,但是当我尝试使用它时:

 @Html.DisplayFor(modelItem => item.Category.GetDispayName())

我收到此错误:

{"Templates can be used only with field access, property access, single-dimension array index, or single-parameter custom indexer expressions."}  

好的,找到了解决此问题的几种方法。首先,按照 mxmissile 的建议,只需使用:

@item.Category.GetDisplayName()

原来错误消息准确地告诉了我需要知道的内容。我只是没有注意到 @Html.DisplayFor() 是一个模板,我不能将它与辅助扩展一起使用。

但是,我在这里找到了一个更好的解决方案:

http://www.codeproject.com/Articles/776908/Dealing-with-Enum-in-MVC

在这个解决方案中,作者提供了一个默认情况下适用于所有枚举的显示模板,而无需调用 GetDisplayName()。使用此解决方案,原始代码可以正常工作:

@Html.DisplayFor(modelItem => item.Category)

此外,默认情况下,它将全面工作。

(注意:这都是假设您使用的是 MVC5.x)

您可能要考虑的一件事是为 Enum 添加 DisplayTemplate,您的 @Html.DiplayFor() 将使用它。

如果您在 ~/Views/Shared 文件夹中创建一个名为 DisplayTemplates 的文件夹,请添加一个名为 Enum.cshtml 的新视图并将此代码添加到视图

@model Enum
@{
    var display = Model.GetDisplayName();
}
@display

那么您所要做的就是在其他视图中使用 @Html.DisplayFor(modelItem => item.Category)

顺便说一句,如果没有描述属性,您的 GetDisplayName 代码将抛出错误,因此您可能需要使用类似

的内容
public static string GetDisplayName(this Enum enumValue)
    {

        Type type = enumValue.GetType();
        string name = Enum.GetName(type, enumValue);
        if (name != null)
        {
            FieldInfo field = type.GetField(name);
            if (field != null)
            {
                DescriptionAttribute attr =
                       Attribute.GetCustomAttribute(field,
                         typeof(DescriptionAttribute)) as DescriptionAttribute;
                if (attr != null)
                {
                    return attr.Description;
                }
            }
        }
        return name;
    }