将枚举属性数据绑定到WPF中的ComboBox


256

以下面的代码为例:

public enum ExampleEnum { FooBar, BarFoo }

public class ExampleClass : INotifyPropertyChanged
{
    private ExampleEnum example;

    public ExampleEnum ExampleProperty 
    { get { return example; } { /* set and notify */; } }
}

我想要将属性ExampleProperty数据绑定到ComboBox,以便它显示选项“ FooBar”和“ BarFoo”,并在TwoWay模式下工作。理想情况下,我希望我的ComboBox定义看起来像这样:

<ComboBox ItemsSource="What goes here?" SelectedItem="{Binding Path=ExampleProperty}" />

目前,我在我手动执行绑定的Window中安装了ComboBox.SelectionChanged和ExampleClass.PropertyChanged事件的处理程序。

有更好的或某种规范的方法吗?您通常会使用转换器吗,如何用正确的值填充ComboBox?我什至不想现在就开始使用i18n。

编辑

因此回答了一个问题:如何用正确的值填充ComboBox。

通过ObjectDataProvider从静态Enum.GetValues方法检索Enum值作为字符串列表:

<Window.Resources>
    <ObjectDataProvider MethodName="GetValues"
        ObjectType="{x:Type sys:Enum}"
        x:Key="ExampleEnumValues">
        <ObjectDataProvider.MethodParameters>
            <x:Type TypeName="ExampleEnum" />
        </ObjectDataProvider.MethodParameters>
    </ObjectDataProvider>
</Window.Resources>

我可以将其用作我的ComboBox的ItemsSource:

<ComboBox ItemsSource="{Binding Source={StaticResource ExampleEnumValues}}"/>

4
我对此进行了探索,并找到了可以在此处使用的WPF中使用的解决方案(已完成本地化)。
ageektrapped

Answers:


208

您可以创建自定义标记扩展。

用法示例:

enum Status
{
    [Description("Available.")]
    Available,
    [Description("Not here right now.")]
    Away,
    [Description("I don't have time right now.")]
    Busy
}

在您的XAML顶部:

    xmlns:my="clr-namespace:namespace_to_enumeration_extension_class

然后...

<ComboBox 
    ItemsSource="{Binding Source={my:Enumeration {x:Type my:Status}}}" 
    DisplayMemberPath="Description" 
    SelectedValue="{Binding CurrentStatus}"  
    SelectedValuePath="Value"  /> 

以及实施...

public class EnumerationExtension : MarkupExtension
  {
    private Type _enumType;


    public EnumerationExtension(Type enumType)
    {
      if (enumType == null)
        throw new ArgumentNullException("enumType");

      EnumType = enumType;
    }

    public Type EnumType
    {
      get { return _enumType; }
      private set
      {
        if (_enumType == value)
          return;

        var enumType = Nullable.GetUnderlyingType(value) ?? value;

        if (enumType.IsEnum == false)
          throw new ArgumentException("Type must be an Enum.");

        _enumType = value;
      }
    }

    public override object ProvideValue(IServiceProvider serviceProvider)
    {
      var enumValues = Enum.GetValues(EnumType);

      return (
        from object enumValue in enumValues
        select new EnumerationMember{
          Value = enumValue,
          Description = GetDescription(enumValue)
        }).ToArray();
    }

    private string GetDescription(object enumValue)
    {
      var descriptionAttribute = EnumType
        .GetField(enumValue.ToString())
        .GetCustomAttributes(typeof (DescriptionAttribute), false)
        .FirstOrDefault() as DescriptionAttribute;


      return descriptionAttribute != null
        ? descriptionAttribute.Description
        : enumValue.ToString();
    }

    public class EnumerationMember
    {
      public string Description { get; set; }
      public object Value { get; set; }
    }
  }

7
@Gregor S. my:Enumeration是什么?
约书亚记2012年

14
@Crown'my'是您在xaml文件顶部声明的名称空间前缀:例如xmlns:my =“ clr-namespace:namespace_to_enumeration_extension_class。Enumeration是EnumerationExtension的缩写,在xaml中,您不必编写整个扩展类名。
格雷戈尔Slavec

33
+1,但是WPF完成最简单的事情所需的代码量真是令人难以置信
Konrad Morawski 2012年

