0

我在一定时间内打印出某个数组的每个值时遇到问题。例如,我有值数组:“Value1”、“Value2”、“Value3”。我想在 5 秒后输出 "Value1",在 5 秒后输出 "Value2",在 5 秒后输出 "Value3"。相反,数组的所有值都打印 3 次。如果你能帮助我,我将非常感激))谢谢。

这是我的代码。

import java.util.Date;

public class Timer2 {

    /**
     * @param args
     */
    public static void main(String[] args) {

        long start = new Date().getTime();

        for (int i = 0; i < 4; i++) {
            new java.util.Timer().schedule(new java.util.TimerTask() {

                public void run() {
                    String[] arrayElements = { "value1", "value2", "value3",
                            "value4" };
                    for (int i = 0; i < arrayElements.length; i++)
                        System.out.println(arrayElements[i]);

                }
            }, new Date(start));
            start += 1000;
        }
    }

}
4

3 回答 3

3

做你所描述的你想做的最简单的方法是:

public static void main(String[] args) throws InterruptedException {
    String[] arrayElements = { "value1", "value2", "value3", "value4" };

    for (int i = 0; i < arrayElements.length; i++) {
        System.out.println(arrayElements[i]);
        Thread.sleep(5000);
    }   
}

如果你必须使用 TimerTask 那么你可以这样做:

public static void main(String[] args) throws InterruptedException {
    String[] arrayElements = { "value1", "value2", "value3",
    "value4" };

    long start = System.currentTimeMillis();

    for (int i = 0; i < arrayElements.length; i++) {
        final String value = arrayElements[i];
         new java.util.Timer().schedule(new java.util.TimerTask() {
                public void run() {
                    System.out.println(value);
                }
         }, new Date(start));

         start += 5000;
    }       
}
于 2011-04-02T19:00:35.280 回答
3

我在使用 scheduleAtFixedRate 的交叉帖子中的回答中的解决方案:

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

class Timer2 {

   private static final String[] ARRAY_ELEMENTS = {"value1", "value2", "value3", "value4"};

   public static void main(String[] args) {
      final Timer utilTimer = new Timer();
      utilTimer.scheduleAtFixedRate(new TimerTask() {
         private int index = 0;

         public void run() {
            System.out.println(ARRAY_ELEMENTS[index]);
            index++;
            if (index >= ARRAY_ELEMENTS.length) {
               utilTimer.cancel();
            }
         }
      }, 5000L, 5000L);
   }

}
于 2011-04-02T21:08:12.310 回答
0

您将打印循环放在 TimeTask.run() 中,因此当它执行时,所有值都会立即打印出来。您需要做的是为每个数组元素创建一个时间任务。就像是:

String[] arrayElements = {"value1", "value2", "value3", "value4"};
for (final String arrayElement : arrayElements)
{
  new java.util.Timer().schedule(
    new java.util.TimerTask()
    { 
      public void run()
      {
        System.out.println(arrayElement);
      }
    },
    new Date(start)
  );
  start+=1000;
}

希望这可以帮助。

于 2011-04-02T19:00:44.023 回答