我一直在使用:
public abstract class DropdownVm
{
/// <summary>
/// Set up a dropdown with the indicated values
/// </summary>
/// <param name="value">the current value, for determining selection</param>
/// <param name="options">list of options to display</param>
/// <param name="prependLabelAndValues">list of alternating label/value entries to insert to the beginning of the list</param>
public List<SelectListItem> SetDropdown<T>(T value, IEnumerable<KeyValuePair<T, string>> options, params object[] prependLabelAndValues)
{
var dropdown = options.Select(o => new SelectListItem { Selected = Equals(o.Key, value), Value = o.Key.ToString(), Text = o.Value }).ToList();
// insert prepend objects
for (int i = 0; i < prependLabelAndValues.Length; i += 2)
{
dropdown.Insert(0, new SelectListItem { Text = prependLabelAndValues[i].ToString(), Value = prependLabelAndValues[i + 1].ToString() });
}
return dropdown;
}
}
/// <summary>
/// ViewModel with a single dropdown representing a "single" value
/// </summary>
/// <typeparam name="T">the represented value type</typeparam>
public class DropdownVm<T> : DropdownVm
{
/// <summary>
/// Flag to set when this instance is a nested property, so you can determine in the view if `!ModelState.IsValid()`
/// </summary>
public virtual bool HasModelErrors { get; set; }
/// <summary>
/// The user input
/// </summary>
public virtual T Input { get; set; }
/// <summary>
/// Dropdown values to select <see cref="Input"/>
/// </summary>
public virtual List<SelectListItem> Dropdown { get; set; }
/// <summary>
/// Set up <see cref="Dropdown"/> with the indicated values
/// </summary>
/// <param name="availableOptions">list of options to display</param>
/// <param name="prependLabelAndValues">list of alternating label/value entries to insert to the beginning of the list</param>
public virtual void SetDropdown(IEnumerable<KeyValuePair<T, string>> availableOptions, params object[] prependLabelAndValues)
{
this.Dropdown = SetDropdown(this.Input, availableOptions, prependLabelAndValues);
}
public override string ToString()
{
return Equals(Input, default(T)) ? string.Empty : Input.ToString();
}
}
您與創建
:
var vm = new DropdownVm<string>();
vm.SetDropdown(new Dictionary<string, string> {
{ "option1", "Label 1" },
{ "option2", "Label 2" },
}, "(Choose a Value)", string.Empty);
,或者更具體地說,你的情況:
var models = yourDataProvider.GetParadigms(); // list of Paradigm
var vm = new DropdownVm<int>();
vm.SetDropdown(
models.ToDictionary(m => m.ParadigmId, m => m.Name),
"(Choose a Value)", string.Empty
);
而且與視圖渲染:
<div class="field">
@Html.LabelFor(m => m.Input, "Choose")
@Html.DropDownListFor(m => m.Input, Model.Dropdown)
@Html.ValidationMessageFor(m => m.Input)
</div>