0

我正在制作一个非常简单的蛇游戏,我有一个名为 Apple 的对象,我想每隔 X 秒移动到一个随机位置。所以我的问题是,每 X 秒执行此代码的最简单方法是什么?

apple.x = rg.nextInt(470);
apple.y = rg.nextInt(470);

谢谢。

编辑:

好吧,确实有一个像这样的计时器:

Timer t = new Timer(10,this);
t.start();

它的作用是在游戏开始时绘制我的图形元素,它运行以下代码:

@Override
    public void actionPerformed(ActionEvent arg0) {
        Graphics g = this.getGraphics();
        Graphics e = this.getGraphics();
        g.setColor(Color.black);
        g.fillRect(0, 0, this.getWidth(), this.getHeight());
        e.fillRect(0, 0, this.getWidth(), this.getHeight());
        ep.drawApple(e);
        se.drawMe(g);
4

4 回答 4

7

我会使用执行人

ScheduledExecutorService scheduler = Executors.newScheduledThreadPool(1);
    Runnable toRun = new Runnable() {
        public void run() {
            System.out.println("your code...");
        }
    };
ScheduledFuture<?> handle = scheduler.scheduleAtFixedRate(toRun, 1, 1, TimeUnit.SECONDS);
于 2012-11-23T16:41:05.667 回答
2

使用计时器:

Timer timer = new Timer();
int begin = 1000; //timer starts after 1 second.
int timeinterval = 10 * 1000; //timer executes every 10 seconds.
timer.scheduleAtFixedRate(new TimerTask() {
  @Override
  public void run() {
    //This code is executed at every interval defined by timeinterval (eg 10 seconds) 
   //And starts after x milliseconds defined by begin.
  }
},begin, timeinterval);

文档:Oracle 文档 Timer

于 2013-08-06T05:20:38.233 回答
1

最简单的就是使用sleep.

        apple.x = rg.nextInt(470);
        apple.y = rg.nextInt(470);
        Thread.sleep(1000);

循环运行上面的代码。

这将为您提供大约(可能不准确)一秒的延迟。

于 2012-11-23T15:10:46.387 回答
1

你应该有某种游戏循环来负责处理游戏。您可以每隔x毫秒触发在此循环中执行的代码,如下所示:

while(gameLoopRunning) {
    if((System.currentTimeMillis() - lastExecution) >= 1000) {
        // Code to move apple goes here.

        lastExecution = System.currentTimeMillis();
    }
}

在此示例中,if 语句中的条件将true每 1000 毫秒计算一次。

于 2012-11-23T15:23:23.737 回答