6

基本上我正在制作一个基于文本的“游戏”(与其说是游戏,不如说是提高基本 Java 技能和逻辑的一种方式)。但是,作为其中的一部分,我希望有一个计时器。它会倒计时我希望从变量到 0 的时间。现在,我已经看到了几种使用 gui 的方法,但是,有没有办法在没有 gui/jframe 等的情况下做到这一点。

所以,我想知道的是。你能在不使用 gui/jframe 的情况下从 x 倒数到 0 吗?如果是这样,你会怎么做?

谢谢,一旦我有了一些想法,就会随着进度进行编辑。

编辑

// Start timer
Runnable r = new TimerEg(gameLength);
new Thread(r).start();

以上是我如何调用线程/计时器

public static void main(int count) {

如果我在 TimerEg 类中有这个,则计时器符合要求。但是,当我在另一个线程中编译 main 时。

错误

现在,我是否完全误解了线程以及这将如何工作?还是我缺少什么?

错误:

constructor TimerEg in class TimerEg cannot be applied to given types;
required: no arguments; found int; reason: actual and formal arguments differ in length

网上找的Runnable r = new TimerEg(gameLength);

4

3 回答 3

9

与 GUI 相同,您将使用 Timer,但在这里您将使用 java.util.Timer 而不是 Swing Timer。查看Timer API了解详细信息。还可以查看TimerTask API,因为您可以将它与 Timer 结合使用。

例如:

import java.util.Timer;
import java.util.TimerTask;

public class TimerEg {
   private static TimerTask myTask = null;
   public static void main(String[] args) {
      Timer timer = new Timer("My Timer", false);
      int count = 10;
      myTask = new MyTimerTask(count, new Runnable() {
         public void run() {
            System.exit(0);
         }
      });

      long delay = 1000L;
      timer.scheduleAtFixedRate(myTask, delay, delay);
   }
}

class MyTimerTask extends TimerTask {
   private int count;
   private Runnable doWhenDone;

   public MyTimerTask(int count, Runnable doWhenDone) {
      this.count = count;
      this.doWhenDone = doWhenDone;
   }

   @Override
   public void run() {
      count--;
      System.out.println("Count is: " + count);
      if (count == 0) {
         cancel();
         doWhenDone.run();
      }
   }

}
于 2012-09-23T21:00:56.610 回答
5

您可以编写自己的倒数计时器,如下所示:

public class CountDown {
    //Counts down from x to 0 in approximately
    //(little more than) s * x seconds. 
    static void countDown(int x, int s) {
        while (x > 0 ) { 
            System.out.println("x = " + x); 
            try {
                Thread.sleep(s*1000);
            } catch (Exception e) {}
            x--;
        }   
    }

    public static void main(String[] args) {
        countDown(5, 1); 
    }   
}

或者你可以使用Java Timer API

于 2012-09-23T21:10:13.343 回答
0

用java倒计时很简单..

      int minute=10,second=60; // 10 min countdown
      int delay = 1000; //milliseconds
  ActionListener taskPerformer = new ActionListener() {
  public void actionPerformed(ActionEvent evt) {
      second--;
      // do something with second and minute. put them where you want.
      if (second==0) {
          second=59;
          minute--;

          if (minute<0) {
              minute=9;
          }
      }
  }
};
new Timer(delay, taskPerformer).start();
于 2014-07-14T12:03:37.263 回答