3

我想创建一个从 ContentControl 派生的新自定义控件(它将是窗口中其他控件的容器),但我想要一个按钮来关闭它。(实际上我想要一个无边框的窗口,但使用类似系统的按钮来关闭它)。

所以我为包含两行网格的控件创建了样式,在上一行有一个带有单个按钮的 StackPanel。

如何将按钮的 Click 事件绑定到控件本身,以引发事件,甚至将关闭命令发送到父窗口?

<Grid>
<Grid.RowDefinitions>
    <RowDefinition Height="20" />
    <RowDefinition />
</Grid.RowDefinitions>
<Border Background="Azure" Grid.Row="0">
    <StackPanel Orientation="Horizontal">
        <Button HorizontalAlignment="Right" Content="X" Click="Close_Click" />
    </StackPanel>
    </Border>
<ContentPresenter HorizontalAlignment="Center" VerticalAlignment="Center" Grid.Row="1"/>
</Grid>

以及背后的代码:

static STContentControl()
{
DefaultStyleKeyProperty.OverrideMetadata(typeof(STContentControl), new FrameworkPropertyMetadata(typeof(STContentControl)));
}

public void Close_Click(object sender, RoutedEventArgs ea)
{

}
4

1 回答 1

3

听起来您已将模板创建为资源,因此在运行时将其应用于控件。

您需要确保在 OnApplyTemplate 方法中为按钮连接单击事件(在您的控件上覆盖它)。

http://msdn.microsoft.com/en-us/library/system.windows.frameworkelement.onapplytemplate.aspx

所以你会像这样在你的 UC 上覆盖它:

class NewUC : UserControl
{
    public event EventHandler CloseClicked;

    public override void OnApplyTemplate()
    {
        Button btn = this.FindName("SomeButton") as Button;

        if (btn == null) throw new Exception("Couldn't find 'Button'");

        btn.Click += new System.Windows.RoutedEventHandler(btn_Click);
    }

    void btn_Click(object sender, System.Windows.RoutedEventArgs e)
    {
        OnCloseClicked();
    }

    private void OnCloseClicked()
    {
        if (CloseClicked != null)
            CloseClicked(this, EventArgs.Empty);
    }
}    

我在示例中添加了一个 CloseClicked 事件,您可以在父窗口中处理该事件。这不是路由事件,因此您必须在父控件中手动连接它

我认为您也可以使用 MouseLeftButtonDown 路由事件并检查按钮是否在父级别被单击-我自己会去...

于 2012-07-04T14:48:41.967 回答