3

我有一个用户控件,我想像这样使用它:

// MainPage.xaml
<my:MyControl Data="10" />
<!-- or -->
<my:MyControl Data="{Binding SomeData}" />

它的代码绑定是这样的:

 public partial class MyControl : UserControl
 {
    public MyControl() {
       InitializeComponent();
    }
   public const string DataPropertyName = "Data";
   public int Data
        {
            get
            {
                return (int)GetValue(DataProperty);
            }
            set
            {
                SetValue(DataProperty, value);
            }
        }

        public static readonly DependencyProperty DataProperty = DependencyProperty.Register(
            DataPropertyName,
            typeof(int),
            typeof(MyControl),
            new PropertyMetadata(10);
 }

它的 xaml 部分是这样的:

 <UserControl>
    <!-- omitted namespaces etc. -->
    <Grid x:Name="LayoutRoot">
         <Button x:Name="myButton" Content="{Binding Data}">
           <Button.Style>
             <Setter Property="Template">
               <Setter.Value>
                <ControlTemplate TargetType="Button">
                    <TextBlock Text="{TemplateBinding Content}" />
                 </ControlTemplate>
                 </Setter.Value>
            </Button.Style>
         </Button>
    </Grid>
   </UserControl>

usercontrol 的 xaml 部分中的关键行是:

<Button x:Name="myButton" Content="{Binding Data}"> 

我想将此 Button 的 Content 属性绑定到 UserControl 的属性(Data),同时仍保留从外部对其设置值的能力(<my:MyControl Data="10" />

问题是,当我使用绑定时<Button x:Name="myButton" Content="{Binding Data}">- 它不起作用(模板绑定不选择任何值)但是,如果我手动设置值,它会起作用,即 -<Button x:Name="myButton" Content="12">

4

1 回答 1

6

如果要绑定到 a 内的“自己的”依赖属性,则UserControl需要将 a 添加x:Name到您的UserControl并将其用作ElementName绑定中的。

<UserControl x:Name="myControl">
    <!-- omitted namespaces etc. -->
    <Grid x:Name="LayoutRoot">
         <Button x:Name="myButton" 
                 Content="{Binding Data, ElementName=myControl}">        
         </Button>
    </Grid>
</UserControl>

为了使Template也工作:

而不是TemplateBinding您需要使用RelativeSource TemplatedParentsysntax,因为您需要设置Mode=OneWay(TemplateBindingMode=OneTime默认情况下出于性能原因使用,但在您的场景中您需要Mode=OneWay

<Style TargetType="Button">
    <Style.Setters>
        <Setter Property="Template">
            <Setter.Value>
                <ControlTemplate TargetType="Button">
                    <TextBlock Text="{Binding Path=Content, Mode=OneWay, 
                        RelativeSource={RelativeSource TemplatedParent}}" />
                </ControlTemplate>    
            </Setter.Value>
        </Setter>
    </Style.Setters>
</Style>
于 2012-10-27T12:33:44.447 回答