MVC3 Razor DropDownListFor Enums

84

Próbuję zaktualizować mój projekt do MVC3, coś, czego po prostu nie mogę znaleźć:

Mam prosty typ danych ENUMS:

public enum States()
{
  AL,AK,AZ,...WY
}

Którego chcę użyć jako DropDown / SelectList w moim widoku modelu zawierającego ten typ danych:

public class FormModel()
{
    public States State {get; set;}
}

Całkiem proste: kiedy używam widoku automatycznego generowania dla tej klasy częściowej, ignoruje ten typ.

Potrzebuję prostej listy wyboru, która ustawia wartość wyliczenia jako wybrany element, gdy trafiam na przesyłanie i przetwarzanie za pomocą mojej metody AJAX - JSON POST.

A niż widok (???!):

    <div class="editor-field">
        @Html.DropDownListFor(model => model.State, model => model.States)
    </div>

z góry dzięki za radę!

jordan.baucke
źródło
8
Dla każdego, kto napotka ten wątek i używa MVC 5.1 lub nowszego, metoda pomocnika @ Html.EnumDropDownListFor () jest teraz wbudowana w MVC - zobacz asp.net/mvc/overview/releases/mvc51-release-notes
mecsco

Odpowiedzi:

55

Właśnie zrobiłem jeden dla mojego własnego projektu. Poniższy kod jest częścią mojej klasy pomocniczej, mam nadzieję, że mam wszystkie potrzebne metody. Napisz komentarz, jeśli to nie zadziała, a ja sprawdzę ponownie.

public static class SelectExtensions
{

    public static string GetInputName<TModel, TProperty>(Expression<Func<TModel, TProperty>> expression)
    {
        if (expression.Body.NodeType == ExpressionType.Call)
        {
            MethodCallExpression methodCallExpression = (MethodCallExpression)expression.Body;
            string name = GetInputName(methodCallExpression);
            return name.Substring(expression.Parameters[0].Name.Length + 1);

        }
        return expression.Body.ToString().Substring(expression.Parameters[0].Name.Length + 1);
    }

    private static string GetInputName(MethodCallExpression expression)
    {
        // p => p.Foo.Bar().Baz.ToString() => p.Foo OR throw...
        MethodCallExpression methodCallExpression = expression.Object as MethodCallExpression;
        if (methodCallExpression != null)
        {
            return GetInputName(methodCallExpression);
        }
        return expression.Object.ToString();
    }

    public static MvcHtmlString EnumDropDownListFor<TModel, TProperty>(this HtmlHelper<TModel> htmlHelper, Expression<Func<TModel, TProperty>> expression) where TModel : class
    {
        string inputName = GetInputName(expression);
        var value = htmlHelper.ViewData.Model == null
            ? default(TProperty)
            : expression.Compile()(htmlHelper.ViewData.Model);

        return htmlHelper.DropDownList(inputName, ToSelectList(typeof(TProperty), value.ToString()));
    }

    public static SelectList ToSelectList(Type enumType, string selectedItem)
    {
        List<SelectListItem> items = new List<SelectListItem>();
        foreach (var item in Enum.GetValues(enumType))
        {
            FieldInfo fi = enumType.GetField(item.ToString());
            var attribute = fi.GetCustomAttributes(typeof(DescriptionAttribute), true).FirstOrDefault();
            var title = attribute == null ? item.ToString() : ((DescriptionAttribute)attribute).Description;
            var listItem = new SelectListItem
                {
                    Value = ((int)item).ToString(),
                    Text = title,
                    Selected = selectedItem == ((int)item).ToString()
                };
            items.Add(listItem);
        }

        return new SelectList(items, "Value", "Text", selectedItem);
    }
}

Użyj go jako:

Html.EnumDropDownListFor(m => m.YourEnum);

Aktualizacja

Stworzyłem alternatywne pomocniki HTML. Aby z nich skorzystać, wystarczy zmienić swoją podstawową stronę podglądu w views\web.config.

Dzięki nim możesz po prostu:

@Html2.DropDownFor(m => m.YourEnum);
@Html2.CheckboxesFor(m => m.YourEnum);
@Html2.RadioButtonsFor(m => m.YourEnum);

Więcej informacji tutaj: http://blog.gauffin.org/2011/10/first-draft-of-my-alternative-html-helpers/

