温馨提示×

java异步调用 能处理异常吗

小樊
81
2024-11-24 00:17:36
栏目: 编程语言

Java的异步调用确实可以处理异常。在Java中,异步调用通常是通过CompletableFuture类实现的。当你在CompletableFuture中执行一个任务时,如果该任务抛出异常,那么这个异常会被捕获并存储在CompletableFuture实例中。你可以使用exceptionally方法来处理这个异常。

以下是一个简单的示例:

import java.util.concurrent.CompletableFuture;
import java.util.concurrent.ExecutionException;

public class AsyncExceptionHandling {
    public static void main(String[] args) {
        CompletableFuture<String> future = CompletableFuture.supplyAsync(() -> {
            throw new RuntimeException("An error occurred");
        }).exceptionally(ex -> {
            System.err.println("An exception occurred: " + ex.getMessage());
            return "Default value";
        });

        try {
            String result = future.get();
            System.out.println("Result: " + result);
        } catch (InterruptedException | ExecutionException e) {
            e.printStackTrace();
        }
    }
}

在这个示例中,我们创建了一个CompletableFuture,它异步地执行一个任务,该任务抛出一个运行时异常。然后,我们使用exceptionally方法来处理这个异常。当我们调用future.get()时,它会返回null,因为任务抛出了异常。最后,我们捕获并打印异常信息。

0