11

我正在尝试掌握 Java 8 CompletableFuture。我怎样才能将这些加入到人并在“allOf”之后返回它们。下面的代码不起作用,但可以让您了解我尝试过的内容。

在javascript ES6中我会做

Promise.all([p1, p2]).then(function(persons) {
   console.log(persons[0]); // p1 return value     
   console.log(persons[1]); // p2 return value     
});

到目前为止我在 Java 方面的努力

public class Person {

        private final String name;

        public Person(String name) {
            this.name = name;
        }

        public String getName() {
            return name;
        }

    }

@Test
public void combinePersons() throws ExecutionException, InterruptedException {
    CompletableFuture<Person> p1 = CompletableFuture.supplyAsync(() -> {
        return new Person("p1");
    });

    CompletableFuture<Person> p2 = CompletableFuture.supplyAsync(() -> {
        return new Person("p1");
    });

    CompletableFuture.allOf(p1, p2).thenAccept(it -> System.out.println(it));

}
4

1 回答 1

24

CompletableFuture#allOf方法不公开CompletableFuture传递给它的已完成实例的集合。

CompletableFuture当所有给定CompletableFuture的 s 完成时,返回一个完成的新的。如果任何给定 CompletableFuture的 s 异常完成,则返回的 CompletableFuture也这样做,并将CompletionException此异常作为其原因。否则,给定CompletableFutures 的结果(如果有)不会反映在返回的 中 CompletableFuture,但可以通过单独检查它们来获得。如果未CompletableFuture提供 s,则返回 CompletableFuture带有值的已完成null

请注意,这allOf也将异常完成的期货视为已完成。所以你不会总是有一个Person工作。您实际上可能有一个异常/可抛出。

如果您知道CompletableFuture您正在使用的 s 的数量,请直接使用它们

CompletableFuture.allOf(p1, p2).thenAccept(it -> {
    Person person1 = p1.join();
    Person person2 = p2.join();
});

如果你不知道你有多少(你正在使用一个数组或列表),只需捕获你传递给的数组allOf

// make sure not to change the contents of this array
CompletableFuture<Person>[] persons = new CompletableFuture[] { p1, p2 };
CompletableFuture.allOf(persons).thenAccept(ignore -> {
   for (int i = 0; i < persons.length; i++ ) {
       Person current = persons[i].join();
   }
});

如果您希望您的combinePersons方法(暂时忽略它@Test)返回包含已完成期货Person[]的所有对象的 a,您可以这样做Person

@Test
public Person[] combinePersons() throws Exception {
    CompletableFuture<Person> p1 = CompletableFuture.supplyAsync(() -> {
        return new Person("p1");
    });

    CompletableFuture<Person> p2 = CompletableFuture.supplyAsync(() -> {
        return new Person("p1");
    });

    // make sure not to change the contents of this array
    CompletableFuture<Person>[] persons = new CompletableFuture[] { p1, p2 };
    // this will throw an exception if any of the futures complete exceptionally
    CompletableFuture.allOf(persons).join();

    return Arrays.stream(persons).map(CompletableFuture::join).toArray(Person[]::new);
}
于 2015-12-10T20:44:58.830 回答