jgauffin
źródło
1
Dobrze, to działa tak czy inaczej, pojawia się tylko jeden błąd kompilacji: Wiersz 41: powrót htmlHelper.DropDownList (inputName, ToSelectList (typeof (TProperty), value.ToString ())); „System.Web.Mvc.HtmlHelper <TModel>” nie zawiera definicji dla „DropDownList” i nie można znaleźć metody rozszerzenia „DropDownList” akceptującej pierwszy argument typu „System.Web.Mvc.HtmlHelper <TModel>” ( brakuje ci dyrektywy using lub odwołania do zestawu?)
jordan.baucke
1
@jordan mam ten sam błąd. Czy udało Ci się rozwiązać problem?
SF Developer
9
@filu @jordan dodaj, using System.Web.Mvc.Html;jak potrzebujesz, aby uzyskać dostęp doSelectExtensionsClass
Simon Hartcher
3
@Para Otrzymuję ten sam problem, wybrana wartość nie pojawia się jako zaznaczona w widoku. (Musiałem zmienić ((int)item).ToString()na, Enum.GetName(enumType, item)aby SelectListItempoprawnie zapisać jako wybraną, ale nadal nie działa)
Fernando Neira
1
Właśnie dodałem poniżej odpowiedź, która obejmuje problem z wyborem - wynika z niezrozumienia zachowań przeciążeń DropDownList.
Jon Egerton
199

Znalazłem tutaj prostsze rozwiązanie: http://coding-in.net/asp-net-mvc-3-method-extension/

using System;
using System.Linq.Expressions;
using System.Web;
using System.Web.Mvc;
using System.Web.Mvc.Html;

namespace EnumHtmlHelper.Helper
{    
    public static class EnumDropDownList
    {
        public static HtmlString EnumDropDownListFor<TModel, TProperty>(this HtmlHelper<TModel> htmlHelper, Expression<Func<TModel, TProperty>> modelExpression, string firstElement)
        {
            var typeOfProperty = modelExpression.ReturnType;
            if(!typeOfProperty.IsEnum)
                throw new ArgumentException(string.Format("Type {0} is not an enum", typeOfProperty));     
            var enumValues = new SelectList(Enum.GetValues(typeOfProperty));
            return htmlHelper.DropDownListFor(modelExpression, enumValues, firstElement);
}   }   }

Wystarczy jedna linijka maszynki do golenia:

@Html.DropDownListFor(model => model.State, new SelectList(Enum.GetValues(typeof(MyNamespace.Enums.States))))

Możesz również znaleźć kod do zrobienia tego za pomocą metody rozszerzenia w połączonym artykule.

Mike McLaughlin
źródło
6
Myślę, że ten powinien zostać oznaczony jako rozwiązanie. Najlepsze nie charakteryzuje się złożonością, ale prostotą.
Lord of Scripts
3
Dla osób, które szukają wersji DropDowList (jak ja): @ Html.DropDownList ("listName", new SelectList (Enum.GetValues ​​(typeof (MyNamespace.Enums.States))))
dstr
2
@JonEgerton Jeśli masz na myśli to samo co ja, zgadzam się. Jeśli chcesz wyświetlić wyliczenia + opis + obraz, zgubisz rozwiązanie Mike'a McLaughlina.
Elisabeth
1
Jedynym problemem, jaki znalazłem w przypadku tego rozwiązania, jest to, że nie mapuje poprawnie wybranej wartości podczas ładowania. Poza tym całkiem nieźle.
triangulito
3
@triangulito to wcale nie jest problem :)@Html.DropDownListFor(model => model.State, new SelectList(Enum.GetValues(typeof(MyNamespace.Enums.States)),model.State))
VladL
17

Jeśli chcesz czegoś naprawdę prostego, jest inny sposób, w zależności od tego, jak przechowujesz stan w bazie danych.

Gdybyś miał taką jednostkę:

public class Address
{
     //other address fields

     //this is what the state gets stored as in the db
     public byte StateCode { get; set; }

     //this maps our db field to an enum
     public States State
     {
         get
         {
             return (States)StateCode;
         }
         set
         {
             StateCode = (byte)value;
         }
     }
}

Następnie wygenerowanie listy rozwijanej byłoby tak proste, jak to:

@Html.DropDownListFor(x => x.StateCode,
    from State state in Enum.GetValues(typeof(States))
    select new SelectListItem() { Text = state.ToString(), Value = ((int)state).ToString() }
);

Czy LINQ nie jest ładny?

sjmeverett
źródło
gdzie definiujesz stany w modelu czy w widoku?
superartsy
w modelu, ponieważ jest używany przez klasę model
sjmeverett.
1
@stewartml Gdy mój ViewModel ma właściwość wyliczenia + „SelectedCodeProperty”, oznacza to o jedną właściwość za dużo w Twoim poście. Dlaczego wyliczenie w obu jako wybrana wartość nie zostanie przesłane z powrotem na serwer + jako wartość pozycji.
Elisabeth
13

Udało mi się to zrobić w jednej wkładce.

@Html.DropDownListFor(m=>m.YourModelProperty,new SelectList(Enum.GetValues(typeof(YourEnumType))))
JM1990
źródło
8

