我编写了一些应用程序,并希望向其中添加一些键盘输入。
我的主类扩展了JPanel,因此我可以将keyAdapter添加到构造函数中。
keyAdapter是一个名为“ InputAdapter”的新类,它使用keyPressed()和keyReleased()方法扩展了keyadapter。单击或释放时,控制台应打印一些字符串,例如这里“测试”

我不知道为什么,但是控制台不会打印任何文本。另外,当我告诉它将精灵可见性变为假时,也不会发生任何事情。

所以我想KeyAdapter不能正常工作,所以有人可以仔细看看我的代码行吗?

我猜这个问题与我编写的其他实现的类无关,因为删除它们时,仍然存在无法正常使用键盘的问题。

包com.ochs.game;

public class Game extends JPanel implements Runnable{
private static final long serialVersionUID = 1L;

public static final int WIDTH = 320;
public static final int HEIGHT = 240;
public static final int SCALE = 3;

public boolean isRunning;

public Game() {
    addKeyListener(new InputAdapter());
    setFocusable(true);
    requestFocus();
    start();
}

public void start() {
    isRunning = true;
    new Thread(this).start();
}

public void stop() {
    isRunning = false;
}

public void run() {
    init();
    while(isRunning) {

        update();
        repaint();

        try {
            Thread.sleep(5);
        } catch (InterruptedException e) {
            System.out.println("Thread sleep failed.");
        }
    }
}

public void init() {

}

public void update() {

}

public void paint(Graphics g) {
    super.paint(g);
    Graphics2D g2d = (Graphics2D)g;

}

public static void main(String[] args) {
    Game gameComponent = new Game();
    Dimension size = new Dimension(WIDTH*SCALE, HEIGHT*SCALE);

    JFrame frame = new JFrame("Invaders");
    frame.setVisible(true);
    frame.setSize(size);
    frame.setLocationRelativeTo(null);
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    frame.setResizable(false);
    frame.add(gameComponent);
}
public class InputAdapter extends KeyAdapter {

    @Override
    public void keyPressed(KeyEvent arg0) {
        System.out.println("Test");
    }

    @Override
    public void keyReleased(KeyEvent arg0) {
        System.out.println("Test");
    }


}
}

最佳答案

您的代码对我有用:

java version "1.6.0_27"
OpenJDK Runtime Environment (IcedTea6 1.12.6) (6b27-1.12.6-1ubuntu0.12.04.2)
OpenJDK Client VM (build 20.0-b12, mixed mode, sharing)


提示1-我猜您应该覆盖paintComponent(Graphics g),而不要覆盖paint()

public void paintComponent(Graphics g){

    super.paintComponent(g);
    //...
}


提示2-在JPanel上使用addNotify():

public void addNotify(){

    super.addNotify();
    //start from here
    new Thread(this).start();
}


提示3-通过EDT线程以这种方式启动您的应用程序(请参见What does SwingUtilities.invokeLater do?

SwingUtilities.invokeLater(new Runnable() {

    public void run(){

    //your code

   }
});


希望能帮助到你!

10-08 09:23