1
我真的不喜欢它在视图中,ItemsSource参数中使用对模型的一部分(枚举类型)的引用的方式。为了保持视图和模型的分离,我需要在ViewModel和代码ViewModel中创建枚举的副本以在两者之间进行转换...这将使解决方案不再那么简单。还是有一种方法可以从ViewModel提供类型本身?
lampak

6
另一个限制是,如果您使用多种语言,则无法执行此操作。
克莱尔·威廉姆森

176

在视图模型中,您可以具有:

public MyEnumType SelectedMyEnumType 
{
    get { return _selectedMyEnumType; }
    set { 
            _selectedMyEnumType = value;
            OnPropertyChanged("SelectedMyEnumType");
        }
}

public IEnumerable<MyEnumType> MyEnumTypeValues
{
    get
    {
        return Enum.GetValues(typeof(MyEnumType))
            .Cast<MyEnumType>();
    }
}

在XAML中,ItemSource绑定到MyEnumTypeValuesSelectedItem绑定到 SelectedMyEnumType

<ComboBox SelectedItem="{Binding SelectedMyEnumType}" ItemsSource="{Binding MyEnumTypeValues}"></ComboBox>

这在我的Universal应用程序中非常出色,并且非常容易实现。谢谢!
内森·斯特鲁兹

96

我不想在UI中使用枚举的名称。我更喜欢为用户(DisplayMemberPath)使用不同的值,并为值(在这种情况下为枚举)(SelectedValuePath)使用不同的值。这两个值可以打包KeyValuePair并存储在字典中。

XAML

<ComboBox Name="fooBarComboBox" 
          ItemsSource="{Binding Path=ExampleEnumsWithCaptions}" 
          DisplayMemberPath="Value" 
          SelectedValuePath="Key"
          SelectedValue="{Binding Path=ExampleProperty, Mode=TwoWay}" > 

C#

public Dictionary<ExampleEnum, string> ExampleEnumsWithCaptions { get; } =
    new Dictionary<ExampleEnum, string>()
    {
        {ExampleEnum.FooBar, "Foo Bar"},
        {ExampleEnum.BarFoo, "Reversed Foo Bar"},
        //{ExampleEnum.None, "Hidden in UI"},
    };


private ExampleEnum example;
public ExampleEnum ExampleProperty
{
    get { return example; }
    set { /* set and notify */; }
}

编辑:与MVVM模式兼容。


14
我认为您的答案被低估了,鉴于ComboBox本身的期望,这似乎是最好的选择。也许您可以使用来在getter中放置一个词典生成器Enum.GetValues,但这并不能解决要显示的名称部分。最后,特别是如果实现了I18n,则无论如何枚举都必须手动更改内容。但是枚举不应该经常更改,如果有的话,是吗?+1
heltonbiker

2
这个答案太棒了,它可以本地化枚举描述...谢谢!
谢伊

2
该解决方案非常好,因为与其他解决方案相比,它用更少的代码处理枚举和本地化!
hfann

2
字典的问题在于密钥是按哈希值排序的,因此对此几乎没有控制权。尽管有些冗长,但我改用List <KeyValuePair <enum,string >>。好主意。
凯文·布洛克

