回答:
new java.util.Timer().schedule(
new java.util.TimerTask() {
@Override
public void run() {
// your code here
}
},
5000
);
編集:
Timerオブジェクトへの最後のライブ参照がなくなり、すべての未処理のタスクの実行が完了すると、タイマーのタスク実行スレッドは正常に終了します(ガベージコレクションの対象になります)。ただし、これが発生するまでには任意の時間がかかる場合があります。
import java.util.Timer; import java.util.TimerTask;
これはそうではないことをより明白にするかもしれませんjavax.swing.Timer
。/注意:Swing(および実際にはAWT)を使用している場合、非イベントディスパッチスレッド(EDT)スレッドのコンポーネントを変更するために何もすべきではありません(java.util.Timer
タスクは不良、javax.swing.Timer
アクションは良好)。
cancel
メソッドの最後にtimerのメソッドを呼び出すと、TimerTasksの実行スレッドがクリアされます。
このようなもの:
// When your program starts up
ScheduledExecutorService executor = Executors.newSingleThreadScheduledExecutor();
// then, when you want to schedule a task
Runnable task = ....
executor.schedule(task, 5, TimeUnit.SECONDS);
// and finally, when your program wants to exit
executor.shutdown();
Executor
プール内により多くのスレッドが必要な場合は、代わりに使用できるさまざまなファクトリメソッドがあります。
また、終了したら、エグゼキュータをシャットダウンすることが重要です。このshutdown()
メソッドは、最後のタスクが完了するとスレッドプールを完全にシャットダウンし、これが発生するまでブロックします。shutdownNow()
スレッドプールをすぐに終了します。
使用例 javax.swing.Timer
Timer timer = new Timer(3000, new ActionListener() {
@Override
public void actionPerformed(ActionEvent arg0) {
// Code to be executed
}
});
timer.setRepeats(false); // Only execute once
timer.start(); // Go go go!
このコードは一度だけ実行され、実行は3000ミリ秒(3秒)で発生します。
camickrが言及しているように、短い導入については「Swingタイマーの使用方法」を参照する必要があります。
私のコードは次のとおりです:
new java.util.Timer().schedule(
new java.util.TimerTask() {
@Override
public void run() {
// your code here, and if you have to refresh UI put this code:
runOnUiThread(new Runnable() {
public void run() {
//your code
}
});
}
},
5000
);
@tangensの答えのバリエーションとして:ガベージコレクターがスレッドをクリーンアップするのを待つことができない場合は、runメソッドの最後でタイマーをキャンセルします。
Timer t = new java.util.Timer();
t.schedule(
new java.util.TimerTask() {
@Override
public void run() {
// your code here
// close the thread
t.cancel();
}
},
5000
);
Timer t
れfinal
ているので宣言してはいけませんか?
Thread.Sleep()関数を使用できます
Thread.sleep(4000);
myfunction();
関数は4秒後に実行されます。ただし、これによりプログラム全体が一時停止する可能性があります...
ScheduledThreadPoolExecutor
この能力はありますが、かなり重いです。
Timer
この機能も備えていますが、一度だけ使用しても複数のスレッドが開きます。
以下は、テストを使用した簡単な実装です( AndroidのHandler.postDelayed()に近い署名):
public class JavaUtil {
public static void postDelayed(final Runnable runnable, final long delayMillis) {
final long requested = System.currentTimeMillis();
new Thread(new Runnable() {
@Override
public void run() {
// The while is just to ignore interruption.
while (true) {
try {
long leftToSleep = requested + delayMillis - System.currentTimeMillis();
if (leftToSleep > 0) {
Thread.sleep(leftToSleep);
}
break;
} catch (InterruptedException ignored) {
}
}
runnable.run();
}
}).start();
}
}
テスト:
@Test
public void testRunsOnlyOnce() throws InterruptedException {
long delay = 100;
int num = 0;
final AtomicInteger numAtomic = new AtomicInteger(num);
JavaUtil.postDelayed(new Runnable() {
@Override
public void run() {
numAtomic.incrementAndGet();
}
}, delay);
Assert.assertEquals(num, numAtomic.get());
Thread.sleep(delay + 10);
Assert.assertEquals(num + 1, numAtomic.get());
Thread.sleep(delay * 2);
Assert.assertEquals(num + 1, numAtomic.get());
}
while
ちょうど中断を無視することです。
他のすべてのunswersは、新しいスレッド内でコードを実行する必要があります。いくつかの単純なユースケースでは、少し待って、同じスレッド/フロー内で実行を継続したい場合があります。
以下のコードはその手法を示しています。これは、内部でjava.util.Timerが行うことと似ていますが、より軽量であることを覚えておいてください。
import java.util.concurrent.TimeUnit;
public class DelaySample {
public static void main(String[] args) {
DelayUtil d = new DelayUtil();
System.out.println("started:"+ new Date());
d.delay(500);
System.out.println("half second after:"+ new Date());
d.delay(1, TimeUnit.MINUTES);
System.out.println("1 minute after:"+ new Date());
}
}
DelayUtilの実装
import java.util.concurrent.TimeUnit;
import java.util.concurrent.locks.Condition;
import java.util.concurrent.locks.ReentrantLock;
public class DelayUtil {
/**
* Delays the current thread execution.
* The thread loses ownership of any monitors.
* Quits immediately if the thread is interrupted
*
* @param duration the time duration in milliseconds
*/
public void delay(final long durationInMillis) {
delay(durationInMillis, TimeUnit.MILLISECONDS);
}
/**
* @param duration the time duration in the given {@code sourceUnit}
* @param unit
*/
public void delay(final long duration, final TimeUnit unit) {
long currentTime = System.currentTimeMillis();
long deadline = currentTime+unit.toMillis(duration);
ReentrantLock lock = new ReentrantLock();
Condition waitCondition = lock.newCondition();
while ((deadline-currentTime)>0) {
try {
lock.lockInterruptibly();
waitCondition.await(deadline-currentTime, TimeUnit.MILLISECONDS);
} catch (InterruptedException e) {
Thread.currentThread().interrupt();
return;
} finally {
lock.unlock();
}
currentTime = System.currentTimeMillis();
}
}
}
public static Timer t;
public synchronized void startPollingTimer() {
if (t == null) {
TimerTask task = new TimerTask() {
@Override
public void run() {
//Do your work
}
};
t = new Timer();
t.scheduleAtFixedRate(task, 0, 1000);
}
}