ボタン上でマウスに応答してEnterキーを押す動作を取得するには、次のようにします。
- JButtonにアタッチされたキーバインディングを使用して、JButtonがEnterキーに応答できるようにします。
- 上記を行うときは、定数に関連付けられているInputMapを使用し
JComponent.WHEN_IN_FOCUSED_WINDOW
て、ボタンが実際に応答するためにフォーカスを持っている必要はなく、フォーカスされたウィンドウにある必要があることを確認してください。
- もちろん、KeyEvent.VK_ENTERに関連付けられたKeyStrokeにバインドします。
- キーバインディングアクションで、モデルを呼び出して、ボタンのモデルがロールオーバー状態にあるかどうかを確認します
isRollOver()
。
- もしそうなら、応答します。
- 代わりにButtonModelのisRollOverを使用しているため、上記のいずれもMouseListenerを必要としないことに注意してください。
例として、私のSSCCE:
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.KeyEvent;
import javax.swing.*;
public class MouseKeyResponse extends JPanel {
private JButton button = new JButton("Button");
public MouseKeyResponse() {
button.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
System.out.println("button clicked");
}
});
add(button);
setUpKeyBindings(button);
}
private void setUpKeyBindings(JComponent component) {
int condition = JComponent.WHEN_IN_FOCUSED_WINDOW;
InputMap inputMap = component.getInputMap(condition);
ActionMap actionMap = component.getActionMap();
String enter = "enter";
inputMap.put(KeyStroke.getKeyStroke(KeyEvent.VK_ENTER, 0), enter);
actionMap.put(enter, new EnterAction());
}
private class EnterAction extends AbstractAction {
@Override
public void actionPerformed(ActionEvent evt) {
if (button.isEnabled() && button.getModel().isRollover()) {
System.out.println("Enter pressed while button rolled over");
button.doClick();
}
}
}
private static void createAndShowGui() {
MouseKeyResponse mainPanel = new MouseKeyResponse();
JFrame frame = new JFrame("MouseKeyResponse");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.getContentPane().add(mainPanel);
frame.pack();
frame.setLocationByPlatform(true);
frame.setVisible(true);
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
createAndShowGui();
}
});
}
}