3
@CoperNick @Pragmateek新修复:public Dictionary<ExampleEnum, string> ExampleEnumsWithCaptions { get; } = new Dictionary<ExampleEnum, string>() { {ExampleEnum.FooBar, "Foo Bar"}, {ExampleEnum.BarFoo, "Reversed Foo Bar"}, //{ExampleEnum.None, "Hidden in UI"}, };
Jinjinov

40

我不知道是否可以仅在XAML中使用,但是请尝试以下操作:

给您的ComboBox命名,以便您可以在后面的代码中访问它:“ typesComboBox1”

现在尝试以下

typesComboBox1.ItemsSource = Enum.GetValues(typeof(ExampleEnum));

24

根据ageektrapped提供的已接受但现在已删除的答案,我创建了一个精简版,没有一些更高级的功能。所有代码都包含在此处,以使您可以将其复制粘贴而不被link-rot阻止。

我使用System.ComponentModel.DescriptionAttribute真正用于设计时间描述的。如果您不喜欢使用此属性,则可以创建自己的属性,但是我认为使用此属性确实可以完成工作。如果不使用该属性,则名称将默认为代码中枚举值的名称。

public enum ExampleEnum {

  [Description("Foo Bar")]
  FooBar,

  [Description("Bar Foo")]
  BarFoo

}

这是用作项目源的类:

public class EnumItemsSource : Collection<String>, IValueConverter {

  Type type;

  IDictionary<Object, Object> valueToNameMap;

  IDictionary<Object, Object> nameToValueMap;

  public Type Type {
    get { return this.type; }
    set {
      if (!value.IsEnum)
        throw new ArgumentException("Type is not an enum.", "value");
      this.type = value;
      Initialize();
    }
  }

  public Object Convert(Object value, Type targetType, Object parameter, CultureInfo culture) {
    return this.valueToNameMap[value];
  }

  public Object ConvertBack(Object value, Type targetType, Object parameter, CultureInfo culture) {
    return this.nameToValueMap[value];
  }

  void Initialize() {
    this.valueToNameMap = this.type
      .GetFields(BindingFlags.Static | BindingFlags.Public)
      .ToDictionary(fi => fi.GetValue(null), GetDescription);
    this.nameToValueMap = this.valueToNameMap
      .ToDictionary(kvp => kvp.Value, kvp => kvp.Key);
    Clear();
    foreach (String name in this.nameToValueMap.Keys)
      Add(name);
  }

  static Object GetDescription(FieldInfo fieldInfo) {
    var descriptionAttribute =
      (DescriptionAttribute) Attribute.GetCustomAttribute(fieldInfo, typeof(DescriptionAttribute));
    return descriptionAttribute != null ? descriptionAttribute.Description : fieldInfo.Name;
  }

}

您可以像这样在XAML中使用它:

<Windows.Resources>
  <local:EnumItemsSource
    x:Key="ExampleEnumItemsSource"
    Type="{x:Type local:ExampleEnum}"/>
</Windows.Resources>
<ComboBox
  ItemsSource="{StaticResource ExampleEnumItemsSource}"
  SelectedValue="{Binding ExampleProperty, Converter={StaticResource ExampleEnumItemsSource}}"/> 

23

使用ObjectDataProvider:

<ObjectDataProvider x:Key="enumValues"
   MethodName="GetValues" ObjectType="{x:Type System:Enum}">
      <ObjectDataProvider.MethodParameters>
           <x:Type TypeName="local:ExampleEnum"/>
      </ObjectDataProvider.MethodParameters>
 </ObjectDataProvider>

然后绑定到静态资源:

ItemsSource="{Binding Source={StaticResource enumValues}}"

在此博客中找到此解决方案


好答案。顺便说一句,它使您不必担心Converter枚举字符串问题。
DonBoitnott

1
链接解决方案似乎已失效(韩文还是日文?)。如果我将您的代码放入XAML资源中,则说明WPF项目不支持Enum。
塞巴斯蒂安

6

我最喜欢的方法是使用,ValueConverter这样ItemsSource和SelectedValue都绑定到同一属性。这不需要其他属性即可保持ViewModel的美观和整洁。

<ComboBox ItemsSource="{Binding Path=ExampleProperty, Converter={x:EnumToCollectionConverter}, Mode=OneTime}"
          SelectedValuePath="Value"
          DisplayMemberPath="Description"
          SelectedValue="{Binding Path=ExampleProperty}" />

以及转换器的定义:

public static class EnumHelper
{
  public static string Description(this Enum e)
  {
    return (e.GetType()
             .GetField(e.ToString())
             .GetCustomAttributes(typeof(DescriptionAttribute), false)
             .FirstOrDefault() as DescriptionAttribute)?.Description ?? e.ToString();
  }
}

[ValueConversion(typeof(Enum), typeof(IEnumerable<ValueDescription>))]
public class EnumToCollectionConverter : MarkupExtension, IValueConverter
{
  public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
  {
    return Enum.GetValues(value.GetType())
               .Cast<Enum>()
               .Select(e => new ValueDescription() { Value = e, Description = e.Description()})
               .ToList();
  }
  public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
  {
    return null;
  }
  public override object ProvideValue(IServiceProvider serviceProvider)
  {
    return this;
  }
}

该转换器可与任何枚举一起使用。ValueDescription只是具有Value属性和Description属性的简单类。您可以轻松地使用Tuplewith Item1和and Item2,或者使用KeyValuePairwith KeyValue代替Value and Description或您选择的任何其他类,只要它可以容纳枚举值和该枚举值的字符串描述即可。


好答案!对于ValueDescription该类,Description如果不需要,可以省略该属性。一个只有Value属性的简单类也可以!
pogosama

另外,如果要绑定到RadioButton,则Convert方法必须返回字符串列表,即.Select(e => e.ToString()),而不是使用ValueDescription该类。
pogosama

相反的ValueDescription也有KeyValuePair可以使用,如此处所示
Apfelkuacha 19/12/26

5

这是使用辅助方法的通用解决方案。这也可以处理任何基础类型的枚举(字节,小字节,uint,long等)。

辅助方法:

static IEnumerable<object> GetEnum<T>() {
    var type    = typeof(T);
    var names   = Enum.GetNames(type);
    var values  = Enum.GetValues(type);
    var pairs   =
        Enumerable.Range(0, names.Length)
        .Select(i => new {
                Name    = names.GetValue(i)
            ,   Value   = values.GetValue(i) })
        .OrderBy(pair => pair.Name);
    return pairs;
}//method

查看模型:

public IEnumerable<object> EnumSearchTypes {
    get {
        return GetEnum<SearchTypes>();
    }
}//property

组合框:

<ComboBox
    SelectedValue       ="{Binding SearchType}"
    ItemsSource         ="{Binding EnumSearchTypes}"
    DisplayMemberPath   ="Name"
    SelectedValuePath   ="Value"
/>

5

您可以考虑这样的事情:

  1. 定义文本块或要用于显示枚举的任何其他控件的样式:

    <Style x:Key="enumStyle" TargetType="{x:Type TextBlock}">
        <Setter Property="Text" Value="&lt;NULL&gt;"/>
        <Style.Triggers>
            <Trigger Property="Tag">
                <Trigger.Value>
                    <proj:YourEnum>Value1<proj:YourEnum>
                </Trigger.Value>
                <Setter Property="Text" Value="{DynamicResource yourFriendlyValue1}"/>
            </Trigger>
            <!-- add more triggers here to reflect your enum -->
        </Style.Triggers>
    </Style>
  2. 为ComboBoxItem定义样式

    <Style TargetType="{x:Type ComboBoxItem}">
        <Setter Property="ContentTemplate">
            <Setter.Value>
                <DataTemplate>
                    <TextBlock Tag="{Binding}" Style="{StaticResource enumStyle}"/>
                </DataTemplate>
            </Setter.Value>
        </Setter>
    </Style>
  3. 添加一个组合框并使用您的枚举值加载它:

    <ComboBox SelectedValue="{Binding Path=your property goes here}" SelectedValuePath="Content">
        <ComboBox.Items>
            <ComboBoxItem>
                <proj:YourEnum>Value1</proj:YourEnum>
            </ComboBoxItem>
        </ComboBox.Items>
    </ComboBox>

如果枚举很大,那么您当然可以在代码中进行相同的操作,从而省去了很多键入操作。我喜欢这种方法,因为它使本地化变得容易-您一次定义所有模板,然后仅更新字符串资源文件。


SelectedValuePath =“ Content”在这里帮助了我。我将ComboBoxItems作为字符串值,并且一直无法将ComboBoxItem转换为我的Enum Type。谢谢
adriaanp

2

如果您使用的是MVVM,则基于@rudigrobler答案,您可以执行以下操作:

将以下属性添加到ViewModel

public Array ExampleEnumValues => Enum.GetValues(typeof(ExampleEnum));

然后在XAML中执行以下操作:

<ComboBox ItemsSource="{Binding ExampleEnumValues}" ... />

1

这是DevExpress基于Gregor S.(目前有128票)。

这意味着我们可以在整个应用程序中保持样式一致:

在此处输入图片说明

不幸的是,原始答案不适用于 ComboBoxEdit未经一些修改 DevExpress中的。

首先,XAML用于ComboBoxEdit

<dxe:ComboBoxEdit ItemsSource="{Binding Source={xamlExtensions:XamlExtensionEnumDropdown {x:myEnum:EnumFilter}}}"
    SelectedItem="{Binding BrokerOrderBookingFilterSelected, Mode=TwoWay, UpdateSourceTrigger=PropertyChanged}"
    DisplayMember="Description"
    MinWidth="144" Margin="5" 
    HorizontalAlignment="Left"
    IsTextEditable="False"
    ValidateOnTextInput="False"
    AutoComplete="False"
    IncrementalFiltering="True"
    FilterCondition="Like"
    ImmediatePopup="True"/>

不用说,您将需要指向xamlExtensions包含XAML扩展类(在下面定义)的名称空间:

xmlns:xamlExtensions="clr-namespace:XamlExtensions"

我们必须指向myEnum包含枚举的名称空间:

xmlns:myEnum="clr-namespace:MyNamespace"

然后,枚举:

namespace MyNamespace
{
    public enum EnumFilter
    {
        [Description("Free as a bird")]
        Free = 0,

        [Description("I'm Somewhat Busy")]
        SomewhatBusy = 1,

        [Description("I'm Really Busy")]
        ReallyBusy = 2
    }
}

XAML的问题在于我们无法使用SelectedItemValue,因为由于无法访问设置程序,这会引发错误(您的疏忽之处DevExpress)。因此,我们必须修改我们的方法ViewModel以直接从对象获取值:

private EnumFilter _filterSelected = EnumFilter.All;
public object FilterSelected
{
    get
    {
        return (EnumFilter)_filterSelected;
    }
    set
    {
        var x = (XamlExtensionEnumDropdown.EnumerationMember)value;
        if (x != null)
        {
            _filterSelected = (EnumFilter)x.Value;
        }
        OnPropertyChanged("FilterSelected");
    }
}

为了完整起见,这是原始答案的XAML扩展名(稍作重命名):

namespace XamlExtensions
{
    /// <summary>
    ///     Intent: XAML markup extension to add support for enums into any dropdown box, see http://bit.ly/1g70oJy. We can name the items in the
    ///     dropdown box by using the [Description] attribute on the enum values.
    /// </summary>
    public class XamlExtensionEnumDropdown : MarkupExtension
    {
        private Type _enumType;


        public XamlExtensionEnumDropdown(Type enumType)
        {
            if (enumType == null)
            {
                throw new ArgumentNullException("enumType");
            }

            EnumType = enumType;
        }

        public Type EnumType
        {
            get { return _enumType; }
            private set
            {
                if (_enumType == value)
                {
                    return;
                }

                var enumType = Nullable.GetUnderlyingType(value) ?? value;

                if (enumType.IsEnum == false)
                {
                    throw new ArgumentException("Type must be an Enum.");
                }

                _enumType = value;
            }
        }

        public override object ProvideValue(IServiceProvider serviceProvider)
        {
            var enumValues = Enum.GetValues(EnumType);

            return (
                from object enumValue in enumValues
                select new EnumerationMember
                       {
                           Value = enumValue,
                           Description = GetDescription(enumValue)
                       }).ToArray();
        }

        private string GetDescription(object enumValue)
        {
            var descriptionAttribute = EnumType
                .GetField(enumValue.ToString())
                .GetCustomAttributes(typeof (DescriptionAttribute), false)
                .FirstOrDefault() as DescriptionAttribute;


            return descriptionAttribute != null
                ? descriptionAttribute.Description
                : enumValue.ToString();
        }

        #region Nested type: EnumerationMember
        public class EnumerationMember
        {
            public string Description { get; set; }
            public object Value { get; set; }
        }
        #endregion
    }
}

免责声明:我与DevExpress没有关系。Telerik还是一个很棒的图书馆。


出于记录,我不隶属于DevExpress。Telerik也具有非常好的库,并且该技术甚至对于它们的库来说可能不是必需的。
Contango 2015年

0

尝试使用

<ComboBox ItemsSource="{Binding Source={StaticResource ExampleEnumValues}}"
    SelectedValue="{Binding Path=ExampleProperty}" />

这行不通。组合框将只显示一个空文本,更改该文本不会执行任何操作。我想在这里扔一个转换器将是最好的解决方案。
Maximilian

0

我创建了一个开源的CodePlex项目来执行此操作。您可以从此处下载NuGet软件包。

<enumComboBox:EnumComboBox EnumType="{x:Type demoApplication:Status}" SelectedValue="{Binding Status}" />
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.