0

我看到了几个游戏机器人网站,可用于雅虎、pogo 等游戏。您使用什么/如何编写检测屏幕上项目的软件?例如,在 java 中,您如何检测动态游戏窗口并识别出正在播放的方块(例如在俄罗斯方块中)。您如何从屏幕上的项目飞跃到让软件识别它? ?

4

1 回答 1

0

嗯,首先,在 Java/Processing 中,您通常会在网站中嵌入 Applet。Java Frame 类为您提供屏幕 XY 起点(左上角,即 0,0)和屏幕边界(右下角,即“宽度”和“高度”)。这类似于 Python、JavaScript 和任何其他软件——网络或其他软件——使用“画布”即工作。一个屏幕。

其次,你在屏幕上绘制的任何东西都是你自己创造的——所以你可以通过编程访问你绘制的任何东西的 XY 坐标。这可以由全局变量控制,或者更好的是,一个类的对象具有返回坐标的方法。

例子:

Ball ball;

void setup() {
  size(640, 480);
  smooth();

  ball = new Ball(width/2, height/2, 60);
}

void draw() {
  background(0, 255, 0);
  ball.move();
  ball.boundsDetect();
  ball.draw();

  println("The X Position is " + getX() + " and the Y Position is " + getY());
}

class Ball {

  float x, y;
  float xSpeed = 2.8;
  float ySpeed = 2.2;
  int bSize, bRadius;
  int xDirection = 1;
  int yDirection = 1;

  Ball(int _x, int _y, int _size) {
    x = _x;
    y = _y;
    bSize = _size;
    bRadius = bSize/2;
  } 

  void move() {
    x = x + (xSpeed * xDirection);
    y = x + (ySpeed * yDirection);
  }

  void draw() {
    fill(255, 0, 0);
    stroke(255);
    ellipse(x, y, bSize, bSize); 
    println("here");
  }

  void boundsDetect() {
    if (x > width - bRadius || x < bRadius) {
      xDirection *= -1;
    }
    if (y > height - bRadius || y < bRadius) {
      yDirection *= -1;
    }

  }

  float getX() {
    return x;
  }

  float getY() {
    return y;
  }

}
于 2013-06-07T17:32:34.773 回答