What is the equivalent of javascript setTimeout in Java?
Solution 1:
Asynchronous implementation with JDK 1.8:
public static void setTimeout(Runnable runnable, int delay){
new Thread(() -> {
try {
Thread.sleep(delay);
runnable.run();
}
catch (Exception e){
System.err.println(e);
}
}).start();
}
To call with lambda expression:
setTimeout(() -> System.out.println("test"), 1000);
Or with method reference:
setTimeout(anInstance::aMethod, 1000);
To deal with the current running thread only use a synchronous version:
public static void setTimeoutSync(Runnable runnable, int delay) {
try {
Thread.sleep(delay);
runnable.run();
}
catch (Exception e){
System.err.println(e);
}
}
Use this with caution in main thread – it will suspend everything after the call until timeout
expires and runnable
executes.
Solution 2:
Use Java 9 CompletableFuture, every simple:
CompletableFuture.delayedExecutor(5, TimeUnit.SECONDS).execute(() -> {
// Your code here executes after 5 seconds!
});