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

时间:2019-04-04 11:58:22

标签: java concurrency java-8 completable-future

我在foreach循环中定义了completableFuture.supplyAsync(),因此每个条目(每个异步任务)添加一个列表,我需要从completableFuture.supplyAsync()获取最终列表(在所有异步任务添加列表之后)。实现这个?

代码段:

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

2 个答案:

答案 0 :(得分:1)

非阻止版本

一般示例:

    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);

答案 1 :(得分:0)

您可以使用get()方法将阻止您的应用程序,直到将来完成。因此,使用类似这样的内容:

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

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

希望这会有所帮助。