Java 使用 inputmap 跟踪击键

1 java keystrokes

我的代码遇到这个问题,我正在尝试学习如何在 Java 中使用击键,并且我希望能够跟踪我按下的击键。我正在尝试使用 KeyEvent.VK_UP 来跟踪我所按的内容。

import java.awt.event.*;
import javax.swing.*;

public class TrackArrows
{
    protected static InputMap inputMap;

    public static void main(String[] arg){
        JPanel panel = new JPanel();

        inputMap = panel.getInputMap();

        panel.getActionMap().put("keys", new AbstractAction() {
            public void actionPerformed(ActionEvent e){
                if(inputMap.get(KeyStroke.getKeyStroke(KeyEvent.VK_UP, 0), true)){//My problem lies here
                    System.out.println("Key pressed up");
                }
                if(inputMap.get(KeyStroke.getKeyStroke(KeyEvent.VK_UP, 0), true)){//And here
                    System.out.println("Key pressed down");
                }
            }
        });

        inputMap.put(KeyStroke.getKeyStroke(KeyEvent.VK_UP, 0), "keys");
        inputMap.put(KeyStroke.getKeyStroke(KeyEvent.VK_DOWN, 0), "keys");

        JFrame frame = new JFrame();
        frame.getContentPane().add(panel);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setSize(20,20);
        frame.setVisible(true);
    }
}
Run Code Online (Sandbox Code Playgroud)

我这样做是错误的,还是有其他方法可以做到这一点?

cam*_*ckr 5

Action 无法访问 KeyStroke。您需要为每个键绑定创建一个单独的操作。像这样的东西:

class SimpleAction extends AbstractAction
{
    public SimpleAction(String name)
    {
            putValue( Action.NAME, "Action " + name );
    }

    public void actionPerformed(ActionEvent e)
    {
        System.out.println( getValue( Action.NAME ) );
    }
}
Run Code Online (Sandbox Code Playgroud)

然后您创建如下操作:

Action up = new SimpleAction("Up");
Run Code Online (Sandbox Code Playgroud)

但是,您仍然会遇到问题,因为默认的 InputMap 仅在具有焦点时接收按键事件,并且默认情况下 JPanel 不可聚焦。所以你有两个选择:

a) 使面板可聚焦:

panel.setFocusable( true );
Run Code Online (Sandbox Code Playgroud)

b) 使用不同的InputMap:

inputMap = panel.getInputMap(JPanel.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT);
Run Code Online (Sandbox Code Playgroud)

绑定文章尝试简化 Swing 教程中的一些键绑定概念。