Локализованные строки перечисления в SelectList - PullRequest
4 голосов
/ 10 марта 2012

В моем приложении MVC3.Я использую список выбора, чтобы заполнить поле со списком значениями перечисления, такими как

<div class="editor-field">
   @Html.DropDownListFor(x => x.AdType, new SelectList(Enum.GetValues(typeof(MyDomain.Property.AdTypeEnum))), " ", new { @class = "dxeButtonEdit_Glass" })
</div>

MyDomain.Property выглядит следующим образом

 public enum AdTypeEnum 
 {
     Sale = 1,           
     Rent = 2,           
     SaleOrRent = 3 
 };

Как использовать локализованные строки для локализации этих перечислений?

1 Ответ

13 голосов
/ 11 марта 2012

Вы можете написать собственный атрибут:

public class LocalizedNameAttribute: Attribute
{
    private readonly Type _resourceType;
    private readonly string _resourceKey;

    public LocalizedNameAttribute(string resourceKey, Type resourceType)
    {
        _resourceType = resourceType;
        _resourceKey = resourceKey;
        DisplayName = (string)_resourceType
            .GetProperty(_resourceKey, BindingFlags.Static | BindingFlags.NonPublic | BindingFlags.Public)
            .GetValue(null, null);
    }

    public string DisplayName { get; private set; }
}

и пользовательский DropDownListForEnum помощник:

public static class DropDownListExtensions
{
    public static IHtmlString DropDownListForEnum<TModel, TProperty>(
        this HtmlHelper<TModel> htmlHelper,
        Expression<Func<TModel, TProperty>> expression,
        string optionLabel,
        object htmlAttributes
    )
    {
        if (!typeof(TProperty).IsEnum)
        {
            throw new Exception("This helper can be used only with enum types");
        }

        var enumType = typeof(TProperty);
        var fields = enumType.GetFields(
            BindingFlags.Static | BindingFlags.GetField | BindingFlags.Public
        );
        var values = Enum.GetValues(enumType).OfType<TProperty>();
        var items =
            from value in values
            from field in fields
            let descriptionAttribute = field
                .GetCustomAttributes(
                    typeof(LocalizedNameAttribute), true
                )
                .OfType<LocalizedNameAttribute>()
                .FirstOrDefault()
            let displayName = (descriptionAttribute != null)
                ? descriptionAttribute.DisplayName
                : value.ToString()
            where value.ToString() == field.Name
            select new { Id = value, Name = displayName };

        var metadata = ModelMetadata.FromLambdaExpression(expression, htmlHelper.ViewData);
        var enumObj = metadata;
        var selectList = new SelectList(items, "Id", "Name", metadata.Model);
        return htmlHelper.DropDownListFor(expression, selectList, optionLabel, htmlAttributes);
    }
}

И тогда все просто:

Модель:

public enum AdTypeEnum
{
    [LocalizedName("Sale", typeof(Messages))]
    Sale = 1,
    [LocalizedName("Rent", typeof(Messages))]
    Rent = 2,
    [LocalizedName("SaleOrRent", typeof(Messages))]
    SaleOrRent = 3
}

public class MyViewModel
{
    public AdTypeEnum AdType { get; set; }
}

Контроллер:

public class HomeController : Controller
{
    public ActionResult Index()
    {
        return View(new MyViewModel
        {
            AdType = AdTypeEnum.SaleOrRent
        });
    }
}

Просмотр:

@model MyViewModel

@Html.DropDownListForEnum(
    x => x.AdType, 
    " ",
    new { @class = "foo" }
)

Наконец, вы должны создать файл Messages.resx, который будет содержать необходимые ключи (Sale,Rent и SaleOrRent).А если вы хотите локализовать, вы просто определяете Messages.xx-XX.resx с теми же ключами для другой культуры и меняете текущую культуру потоков.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...