如何在Java中设置鼠标的位置?

2022-09-01 20:02:13

我正在用Java做一些Swing GUI工作,我认为我的问题相当简单;如何设置鼠标的位置?


答案 1

正如其他人所说,这可以使用Robot.mouseMove(x,y)来实现。但是,在多显示器情况下工作时,此解决方案会出现故障,因为机器人使用主屏幕的坐标系,除非您另有说明。

下面是一个解决方案,允许您传递任何基于点的全局屏幕坐标:

public void moveMouse(Point p) {
    GraphicsEnvironment ge = 
        GraphicsEnvironment.getLocalGraphicsEnvironment();
    GraphicsDevice[] gs = ge.getScreenDevices();

    // Search the devices for the one that draws the specified point.
    for (GraphicsDevice device: gs) { 
        GraphicsConfiguration[] configurations =
            device.getConfigurations();
        for (GraphicsConfiguration config: configurations) {
            Rectangle bounds = config.getBounds();
            if(bounds.contains(p)) {
                // Set point to screen coordinates.
                Point b = bounds.getLocation(); 
                Point s = new Point(p.x - b.x, p.y - b.y);

                try {
                    Robot r = new Robot(device);
                    r.mouseMove(s.x, s.y);
                } catch (AWTException e) {
                    e.printStackTrace();
                }

                return;
            }
        }
    }
    // Couldn't move to the point, it may be off screen.
    return;
}

答案 2

你需要使用机器人

此类用于生成本机系统输入事件,以实现测试自动化、自运行演示以及需要控制鼠标和键盘的其他应用程序。Robot的主要目的是促进Java平台实现的自动化测试。

使用该类生成输入事件不同于将事件发布到 AWT 事件队列或 AWT 组件,因为事件是在平台的本机输入队列中生成的。例如,实际上将移动鼠标光标,而不仅仅是生成鼠标移动事件...Robot.mouseMove


推荐