我有一个包含国家/地区的枚举:
public enum CountryEnum
{
[Display(Name = "AF", ResourceType = typeof(Global))]
AF,
[Display(Name = "AL", ResourceType = typeof(Global))]
AL,
[Display(Name = "DZ", ResourceType = typeof(Global))]
DZ,
};
正如您所看到的,我使用DataAnnotations来本地化这些值。
现在我想显示一个包含所有本地化国家名称的下拉列表。我想出了这个代码:
public static string GetDisplayName<TEnum>(TEnum value)
{
FieldInfo fi = value.GetType().GetField(value.ToString());
DisplayAttribute[] attributes =
(DisplayAttribute[])fi.GetCustomAttributes(
typeof(DisplayAttribute), false);
if ((attributes != null) && (attributes.Length > 0))
return attributes[0].Name;
else
return value.ToString();
}
我有一个Html助手,它使用了上面的方法:
public static MvcHtmlString EnumDropDownListFor<TModel, TEnum>(this HtmlHelper<TModel> htmlHelper, Expression<Func<TModel, TEnum>> expression, object htmlAttributes)
{
ModelMetadata metadata = ModelMetadata.FromLambdaExpression(expression, htmlHelper.ViewData);
Type enumType = GetNonNullableModelType(metadata);
IEnumerable<TEnum> values = Enum.GetValues(enumType).Cast<TEnum>();
IEnumerable<SelectListItem> items = from value in values
select new SelectListItem
{
Text = GetDisplayName(value),
Value = value.ToString(),
Selected = value.Equals(metadata.Model)
};
// If the enum is nullable, add an 'empty' item to the collection
if (metadata.IsNullableValueType)
items = SingleEmptyItem.Concat(items);
return htmlHelper.DropDownListFor(expression, items, htmlAttributes);
}
DropDown渲染正确,但GetDisplayName
不会返回本地化值,它只是显示名称属性(例如,第一个条目的AF)。
如何修改GetDisplayName
方法以返回本地化值?
您需要更新GetDisplayName
方法以使用GetName()
方法,而不是DisplayAttribute
的Name
属性。
像这样:
public static string GetDisplayName<TEnum>(TEnum value)
{
FieldInfo fi = value.GetType().GetField(value.ToString());
DisplayAttribute[] attributes = (DisplayAttribute[])fi.
GetCustomAttributes(typeof(DisplayAttribute), false);
if ((attributes != null) && (attributes.Length > 0))
return attributes[0].GetName();
else
return value.ToString();
}
来自DisplayAttribute.Name
:的MSDN文档
不要使用此属性来获取Name属性的值。使用改为GetName方法。
GetName()
方法的MSDN文档中有这样一句话:
如果已指定ResourceType属性和Name属性表示资源密钥;否则Name属性。
我也遇到了类似的问题,像您一样设置了Display属性(因为类使用相同的属性来加载本地化,所以更容易),所以使用了您的初始代码并对其进行了一些调整,现在它按预期显示了本地化字符串。我不认为这是最聪明或优化的方法,但它有效。希望这就是你想要的。
public static string GetDisplayName<TEnum>(TEnum value)
{
FieldInfo fi = value.GetType().GetField(value.ToString());
DisplayAttribute[] attributes = (DisplayAttribute[])fi.
GetCustomAttributes(typeof(DisplayAttribute), false);
if ((attributes != null) && (attributes.Length > 0))
{
string key = attributes[0].Name;
string localizedString = attributes[0].ResourceType.GetProperty(key).GetValue("").ToString();
return localizedString;
}
else
return value.ToString();
}