12

我似乎无法从 XAML 引用公共嵌套枚举类型。我有一堂课

namespace MyNamespace
{
  public class MyClass
  {
    public enum MyEnum
    {
       A,
       B,
    }
  }
}

我尝试MyEnum像这样在 Xaml 中引用:

xmlns:MyNamespace="clr-namespace:MyNamespace;assembly=MyApp"
....

{x:Type MyNamespace:MyClass:MyEnum}    // DOESN'T WORK

但 VS 抱怨它找不到公共类型MyEnum。我还尝试使用+基于这篇文章的答案之一的语法......

{x:Type MyNamespace:MyClass+MyEnum}    // DOESN'T WORK

但这也不起作用。

请注意,x:Static 适用于以下+语法:

{x:Static MyNamespace:MyClass+MyEnum.A}  // WORKS

如果我搬出MyEnum去,MyClass我也可以参考它。但如果它是嵌套的...

那么我错过了什么?如何使用 XAML 引用嵌套枚举x:Type?(请注意,我不是要实例化任何东西,只是引用类型)。

更新

看起来这只是 VS 2010 设计器的一个错误。设计师抱怨说Type MyNamespace:MyClass+MyEnum was not found。但是应用程序似乎可以运行并正确访问嵌套类型。我也用嵌套类试过这个,它在运行时工作。

可能的开放错误:http ://social.msdn.microsoft.com/forums/en-US/wpf/thread/12f3e120-e217-4eee-ab49-490b70031806/

相关主题:在 xaml 中编写嵌套类型时出现设计时错误

4

1 回答 1

2

这里有点晚了,但我使用了标记扩展,然后在我的 xaml 中使用以下引用来引用组合框中的嵌套枚举:

xmlns:MyNamespace="clr-namespace:MyNamespace;assembly=MyApp"

...

ItemsSource="{Binding Source={resource:EnumBindingSource {x:Type MyNamespace:MyClass+MyEnum}}}"

MarkupExtension 的代码取自这里

public class EnumBindingSourceExtension : MarkupExtension
{
    private Type _enumType;
    public Type EnumType
    {
        get { return this._enumType; }
        set
        {
            if (value != this._enumType)
            {
                if (null != value)
                {
                    Type enumType = Nullable.GetUnderlyingType(value) ?? value;
                    if (!enumType.IsEnum)
                        throw new ArgumentException("Type must be for an Enum.");
                }

                this._enumType = value;
            }
        }
    }

    public EnumBindingSourceExtension() { }

    public EnumBindingSourceExtension(Type enumType)
    {
        this.EnumType = enumType;
    }

    public override object ProvideValue(IServiceProvider serviceProvider)
    {
        if (null == this._enumType)
            throw new InvalidOperationException("The EnumType must be specified.");

        Type actualEnumType = Nullable.GetUnderlyingType(this._enumType) ?? this._enumType;
        Array enumValues = Enum.GetValues(actualEnumType);

        if (actualEnumType == this._enumType)
            return enumValues;

        Array tempArray = Array.CreateInstance(actualEnumType, enumValues.Length + 1);
        enumValues.CopyTo(tempArray, 1);
        return tempArray;
    }
}
于 2020-03-16T21:54:21.553 回答