4

如何以编程方式触发JTextField正在监听事件的 a 上的按键事件ENTER

my 上关键事件的监听JTextField器声明如下:

myTextField.addKeyListener(new KeyAdapter() {

    @Override
    public void keyTyped(KeyEvent e) {
        if (e.getKeyChar() == KeyEvent.VK_ENTER) {
            // Do stuff
        }
    }
});

谢谢。

4

2 回答 2

17
  • 不要KeyListenerJTextField简单的添加ActionListener上使用,按下时会触发ENTER(感谢@robin +1 的建议)

    JTextField textField = new JTextField();
    
    textField.addActionListener(new ActionListener() {
        @Override
        public void actionPerformed(ActionEvent ae) {
             //do stuff here when enter pressed
        }
    });
    
  • 在组件上触发KeyEvent使用requestFocusInWindow()并使用Robot类来模拟按键

像这样:

textField.requestFocusInWindow();

try { 
    Robot robot = new Robot(); 

    robot.keyPress(KeyEvent.VK_ENTER); 
} catch (AWTException e) { 
e.printStackTrace(); 
} 

例子:

import java.awt.AWTException;
import java.awt.Robot;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.KeyEvent;
import javax.swing.JFrame;
import javax.swing.JTextField;
import javax.swing.SwingUtilities;

public class Test {

    public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {
            @Override
            public void run() {
                JFrame frame = new JFrame();
                frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                JTextField textField = new JTextField();

                textField.addActionListener(new ActionListener() {
                    @Override
                    public void actionPerformed(ActionEvent ae) {
                        System.out.println("Here..");
                    }
                });
                frame.add(textField);

                frame.pack();
                frame.setVisible(true);

                textField.requestFocusInWindow();

                try {
                    Robot robot = new Robot();

                    robot.keyPress(KeyEvent.VK_ENTER);
                } catch (AWTException e) {
                    e.printStackTrace();
                }
            }
        });
    }
}

更新:

正如@Robin 和@mKorbel 等其他人所建议的那样,您可能需要一个DocumentListener/ DocumentFiler(过滤器允许在JTextField更新之前进行验证)。

在 IMO 数据验证的情况下,您将需要这个。

在这里看到这个类似的问题

它展示了如何将 a 添加DocumentFilter到 a 以JTextField进行数据验证。文档过滤器的原因正如我所说允许在显示更改之前进行验证,这对 IMO 更有用

于 2012-11-26T10:49:58.700 回答
4

您可以自己构造Event,然后在JTextField 上调用dispatchEvent。

  KeyEvent keyEvent = new KeyEvent(...); //create
  myTextField.dispatchEvent();

KeyEvent的参数可以参考KeyEvent的构造函数

于 2012-11-26T10:50:06.577 回答