切换JPanel后,Java KeyListener没有响应

时间:2012-12-22 16:01:02

标签: java swing timer jpanel keylistener

当我在JPanel之间切换时,我遇到了KeyListener没有响应(由于没有获得焦点)的问题。

我有谷歌这个,并知道要解决这个问题,我需要使用KeyBindings,但我不喜欢KeyBindings。所以我想知道,还有其他方法吗?

以下是JPanel的初始化代码,它具有无响应的KeyListener:

    public void init()
{
    setFocusable(true);
    requestFocusInWindow();
    requestFocus();
    addMouseListener(new MouseInput());
    addMouseMotionListener(new MouseInput());
    addMouseWheelListener(new MouseInput());
    addKeyListener(new KeyInput(p));

    t = new Timer(10, this);
    t.start();
}

如果需要,请随时索取更多代码示例!

1 个答案:

答案 0 :(得分:6)

hacky解决方案是调用requestFocusInWindow()上的JPanel以确保它对KeyListener / KeyAdapter有焦点,这只应在添加Componnet后调用(虽然为了确保我的组件具有焦点,我在通过JFramerevalidate()刷新repaint()后调用它,例如:

public class MyUI {

    //will switch to the gamepanel by removing all components from the frame and adding GamePanel
    public void switchToGamePanel() {
        frame.getContentPane().removeAll();

        GamePanel gp = new GamePanel();//keylistener/keyadapter was added to Jpanel here

        frame.add(gp);//add component. we could call requestFocusInWindow() after this but to be 98%  sure it works lets call after refreshing JFrame

        //refresh JFrame
        frame.pack();
        frame.revalidate();
        frame.repaint();

        gp.requestFocusInWindow();
    }

}
class GamePanel extends JPanel { 

      public GamePanel() {
          //initiate Jpanel and Keylistener/adapter
      }

}

但是你应该使用Swing KeyBinding s(+1到@Reimeus评论)。

请阅读此处以熟悉它们:

现在你已经阅读过,让我们展示另一个例子来帮助澄清(尽管Oracle做得很好)

如果我们想为{kbd> Esc 添加KeyBinding到某个JComponentJButton,您可以这样做:

void addKeyBinding(JComponent jc) {
        jc.getInputMap(JComponent.WHEN_IN_FOCUSED_WINDOW).put(KeyStroke.getKeyStroke(KeyEvent.VK_ESCAPE, 0, false), "esc pressed");
        jc.getActionMap().put("esc pressed", new AbstractAction() {
            @Override
            public void actionPerformed(ActionEvent ae) {
                System.out.println("Esc pressed");
            }
        });

        jc.getInputMap(JComponent.WHEN_IN_FOCUSED_WINDOW).put(KeyStroke.getKeyStroke(KeyEvent.VK_ESCAPE, 0, true), "esc released");
        jc.getActionMap().put("esc released", new AbstractAction() {
            @Override
            public void actionPerformed(ActionEvent ae) {
                System.out.println("Esc released");
            }
        });
}

上述方法将被称为:

JButton b=..;//create an instance of component which is swing

addKeyBinding(b);//add keybinding to the component

请注意:

1)您不需要KeyBindings,我只是展示了如何获得不同的关键状态并使用Keybindings进行适当的操作。

2)此方法将添加Keybinding,只要按下 Esc 并且组件位于具有焦点的窗口中,就会激活该InputMap,您可以通过指定另一个来更改此值jc.getInputMap(JComponent.WHEN_FOCUSED).put(..);//will only activated when component has focus 即:

{{1}}