单击“X”按钮时,JFrame不会关闭

时间:2013-10-25 01:08:23

标签: java swing loops jframe

单击默认“X”按钮时,JFrame不会关闭。我认为这个问题与主要线程没有被读取有关,但是我不理解摆动的复杂性或老实说,线程一般。 “Window”是JFrame的扩展,“Boxy”驱动程序。程序仅处于初始阶段。另外,我想知道如何在每个循环中运行主线程。在其他问题中找不到任何相关内容。

public class Window extends JFrame implements KeyListener{
    private static final long serialVersionUID = 1L;
JPanel panel;
public Window(){
    super("FileTyper");
    super.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    super.setSize(200,100);
    super.setResizable(false);
    panel = new JPanel();
    super.getContentPane().add(panel);
    super.setFocusable(true);
    addKeyListener(this);

    super.setVisible(true);
}
public void update(){

}
public void render(Graphics2D g){

}
@Override
public void keyPressed(KeyEvent e) {

}
@Override
public void keyReleased(KeyEvent e) {
    switch(e.getKeyCode()) {
    case KeyEvent.VK_F9:
        break;
    case KeyEvent.VK_F10:
        break;
    }

}
@Override
public void keyTyped(KeyEvent arg0) {

}

}

public class Boxy {
public Window window;

public static void main (String args[]){
    start();
}
public Boxy(){
    init();
    boolean forever = true;
    while(forever){
        update();
        render();
        delay();
    }
}
private void init(){
    window = new Window();
}
private void update(){
    window.update();
}
private void render(){
    Graphics2D g2 = (Graphics2D) window.getContentPane().getGraphics();
    window.render(g2);
    g2.fillRect(0, 0, 100, 100);
}
private void delay(){
    try {Thread.sleep(20);} catch (InterruptedException ex) {System.out.println("ERROR: Delay compromised");}
}
public static void start(){
    SwingUtilities.invokeLater(new Runnable() {
        @Override
        public void run() {
            Boxy box = new Boxy();
        }
    });
}
}

2 个答案:

答案 0 :(得分:4)

你的程序的“游戏”循环不正确:

while(forever){
    update();
    render();
    delay();
}

它不是循环程序,而是通过绑定Swing事件线程或EDT(对于 E vent D ispatch T hread来冻结它)。您应该使用Swing Timer代替此功能。

答案 1 :(得分:4)

我建议您使用

阻止事件调度线程
while(forever){
    update();
    render();
    delay();
}

这阻止了事件队列处理关闭窗口的事件。

首先看一下Concurrency in Swing。我建议你可以先看看像javax.swing.Timer这样的东西,但如果你想要更多地控制帧率,你需要使用某种Thread。但请记住,Swing希望在Event Dispatching Thread的上下文中执行所有更新。

Swing中的自定义绘画不是通过使用类似的东西来完成的。

Graphics2D g2 = (Graphics2D) window.getContentPane().getGraphics();

Graphics上下文是短暂的,任何你的绘画(使用此方法)将在下一个绘制周期中被销毁。

相反,你应该使用像JPanel这样的东西作为绘画的基础,并覆盖它的paintComponent方法,并在它被调用时从其中呈现状态。

当您想要更新组件时,您只需要调用repaint

请查看Performing Custom Painting了解详情。

我还建议您查看How to use Key Bindings作为KeyListener

的忠诚度