文章目录
识别鼠标位置
java
import java.awt.*;
import java.awt.event.InputEvent;
public class MousePositionTracker {
public static void main(String[] args) throws AWTException, InterruptedException {
Robot robot = new Robot();
while (true) {
// Get the current mouse position
Point mousePosition = MouseInfo.getPointerInfo().getLocation();
int x = (int) mousePosition.getX();
int y = (int) mousePosition.getY();
// Print the coordinates to the console
System.out.println("Mouse position: (" + x + ", " + y + ")");
// Wait for 1 second
Thread.sleep(1000);
}
}
}
对电脑指定坐标进行点击
java
import java.awt.*;
import java.awt.event.InputEvent;
public class ScreenClicker {
public static void main(String[] args) throws AWTException {
Robot robot = new Robot();
int x = 673;
int y = 723;
for (int i = 0; i < 20; i++) {
robot.mouseMove(x, y);
robot.mousePress(InputEvent.BUTTON1_DOWN_MASK); // Press the left mouse button
robot.mouseRelease(InputEvent.BUTTON1_DOWN_MASK); // Release the left mouse button
try {
Thread.sleep(1000); // Wait for 1 second between clicks
} catch (InterruptedException e) {
e.printStackTrace();
}
}
System.out.println("Clicked on location (" + x + ", " + y + ")");
}
}
用户按下指定按键对程序做出终止(注意英文输入法才可以识别)
java
import javax.swing.*;
import java.awt.event.KeyEvent;
import java.awt.event.KeyListener;
public class KeyPressDetector implements KeyListener {
private JFrame frame;
public KeyPressDetector() {
// Create a JFrame window
frame = new JFrame("Key Press Detector");
frame.setSize(300, 200);
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setVisible(true);
// Register the KeyListener to the JFrame window
frame.addKeyListener(this);
}
@Override
public void keyTyped(KeyEvent e) {
// keyTyped event is triggered when a character is typed
// This method is not used in this example, but it's required to implement the KeyListener interface
}
@Override
public void keyPressed(KeyEvent e) {
// keyPressed event is triggered when a key is pressed
if (e.getKeyCode() == KeyEvent.VK_Q) {
System.out.println("Exiting the program.");
System.exit(0); // Exit the program
}
}
@Override
public void keyReleased(KeyEvent e) {
// keyReleased event is triggered when a key is released
// This method is not used in this example, but it's required to implement the KeyListener interface
}
public static void main(String[] args) {
// Create an instance of KeyPressDetector to start the program
new KeyPressDetector();
}
}