让JFrame关闭的正确方法是什么,就像用户按下X关闭按钮,或按下Alt+F4(在Windows上)一样?
我的默认关闭操作设置为我想要的方式,通过:
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
它完全符合我对上述控件的要求。这个问题与此无关。
我真正想做的是使GUI的行为与按下X关闭按钮所引起的行为相同。
假设我要扩展WindowAdaptor,然后通过addWindowListener()将适配器的一个实例添加为侦听器。我希望看到通过windowDeactivated()、windowClosing()和windowClosed()的调用序列与X close按钮相同。可以说,与其说是撕破窗户,不如说是让它自己撕毁。
如果你这样做是为了确保用户不能关闭窗口:
frame.setDefaultCloseOperation(JFrame.DO_NOTHING_ON_CLOSE);
然后您应该将pullThePlug()方法更改为
public void pullThePlug() {
// this will make sure WindowListener.windowClosing() et al. will be called.
WindowEvent wev = new WindowEvent(this, WindowEvent.WINDOW_CLOSING);
Toolkit.getDefaultToolkit().getSystemEventQueue().postEvent(wev);
// this will hide and dispose the frame, so that the application quits by
// itself if there is nothing else around.
setVisible(false);
dispose();
// if you have other similar frames around, you should dispose them, too.
// finally, call this to really exit.
// i/o libraries such as WiiRemoteJ need this.
// also, this is what swing does for JFrame.EXIT_ON_CLOSE
System.exit(0);
}
我发现这是唯一的方法,发挥良好的WindowListener和JFrame.DO_NOTHING_ON_CLOSE。
如果你所说的Alt-F4或X是指“立即退出应用程序,而不考虑其他窗口或线程正在运行”,那么System.exit(…)将以一种非常突然的、暴力的、可能有问题的方式执行你想要的操作。
如果Alt-F4或X你的意思是隐藏窗口,那么frame.setVisible(false)是你“关闭”窗口的方式。该窗口将继续消耗资源/内存,但可以很快再次可见。
如果Alt-F4或X的意思是隐藏窗口并处理它所消耗的任何资源,那么frame.dispose()就是你“关闭”窗口的方式。如果该帧是最后一个可见窗口,并且没有其他非守护进程线程正在运行,则程序将退出。如果你再次显示窗口,它将不得不重新初始化所有的本机资源(图形缓冲区,窗口句柄等)。
Dispose()可能最接近于您真正想要的行为。如果你的应用程序有多个窗口打开,你想Alt-F4或X退出应用程序或只是关闭活动窗口?
关于窗口侦听器的Java Swing教程可能会帮助您澄清一些事情。
退出Java运行过程非常简单,基本上你只需要做两件简单的事情:
在应用程序的退出点调用java方法System.exit(…)
例如,如果你的应用程序是基于框架的,你可以添加监听器WindowAdapter,并在它的方法windowClosing(WindowEvent e)中调用System.exit(…)。
注意:你必须调用System.exit(…)否则你的程序会出错。
避免意外的java异常,以确保始终可以调用exit方法。
如果您在正确的位置添加System.exit(…),但这并不意味着该方法可以始终被调用,因为意外的java异常可能会阻止该方法被调用。
这与你的编程技能密切相关。
**下面是一个最简单的示例(基于JFrame),它向您展示了如何调用退出方法
import java.awt.event.*;
import javax.swing.*;
public class ExitApp extends JFrame
{
public ExitApp()
{
addWindowListener(new WindowAdapter()
{
public void windowClosing(WindowEvent e)
{
dispose();
System.exit(0); //calling the method is a must
}
});
}
public static void main(String[] args)
{
ExitApp app=new ExitApp();
app.setBounds(133,100,532,400);
app.setVisible(true);
}
}