让JFrame关闭的正确方法是什么,就像用户按下X关闭按钮,或按下Alt+F4(在Windows上)一样?

我的默认关闭操作设置为我想要的方式,通过:

setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

它完全符合我对上述控件的要求。这个问题与此无关。

我真正想做的是使GUI的行为与按下X关闭按钮所引起的行为相同。

假设我要扩展WindowAdaptor,然后通过addWindowListener()将适配器的一个实例添加为侦听器。我希望看到通过windowDeactivated()、windowClosing()和windowClosed()的调用序列与X close按钮相同。可以说,与其说是撕破窗户,不如说是让它自己撕毁。


当前回答

以下是你的选择:

System.exit(0); // stop program
frame.dispose(); // close window
frame.setVisible(false); // hide window

其他回答

 setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);

如果你所说的Alt-F4或X是指“立即退出应用程序,而不考虑其他窗口或线程正在运行”,那么System.exit(…)将以一种非常突然的、暴力的、可能有问题的方式执行你想要的操作。

如果Alt-F4或X你的意思是隐藏窗口,那么frame.setVisible(false)是你“关闭”窗口的方式。该窗口将继续消耗资源/内存,但可以很快再次可见。

如果Alt-F4或X的意思是隐藏窗口并处理它所消耗的任何资源,那么frame.dispose()就是你“关闭”窗口的方式。如果该帧是最后一个可见窗口,并且没有其他非守护进程线程正在运行,则程序将退出。如果你再次显示窗口,它将不得不重新初始化所有的本机资源(图形缓冲区,窗口句柄等)。

Dispose()可能最接近于您真正想要的行为。如果你的应用程序有多个窗口打开,你想Alt-F4或X退出应用程序或只是关闭活动窗口?

关于窗口侦听器的Java Swing教程可能会帮助您澄清一些事情。

将问题正文中的内容作为CW答案。

想分享的成果,主要来源于关注camickr的链接。基本上我需要抛出一个WindowEvent。应用程序事件队列上的WINDOW_CLOSING。下面是解决方案的概要

// closing down the window makes sense as a method, so here are
// the salient parts of what happens with the JFrame extending class ..

    public class FooWindow extends JFrame {
        public FooWindow() {
            setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            setBounds(5, 5, 400, 300);  // yeah yeah, this is an example ;P
            setVisible(true);
        }
        public void pullThePlug() {
                WindowEvent wev = new WindowEvent(this, WindowEvent.WINDOW_CLOSING);
                Toolkit.getDefaultToolkit().getSystemEventQueue().postEvent(wev);
        }
    }

// Here's how that would be employed from elsewhere -

    // someplace the window gets created ..
    FooWindow fooey = new FooWindow();
    ...
    // and someplace else, you can close it thusly
    fooey.pullThePlug();
setVisible(false); //you can't see me!
dispose(); //Destroy the JFrame object

不太棘手。

您必须将调用插入到AWT消息队列中,以便所有计时都正确发生,否则它将无法分派正确的事件序列,特别是在多线程程序中。当这一步完成后,你可以处理结果事件序列,就像用户点击操作系统提供的装饰JFrame的[x]按钮一样。

public void closeWindow()
{
    if(awtWindow_ != null) {
        EventQueue.invokeLater(new Runnable() {
            public void run() {
                awtWindow_.dispatchEvent(new WindowEvent(awtWindow_, WindowEvent.WINDOW_CLOSING));
            }
        });
    }
}