多重窗口问题- c# WPF

本文关键字:WPF 问题 窗口 | 更新日期: 2023-09-27 18:04:34

我在WPF中使用多个窗口并使用按钮在它们之间切换时有麻烦。理论上,我的应用程序应该有2个按钮,一个前进和一个后退,分别改变窗口到上一个和下一个窗口。

不幸的是,我得到一个Stackoverflow错误,通过我的研究,我觉得这与我创建新窗口有关,这些窗口在创建前一个窗口时再次创建窗口,从而产生一个可怕的循环。但是,我不知道我可以把窗口创建代码放在哪里来阻止这个问题,或者是否有其他方法来解决这个问题。

下面是我的windows代码:

第一个窗口

public partial class Presenation_1 : Window
{
    Presentation_2 p2 = new Presentation_2();
    MainWindow M = new MainWindow();
    public Presenation_1()
    {
        InitializeComponent();
    }
    private void btnForward_Click(object sender, RoutedEventArgs e)
    {
        this.Close();
        p2.Show();
    }
    private void btnBack_Click(object sender, RoutedEventArgs e)
    {
        this.Close();
        M.Show();
    }
}

第二窗口
public partial class Presentation_2 : Window
{
    Presentation_3 p3 = new Presentation_3();
    Presenation_1 p1 = new Presenation_1();
    public Presentation_2()
    {
        InitializeComponent();
    }
    private void btnForward_Click(object sender, RoutedEventArgs e)
    {
        this.Close();
        p3.Show();
    }
    private void btnBack_Click(object sender, RoutedEventArgs e)
    {
        this.Close();
        p1.Show();
    }
}

第三窗口
public partial class Presentation_3 : Window
{
    Presentation_4 p4 = new Presentation_4();
    Presentation_2 p2 = new Presentation_2();
    public Presentation_3()
    {
        InitializeComponent();
    }
    private void btnForward_Click(object sender, RoutedEventArgs e)
    {
        this.Close();
        p4.Show();
    }
    private void btnBack_Click(object sender, RoutedEventArgs e)
    {
        this.Close();
        p2.Show();
    }
}

第四窗口

public partial class Presentation_4 : Window
{
    Presentation_3 p3 = new Presentation_3();
    MainWindow M = new MainWindow();
    public Presentation_4()
    {
        InitializeComponent();
    }
    private void btnForward_Click(object sender, RoutedEventArgs e)
    {
        this.Close();
        M.Show();
    }
    private void btnBack_Click(object sender, RoutedEventArgs e)
    {
        this.Close();
        p3.Show();
    }
}

Thanks in advance

多重窗口问题- c# WPF

不要在按钮被点击之前创建Windows,你可以在事件处理程序中创建它们:

private void btnForward_Click(object sender, RoutedEventArgs e)
{
    var p2 = new Presentation_2();
    this.Close();
    p2.Show();
}

当你创建一个窗口时,你用

创建了另外两个窗口
new Presentation_X()

这个新窗口会自动显示并打开另外两个窗口。

你可以在主窗口中创建这个窗口一次(自动隐藏这个窗口),在构造函数中传递引用并且不关闭这些窗口。快速示例(未测试):

public partial class Presenation_X : Window
{
    private Window preview;
    private Window next;
    public Presenation_X(Window w1, Window w2)
    {
        this.preview = w1;
        this.next = w2;
        InitializeComponent();
    }
    private void btnForward_Click(object sender, RoutedEventArgs e)
    {
        this.next.Show();
        this.Hide();
    }
    private void btnBack_Click(object sender, RoutedEventArgs e)
    {
        this.preview.Show();
        this.Hide();
    }
}