如何将 return 类型的 completableFuture.supplyAsync() 分配给对象?

how to assign the return type of completableFuture.supplyAsync() to the object?

我在 foreach 循环中定义了 completableFuture.supplyAsync(),所以每个条目(每个异步任务)都添加一个列表,我需要从 [=17= 获取最终列表(在所有异步任务添加列表之后) ]().如何实现这个?

代码片段:

    unporcessedList.forEach(entry -> {                       
    CompletableFuture<List<ChangeLog>> cf =  
    CompletableFuture.supplyAsync((Supplier<List<ChangeLog>>) () -> {                            
    mongoDBHelper.processInMongo(entry, getObject(entry, map),entryList);
    return entryList;
    }, executor); 
    });

您可以使用 get() 方法来阻止您的应用程序,直到将来完成。所以使用这样的东西:

// Block and get the result of the Future
Supplier<List<ChangeLog>> result = cf.get();

此处描述了更多示例:https://www.callicoder.com/java-8-completablefuture-tutorial/

希望对您有所帮助。

非阻塞版本

一般示例:

    List<String> entries = new ArrayList<>(2);
    entries.add("first");
    entries.add("second");

    List<CompletableFuture<String>> completableFutures = entries.stream()
            .map((entry) -> {
                        return CompletableFuture.supplyAsync(() -> {
                            try {
                                Thread.sleep(new Random().nextInt(5000) + 500);
                            } catch (InterruptedException e) {
                                e.printStackTrace();
                            }
                            return entry.concat(String.valueOf(entry.length()));
                        }).thenApply((e) -> new StringBuilder(e).reverse().toString());
                    }
            ).collect(Collectors.toList());

    CompletableFuture
            .allOf(completableFutures.toArray(new CompletableFuture[completableFutures.size()]))
            .thenApply((v) -> completableFutures.stream().map((cf) -> cf.join()))
            .get()
            .forEach(System.out::println);

您的情况:

    List<CompletableFuture<List<ChangeLog>>> completableFutures = unporcessedList.stream()
            .map((entry) -> {
                        return CompletableFuture.supplyAsync((Supplier<List<ChangeLog>>) () -> {
                            mongoDBHelper.processInMongo(entry, getObject(entry, map), entryList);
                            return entryList;
                        }, executor);
                    }
            ).collect(Collectors.toList());

    CompletableFuture
            .allOf(completableFutures.toArray(new CompletableFuture[completableFutures.size()]))
            .thenApply((v) -> completableFutures.stream().map((cf) -> cf.join()))
            .get()
            .forEach(System.out::println);