4

我希望在 Java 中模拟短时间按住键盘键的动作。我希望下面的代码按住 A 键 5 秒钟,但它只按下一次(在记事本中测试时会产生一个“a”)。知道我是否需要使用其他东西,或者我只是在这里使用了错误的 awt.Robot 类吗?

Robot robot = null; 
robot = new Robot();
robot.keyPress(KeyEvent.VK_A);
Thread.sleep(5000);
robot.keyRelease(KeyEvent.VK_A);
4

3 回答 3

5

Thread.sleep() 停止当前线程(按住键的线程)执行。

如果您希望它在给定的时间内按住键,也许您应该在并行线程中运行它。

这是一个可以解决 Thread.sleep() 问题的建议(使用命令模式,因此您可以创建其他命令并随意交换它们):

public class Main {

public static void main(String[] args) throws InterruptedException {
    final RobotCommand pressAKeyCommand = new PressAKeyCommand();
    Thread t = new Thread(new Runnable() {

        public void run() {
            pressAKeyCommand.execute();
        }
    });
    t.start();
    Thread.sleep(5000);
    pressAKeyCommand.stop();

  }
}

class PressAKeyCommand implements RobotCommand {

private volatile boolean isContinue = true;

public void execute() {
    try {
        Robot robot = new Robot();
        while (isContinue) {
            robot.keyPress(KeyEvent.VK_A);
        }
        robot.keyRelease(KeyEvent.VK_A);
    } catch (AWTException ex) {
        // Do something with Exception
    }
}

  public void stop() {
     isContinue = false;
  }
}

interface RobotCommand {

  void execute();

  void stop();
}
于 2009-04-25T00:18:21.897 回答
2

一直按吗?

import java.awt.Robot;
import java.awt.event.KeyEvent;

public class PressAndHold { 
    public static void main( String [] args ) throws Exception { 
        Robot robot = new Robot();
        for( int i = 0 ; i < 10; i++ ) {
            robot.keyPress( KeyEvent.VK_A );
        }
    }
}

我认为爱德华提供的答案会做!

于 2009-04-25T00:30:10.700 回答
0

java.lang.Robot 中没有 keyDown 事件。我在我的计算机上尝试了这个(在 linux 下的控制台上测试,而不是使用记事本),它成功了,产生了一串 a。也许这只是记事本的问题?

于 2009-04-24T03:57:24.267 回答