我有一个上下文菜单,它由列表框的每个列表项触发。 而且,当我选择如下上下文菜单时,我想创建子窗口:
xaml
<ListBox.ItemTemplate>
<DataTemplate>
<StackPanel Width="150" Orientation="Vertical" Margin="15, 5, 15, 5">
<StackPanel.ContextMenu>
<ContextMenu FontSize="16">
<MenuItem Header="{x:Static localRes:Resources.ID_STRING_SETTING}" Margin="5" Command="Setting_Click"/>
</ContextMenu>
它已经是主窗口的子页面。
因此,我找不到一种方法来将MainWindow
实例设置为新窗口的所有者。
隐藏代码
private void Setting_Click(object sender, RoutedEventArgs e)
{
SettingWindow SettingWindow = new SettingWindow();
SettingWindow.Owner = /* I do not know how to do */
SettingWindow.Show();
}
答案 0 :(得分:1)
如果您的点击命令处理程序位于主窗口后面的代码中,则需要设置
deviceSettingWindow.Owner = this;
https://docs.microsoft.com/en-us/dotnet/api/system.windows.window.owner?view=netframework-4.8
这是一个小例子。它包含一个带有处理程序的按钮,其代码在后面的代码中-
<Window x:Class="MainWindow.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:local="clr-namespace:ChildWindow"
mc:Ignorable="d"
Title="MainWindow" Height="450" Width="800">
<Grid>
<Button Content="Button" HorizontalAlignment="Left" Margin="114,137,0,0" VerticalAlignment="Top" Width="75" Click="Button_Click"/>
</Grid>
</Window>
CodeBehind:
using System.Windows;
namespace MainWindow
{
/// <summary>
/// Interaction logic for MainWindow.xaml
/// </summary>
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
}
private void Button_Click(object sender, RoutedEventArgs e)
{
var childWindow = new ChildWindow.Window1();
childWindow.Owner = this;
childWindow.Show();
}
}
}
子窗口-只是一个空窗口
<Window x:Class="ChildWindow.Window1"
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:local="clr-namespace:ChildWindow"
mc:Ignorable="d"
Title="Window1" Height="450" Width="800">
<Grid>
</Grid>
</Window>
后面的子窗口代码
using System.Windows;
namespace ChildWindow
{
/// <summary>
/// Interaction logic for Window1.xaml
/// </summary>
public partial class Window1 : Window
{
public Window1()
{
InitializeComponent();
}
}
}
在我的示例中,由于您位于MainWindow的后面代码中,this
是对MainWindow的引用,设置'childWindow.Owner = this'会将childWindow的所有者设置为MainWindow,这就是我相信你想要。
令我感到困惑的一件事是,您在后面的代码中使用了Command和对事件处理程序的引用。我很确定那是行不通的。命令需要绑定到ICommand参考-您必须实现自己的ICommand类,或者使用MVVM Light或WPF MVVM Framework中的一个。一旦知道了,就可以通过Command作为CommandParameter从父窗口传递引用。有关如何执行此操作的示例,请参见passing the current Window as a CommandParameter
如果在控件上使用事件处理程序,则可以像我的示例中所示,在后面的代码中将其绑定到事件处理程序实现。您需要选择一个。
如果您能够提供有关设置方式的更多详细信息,它将使我可以更轻松地提供有关您需要选择哪种方式的信息。