我得到了这段小代码来测试Callable
。但是,我发现这使编译器如何知道Lambda是用于Callable还是Runnable接口,这很令人困惑,因为它们的函数中都没有任何参数。
但是,IntelliJ显示Lambda将代码用于Callable。
public class App {
public static void main(String[] args) throws InterruptedException {
ExecutorService executorService = Executors.newCachedThreadPool();
executorService.submit(() ->{
System.out.println("Starting");
int n = new Random().nextInt(4000);
try {
Thread.sleep(n);
} catch (InterruptedException e) {
e.printStackTrace();
}finally {
System.out.println("Finished");
}
return n;
});
executorService.shutdown();
executorService.awaitTermination(1, TimeUnit.MINUTES );
}
}
答案 0 :(得分:10)
请参阅ExecutorService的文档,该文档具有2个submit
方法和一个参数:
submit(Callable<T> task)
使用Callable<T>
,该方法的方法call()
返回T
。submit(Runnable task)
usnig Runnable
,其中方法run()
不返回任何内容(void
)。您的lambda输出,返回:
executorService.submit(() -> {
System.out.println("Starting");
int n = new Random().nextInt(4000);
// try-catch-finally omitted
return n; // <-- HERE IT RETURNS N
});
因此lambda必须为Callable<Integer>
,这是以下操作的快捷方式:
executorService.submit(new Callable<Integer>() {
@Override
public Integer call() throws Exception {
System.out.println("Starting");
int n = new Random().nextInt(4000);
// try-catch-finally omitted
return n;
}}
);
要进行比较,请尝试与Runnable
相同,您会发现该方法的返回类型为void
。
executorService.submit(new Runnable() {
@Override
public void run() {
// ...
}}
);
答案 1 :(得分:1)
签名的主要区别是Callable
返回一个值,而Runnable
不返回。因此,您的代码中的这个示例是Callable
,但肯定不是Runnable
,因为它返回了一个值。