我一直在谷歌搜索Java时间戳,计时器,以及与时间和Java有关的任何事情。 我似乎无法为我工作。
我需要一个时间戳来控制while循环,如下面的伪代码
while(true)
{
while(mytimer.millsecounds < amountOftimeIwantLoopToRunFor)
{
dostuff();
}
mytimer.rest();
}
任何想法我可以使用哪种数据类型;我试过Timestamp,但似乎没有用。
由于 夏兰
答案 0 :(得分:2)
做类似的事情:
long maxduration = 10000; // 10 seconds.
long endtime = System.currentTimeMillis() + maxduration;
while (System.currentTimeMillis() < endtime) {
// ...
}
(更高级)替代方案是使用java.util.concurrent.ExecutorService
。这是一个SSCCE:
package com.stackoverflow.q2303206;
import java.util.Arrays;
import java.util.concurrent.Callable;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.TimeUnit;
public class Test {
public static void main(String... args) throws Exception {
ExecutorService executor = Executors.newSingleThreadExecutor();
executor.invokeAll(Arrays.asList(new Task()), 10, TimeUnit.SECONDS); // Get 10 seconds time.
executor.shutdown();
}
}
class Task implements Callable<String> {
public String call() throws Exception {
while (true) {
// ...
}
return null;
}
}