问题
As you hopefully know you can use lambdas in Java 8, for example to replace anonymous methods.
An example can be seen here of Java 7 vs Java 8:
Runnable runnable = new Runnable() {
@Override
public void run() {
checkDirectory();
}
};
Can be expressed as both the following ways in Java 8:
Runnable runnable = () -> checkDirectory();
or
Runnable runnable = this::checkDirectory;
This is because Runnable
is a functional interface, having only one (abstract) public non-default method.
However... For TimerTask
we have the following:
TimerTask timerTask = new TimerTask() {
@Override
public void run() {
checkDirectory();
}
};
Looks familiar, right?
Using a lambda expression does not work though, because TimerTask
is an abstract class, even though it has only one abstract public non-default method, it is not an interface and hence no functional interface either.
It is also not refactored into an interface with default implementations, because it carries state, so that cannot be done then.
So my question: Is there any way to use lambdas when constructing the TimerTask
?
What I wanted is the following:
Timer timer = new Timer();
timer.schedule(this::checkDirectory, 0, 1 * 1000);
Instead of some ugly anonymous inner class, is there any way to make it nicer?
回答1:
Noting first that Timer
is effectively an antiquated API, but entertaining your question nevertheless, you could write a small wrapper around it which would adapt the schedule
method to accept a Runnable
, and on the inside you'd turn that Runnable
into a TimerTask
. Then you would have your schedule
method which would accept a lambda.
public class MyTimer {
private final Timer t = new Timer();
public TimerTask schedule(final Runnable r, long delay) {
final TimerTask task = new TimerTask() { public void run() { r.run(); }};
t.schedule(task, delay);
return task;
}
}
回答2:
To complete Marko Topolnik's answer about Timer
, you just have to call schedule
method with a lambda.
schedule(() -> {
System.out.println("Task #1 is running");
}, 500);
回答3:
While Marko's answer is perfectly correct, I prefer my implementation:
public class FunctionalTimerTask extends TimerTask {
Runnable task;
public FunctionalTimerTask(Runnable task) {
this.task = task;
}
@Override
public void run() {
task.run();
}
}
public static class Task {
public static TimerTask set(Runnable run) {
return new FunctionalTimerTask(() -> System.err.println("task"));
}
}
Timer timer = new Timer(false);
timer.schedule(Task.set(() -> doStuff()), TimeUnit.SECONDS.toMillis(1));
This gives you more control over the timer, and you have a static utility class. Idealy give it a name that won't conflict with other common thread class, so not Task, Job, Timer.
回答4:
You can also create a Timer easily with lambdas from the Swing API if you want (but not with TimerTask) :
new javax.swing.Timer(1000, (ae) -> this::checkDirectory).start();
来源:https://stackoverflow.com/questions/22378422/how-to-use-timertask-with-lambdas