Na podstawie zaakceptowanej odpowiedzi @jgauffin stworzyłem własną wersję EnumDropDownListFor, która zajmuje się problemem selekcji pozycji.

Problem jest szczegółowo opisany w innej odpowiedzi SO tutaj : i zasadniczo sprowadza się do niezrozumienia zachowania różnych przeciążeń DropDownList.

Mój pełny kod (obejmujący przeciążenia htmlAttributesitp. To:

public static class EnumDropDownListForHelper
{

    public static MvcHtmlString EnumDropDownListFor<TModel, TProperty>(
            this HtmlHelper<TModel> htmlHelper, 
            Expression<Func<TModel, TProperty>> expression
        ) where TModel : class
    {
        return EnumDropDownListFor<TModel, TProperty>(
                            htmlHelper, expression, null, null);
    }

    public static MvcHtmlString EnumDropDownListFor<TModel, TProperty>(
            this HtmlHelper<TModel> htmlHelper, 
            Expression<Func<TModel, TProperty>> expression, 
            object htmlAttributes
        ) where TModel : class
    {
        return EnumDropDownListFor<TModel, TProperty>(
                            htmlHelper, expression, null, htmlAttributes);
    }

    public static MvcHtmlString EnumDropDownListFor<TModel, TProperty>(
            this HtmlHelper<TModel> htmlHelper, 
            Expression<Func<TModel, TProperty>> expression, 
            IDictionary<string, object> htmlAttributes
        ) where TModel : class
    {
        return EnumDropDownListFor<TModel, TProperty>(
                            htmlHelper, expression, null, htmlAttributes);
    }

    public static MvcHtmlString EnumDropDownListFor<TModel, TProperty>(
            this HtmlHelper<TModel> htmlHelper, 
            Expression<Func<TModel, TProperty>> expression, 
            string optionLabel
        ) where TModel : class
    {
        return EnumDropDownListFor<TModel, TProperty>(
                            htmlHelper, expression, optionLabel, null);
    }

    public static MvcHtmlString EnumDropDownListFor<TModel, TProperty>(
            this HtmlHelper<TModel> htmlHelper, 
            Expression<Func<TModel, TProperty>> expression, 
            string optionLabel, 
            IDictionary<string,object> htmlAttributes
        ) where TModel : class
    {
        string inputName = GetInputName(expression);
        return htmlHelper.DropDownList(
                            inputName, ToSelectList(typeof(TProperty)), 
                            optionLabel, htmlAttributes);
    }

    public static MvcHtmlString EnumDropDownListFor<TModel, TProperty>(
            this HtmlHelper<TModel> htmlHelper, 
            Expression<Func<TModel, TProperty>> expression, 
            string optionLabel, 
            object htmlAttributes
        ) where TModel : class
    {
        string inputName = GetInputName(expression);
        return htmlHelper.DropDownList(
                            inputName, ToSelectList(typeof(TProperty)), 
                            optionLabel, htmlAttributes);
    }


    private static string GetInputName<TModel, TProperty>(
            Expression<Func<TModel, TProperty>> expression)
    {
        if (expression.Body.NodeType == ExpressionType.Call)
        {
            MethodCallExpression methodCallExpression 
                            = (MethodCallExpression)expression.Body;
            string name = GetInputName(methodCallExpression);
            return name.Substring(expression.Parameters[0].Name.Length + 1);

        }
        return expression.Body.ToString()
                    .Substring(expression.Parameters[0].Name.Length + 1);
    }

    private static string GetInputName(MethodCallExpression expression)
    {
        // p => p.Foo.Bar().Baz.ToString() => p.Foo OR throw...
        MethodCallExpression methodCallExpression 
                            = expression.Object as MethodCallExpression;
        if (methodCallExpression != null)
        {
            return GetInputName(methodCallExpression);
        }
        return expression.Object.ToString();
    }


    private static SelectList ToSelectList(Type enumType)
    {
        List<SelectListItem> items = new List<SelectListItem>();
        foreach (var item in Enum.GetValues(enumType))
        {
            FieldInfo fi = enumType.GetField(item.ToString());
            var attribute = fi.GetCustomAttributes(
                                       typeof(DescriptionAttribute), true)
                                  .FirstOrDefault();
            var title = attribute == null ? item.ToString() 
                              : ((DescriptionAttribute)attribute).Description;
            var listItem = new SelectListItem
            {
                Value = item.ToString(),
                Text = title,
            };
            items.Add(listItem);
        }

        return new SelectList(items, "Value", "Text");
    }
}

Napisałem to na moim blogu tutaj .

Jon Egerton
źródło
1
Jest to jedyne rozwiązanie, z jakim się spotkałem, które poprawnie wstępnie wybiera odpowiednią wartość dla mojego wyliczenia. Dzięki!
Edwin Groenendaal,
Niesamowite. To zdecydowanie powinna być akceptowana odpowiedź - to działa; zaakceptowana odpowiedź nie.
neminem
3

Byłoby to pomocne dla wybierając wartość int z wyliczenia: Tu SpecTypejest intpole ... i enmSpecTypejest enum.

@Html.DropDownList(
    "SpecType", 
     YourNameSpace.SelectExtensions.ToSelectList(typeof(NREticaret.Core.Enums.enmSpecType), 
     Model.SpecType.ToString()), "Tip Seçiniz", new 
     { 
         gtbfieldid = "33", 
         @class = "small" 
     })
user687314
źródło
3

Wprowadziłem następującą zmianę w metodzie SelectList, aby działała trochę lepiej. Może przyda się innym.

public static SelectList ToSelectList<T>(T selectedItem)
        {
            if (!typeof(T).IsEnum) throw new InvalidEnumArgumentException("The specified type is not an enum");

            var selectedItemName = Enum.GetName(typeof (T), selectedItem);
            var items = new List<SelectListItem>();
            foreach (var item in Enum.GetValues(typeof(T)))
            {
                var fi = typeof(T).GetField(item.ToString());
                var attribute = fi.GetCustomAttributes(typeof(DescriptionAttribute), true).FirstOrDefault();

                var enumName = Enum.GetName(typeof (T), item);
                var title = attribute == null ? enumName : ((DescriptionAttribute)attribute).Description;

                var listItem = new SelectListItem
                {
                    Value = enumName,
                    Text = title,
                    Selected = selectedItemName == enumName
                };
                items.Add(listItem);
            }

            return new SelectList(items, "Value", "Text");
        }
Jason
źródło
3
    public enum EnumStates
    {
        AL = 0,
        AK = 1,
        AZ = 2,
        WY = 3
    }


@Html.DropDownListFor(model => model.State, (from EnumStates e in Enum.GetValues(typeof(EnumStates))
                                                               select new SelectListItem { Value = ((int)e).ToString(), Text = e.ToString() }), "select", new { @style = "" })
                @Html.ValidationMessageFor(model => model.State)  //With select



//Or


@Html.DropDownListFor(model => model.State, (from EnumStates e in Enum.GetValues(typeof(EnumStates))
                                                               select new SelectListItem { Value = ((int)e).ToString(), Text = e.ToString() }), null, new { @style = "" })
                @Html.ValidationMessageFor(model => model.State)   //With out select
Thulasiram
źródło
gdzie definiujesz EnumState?
superartsy
u góry możesz to zobaczyć ... publiczny enum EnumStates
Thulasiram
2

Tak samo jak Mike'a (co jest pogrzebane między długimi odpowiedziami)

model.truckimagelocation jest właściwością instancji klasy o typie wyliczenia TruckImageLocation

@Html.DropDownListFor(model=>model.truckimagelocation,Enum.GetNames(typeof(TruckImageLocation)).ToArray().Select(f=> new SelectListItem() {Text = f, Value = f, Selected = false}))
user794791
źródło
2

Jest to najbardziej ogólny kod, który będzie używany dla wszystkich wyliczeń.

public static class UtilitiesClass
{

    public static SelectList GetEnumType(Type enumType)
    {
        var value = from e in Enum.GetNames(enumType)
                    select new
                    {
                        ID = Convert.ToInt32(Enum.Parse(enumType, e, true)),
                        Name = e
                    };
        return new SelectList(value, "ID", "Name");
    }
}

Metoda działania

ViewBag.Enum= UtilitiesClass.GetEnumType(typeof (YourEnumType));

View.cshtml

 @Html.DropDownList("Type", (IEnumerable<SelectListItem>)ViewBag.Enum, new { @class = "form-control"})
Muhammad Kamran
źródło
1

możesz użyć wyliczenia w swoim modelu

twój Enum

public enum States()
{
  AL,AK,AZ,...WY
}

zrobić model

public class enumclass
{
public States statesprop {get; set;}
}

z uwagi

@Html.Dropdownlistfor(a=>a.statesprop)
MaTya
źródło
Najnowsze pytania Odpowiedz kar.
Anup
1

Najłatwiejszą odpowiedzią w MVC5 jest Define Enum:

public enum ReorderLevels {
          zero = 0,
            five = 5,
            ten = 10,
            fifteen = 15,
            twenty = 20,
            twenty_five = 25,
            thirty = 30
        }

Bind In View:

        <div class="form-group">
            <label>Reorder Level</label>
            @Html.EnumDropDownListFor(m => m.ReorderLevel, "Choose Me", new { @class = "form-control" })
        </div>
Mark Phillips
źródło