WPF可重用标签和文本框行

时间:2018-10-16 18:36:11

标签: wpf user-controls styling

在我的应用程序中,我有一个包含很多行的表单
重复的模式:
标签,然后是旁边的文本框。

   <Grid.ColumnDefinitions>
      <ColumnDefinition Width="4*" />
      <ColumnDefinition Width="6*" />
   </Grid.ColumnDefinitions>

   <Label x:Name="lbl" Content="MyContent" />
   <TextBox Grid.Row="1" Height="20" Width="100" />

我对wpf还是陌生的,但是有一种方法可以创建像用户控件那样将这两个控件包含在一起的东西吗?
每次我添加此新控件并修改Label的内容。

1 个答案:

答案 0 :(得分:2)

当然有一种方法,它称为UserControl。只需右键单击您的项目,然后选择添加新项。然后浏览以添加UserControl,这是一个示例:

<UserControl x:Class="WpfApp.MyUserControl"
             xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
             xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
             xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
             xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
             xmlns:local="clr-namespace:WpfApp"
             mc:Ignorable="d"
             d:DesignHeight="450" d:DesignWidth="800">
    <Grid>
        <Grid.ColumnDefinitions>
            <ColumnDefinition Width="4*" />
            <ColumnDefinition Width="6*" />
        </Grid.ColumnDefinitions>

        <Label x:Name="lbl"  />
        <TextBox Grid.Column="1" Height="20" Width="100" />
    </Grid>
</UserControl>

然后,为了管理标签的内容,您将需要一个dependency property,以便使消耗用户控件的任何内容都可以绑定到它(您也可以使用常规属性,但是将无法绑定):

public partial class MyUserControl : UserControl
{
    public static readonly DependencyProperty LabelContentProperty = DependencyProperty.Register(
        "LabelContent", typeof(string), typeof(MyUserControl), new PropertyMetadata(default(string),OnLabelContentChanged));

    private static void OnLabelContentChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
    {
        var control = (MyUserControl) d;
        control.lbl.Content = e.NewValue;
    }

    public string LabelContent
    {
        get => (string) GetValue(LabelContentProperty);
        set => SetValue(LabelContentProperty, value);
    }

    public MyUserControl()
    {
        InitializeComponent();
    }
}

如果您不想使用依赖项属性,则可以使用类似以下内容的方法:

public partial class MyUserControl : UserControl
{
    public MyUserControl()
    {
        InitializeComponent();
    }

    public string LabelContent
    {
        get => lbl.Content as string;
        set => lbl.Content = value;
    }
}

然后使用它!

<Window x:Class="WpfApp.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
        xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
        xmlns:wpfApp="clr-namespace:WpfApp"
        mc:Ignorable="d"
        WindowStartupLocation="Manual"
        Title="MainWindow">
    <Grid>
        <wpfApp:MyUserControl LabelContent="Hi there!"/>
    </Grid>
</Window>