1

单击默认的“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();
        }
    });
}
}
4

2 回答 2

4

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

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

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

于 2013-10-25T01:08:53.860 回答
4

我建议你用

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

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

首先看一下Swing 中的并发。我建议您可能想先看看类似的东西javax.swing.Timer,但是如果您想更好地控制帧速率,则需要使用某种Thread. 但请记住,Swing 期望所有更新都在 Event Dispatching Thread 的上下文中执行。

Swing 中的自定义绘画不是通过使用类似...

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

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

相反,您应该使用类似 a 的东西JPanel作为绘画的基础,paintComponent并在调用它时覆盖它的方法并从其中渲染状态。

然后,您只需repaint在要更新组件时调用。

请查看执行自定义绘画以获取更多详细信息。

我还建议您查看如何使用键绑定作为替代KeyListener

于 2013-10-25T01:11:04.757 回答