解决方案思路
建议挥杆图
取决于您使用的小部件库。如果您使用的是 Swing,则从文本字段中获取InputMap ,并为其添加合适的绑定。最初我希望您可以复制 Tab 和 Shift-Tab 的绑定,但正如我在实验中发现的那样,它们不是InputMap
各个组件的一部分。因此,您必须定义新键,并使用 将ActionMap
它们映射到新操作。
粘贴代码有问题
您引用的代码不起作用,因为您应该使用getKeyCode而不是getKeyChar。前者对应于那些VK_
常量,而后者将导致“正常”(即打印)键的字符,并且仅在KEY_TYPED
事件期间。对于非打印键,该KEY_TYPED
事件将永远不会生成,并且在所有其他事件期间,键字符将改为CHAR_UNDEFINED。
例子
这些示例是在以后的编辑中添加的。
我对以下代码进行双重许可:您可以根据 CC-Wiki 的条款或 GPL 版本 3 或更高版本的条款使用它。
示例 1:Swing 输入和动作映射
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
class SO11380406a {
static final Object focusNextKey = new Object();
static final Object focusPrevKey = new Object();
static final Action focusNextAction = new AbstractAction("focusNext") {
public void actionPerformed(ActionEvent e) {
((Component)e.getSource()).transferFocus();
}
};
static final Action focusPrevAction = new AbstractAction("focusPrev") {
public void actionPerformed(ActionEvent e) {
((Component)e.getSource()).transferFocusBackward();
}
};
static final KeyStroke down = KeyStroke.getKeyStroke(KeyEvent.VK_DOWN, 0);
static final KeyStroke up = KeyStroke.getKeyStroke(KeyEvent.VK_UP, 0);
private static void remap(JComponent c) {
ActionMap am = new ActionMap();
am.put(focusNextKey, focusNextAction);
am.put(focusPrevKey, focusPrevAction);
am.setParent(c.getActionMap());
c.setActionMap(am);
InputMap im = new InputMap();
im.put(down, focusNextKey);
im.put(up, focusPrevKey);
im.setParent(c.getInputMap(JComponent.WHEN_FOCUSED));
c.setInputMap(JComponent.WHEN_FOCUSED, im);
}
public static void main(String[] args) {
JFrame frm = new JFrame("SO Question 11380406 Demo A");
frm.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frm.getContentPane().setLayout(new GridLayout(2, 1));
JTextField a = new JTextField(80), b = new JTextField(80);
frm.getContentPane().add(a);
frm.getContentPane().add(b);
frm.pack();
remap(a);
remap(b);
frm.setLocationByPlatform(true);
frm.setVisible(true);
}
}
示例 2:AWT KeyListener
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
class SO11380406b {
static final KeyListener arrowFocusListener = new KeyAdapter() {
public void keyPressed(KeyEvent e) {
if (e.getModifiers() == 0) {
if (e.getKeyCode() == KeyEvent.VK_DOWN)
e.getComponent().transferFocus();
if (e.getKeyCode() == KeyEvent.VK_UP)
e.getComponent().transferFocusBackward();
}
}
};
private static void remap(Component c) {
c.addKeyListener(arrowFocusListener);
}
public static void main(String[] args) {
JFrame frm = new JFrame("SO Question 11380406 Demo B");
frm.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frm.getContentPane().setLayout(new GridLayout(2, 1));
JTextField a = new JTextField(80), b = new JTextField(80);
frm.getContentPane().add(a);
frm.getContentPane().add(b);
frm.pack();
remap(a);
remap(b);
frm.setLocationByPlatform(true);
frm.setVisible(true);
}
}