如何将TextBox绑定到WPF中的类的字段?

时间:2014-08-16 10:15:59

标签: c# wpf xaml

我正在尝试为矢量值创建一个自定义属性编辑器,如下所示:

 public struct Float4
 {
      public float x,y,z,w;
 }

在某些对象中,它将具有如下属性:

public class SomeEntity : INotifyPropertyChanged
{
      private Float4 prop;
      [Category("Property")]
      [Editor(typeof(VectorEditor),typeof(PropertyValueEditor)]
      public Float4 Prop
      {
            get{return prop;}
            set{prop = value ; NotifyPropertyChanged("prop");}
      }  
}

(我正在使用here中的WpfPropertyGrid)

VectorEditor使用这样的DataTemplate:

<DataTemplate x:Key="VectorEditorTemplate">
    <DataTemplate.Resources>
        <!--first use a ObjectDataProvider to get a `Type`-->
        <ObjectDataProvider MethodName="GetType" ObjectType="{x:Type local:Float4}" x:Key='VectorType' >
        </ObjectDataProvider>
        <local:GetFieldsConverter x:Key="GetFieldsConverter" />
    </DataTemplate.Resources>         

    <!--then use a Converter to create a ObservableCollection of `FieldInfo` from `Type`-->
    <ItemsControl ItemsSource="{Binding Source={StaticResource VectorType},Converter={StaticResource GetFieldsConverter}}">
            <ItemsControl.Resources>
            <!-- this Converter will provider field name-->
                <local:GetFieldNameConverter x:Key="GetFieldNameConverter"/>
            </ItemsControl.Resources>
            <!-- Other Elements -->
            <ItemsControl.ItemTemplate>
                <DataTemplate>
                    <DockPanel HorizontalAlignment="Stretch">
                        <TextBlock DockPanel.Dock='Left' Text="{Binding Converter={StaticResource GetFieldNameConverter}}" Width="25" />
                        <TextBox HorizontalAlignment="Stretch" Text="{Binding Path=Value}"/>
                    </DockPanel>
                </DataTemplate>
            </ItemsControl.ItemTemplate>
        </ItemsControl>
</DataTemplate>

在这种情况下,TextBox.Text中的Path被设置为Value,因为它是一个模板,它不知道该Item与哪个字段相关联。

那么,如何让它与该领域相关联?并绑定到它,因此当此TextBox的值更改时,它可以将PropertyChanged事件引发到包含Float4的对象。

1 个答案:

答案 0 :(得分:1)

至少有两件事会妨碍在WPF中使用Float4类型:

  • 这是值类型

  • 成员不是属性,但字段

所以我担心你必须为你的值使用代理

public class Float4Proxy : INotifyPropertyChanged
{
    private Float4 float4;

    public float X
    {
        get { return float4.x; }
        set
        {
            if (value != float4.x)
            {
                float4.x = value;
                PropertyChanged(this, new PropertyChangedEventArgs("X"));
            }
        }
    }

    ...
}

在你的XAML中,你将能够进行这样的双向绑定:

<TextBox HorizontalAlignment="Stretch" Text="{Binding Path=Value.X}"/>