java 如何区分 Lambda 中的 Callable 和 Runnable?

How does java differentiate Callable and Runnable in a Lambda?

我得到了这个小代码来测试 Callable。但是,我发现编译器如何知道 Lambda 是用于可调用接口还是可运行接口非常令人困惑,因为它们的函数中都没有任何参数。

然而,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 );
    }
}

签名的主要区别在于 Callable returns 是一个值,而 Runnable 不是。因此,您代码中的这个示例是 Callable,但绝对不是 Runnable,因为它 returns 是一个值。

查看 ExecutorService 的文档,其中有 2 个 submit 方法和一个参数:

你的 lambda 给出了一个输出,returns something:

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 相同,您会看到它的方法 return 类型是 void.

executorService.submit(new Runnable() {
    @Override
    public void run() {
        // ...  
    }}
);