0

此代码工作正常:

public class Main {

    public static void main(String[] args) {
        long startTime = System.currentTimeMillis();
        long endTime = startTime + 60000;
        long index = 0;

        while (true) {
            double x = Math.sqrt(index);
            long now = System.currentTimeMillis();
            if (now > endTime) {
                break;
            }

            index++;
        }
        System.out.println(index + " loops in one minute.");
    }
}

但是后来,我尝试将其重写为for loop,它陷入了无限循环。

public class Main {

    public static void main(String[] args) {
        long startTime = System.currentTimeMillis();
        long endTime = startTime + 60000;

        int i = 0;
        for (long now = 0; now < endTime; i++) {
            Math.sqrt(i);
            now = System.currentTimeMillis();
            System.out.println("now" + now);
            System.out.println("end" + endTime);
        }
    }

    System.out.println(i+"calculations done in one minute");
}
4

2 回答 2

3

您的第二个示例不是无限循环,只需等待 1 分钟。

long endTime = startTime + 60000;

将 endTime 设置为未来的 60000 毫秒,即 60 秒,即 1 分钟。

标准输出的打印速度非常快。

将 aThread.sleep(1000L)放入循环中,您将看到在它结束之前打印了 61 条语句。

long endTime = 1378140843604L; // for example
for (long now = 0; now < endTime; i++) {
    now = System.currentTimeMillis(); // will be 1378140783604, 1378140784604, 1378140785604 and so on
    System.out.println("now" + now); 
    System.out.println("end" + endTime);
    Thread.sleep(1000L);
}
于 2013-09-02T16:49:14.447 回答
0

这对我有用:

public class Main {

public static void main(String[] args) {
    long startTime = System.currentTimeMillis();
    long endTime = startTime + 60000;

    int i = 0;
    for (long now = 0; now < endTime; i++) {
        Math.sqrt(i);
        now = System.currentTimeMillis();
        System.out.println("now" + now);
        System.out.println("end" + endTime);
    }

    System.out.println(i+"calculations done in one minute");
}
}

我的和你的唯一区别是我把这个放在哪里:(你的在主要方法之外)

System.out.println(i+"calculations done in one minute");

您还应该知道,运行循环只需几微秒,因此您将获得巨大的输出。

于 2013-09-02T17:03:45.993 回答