我正在使用Java 8应用程序。我有3种返回CompletionStage的方法:
CompletionStage<Edition> editionService.loadById(editionId);
CompletionStage<Event> eventService.loadById(eventId);
CompletionStage<List<EditionDate>> editionDateService.loadByEditionId(editionId);
以及将这些值合并为结果的方法
CompletionStage<Result> getResult(Edition edition, Event event, List<EditionDate> editionDates)
方法1和3可以独立运行,但是方法2的调用取决于方法1的结果。显然,方法4取决于所有方法的运行。我的问题是,使用CompletableFuture api调用这些方法的最佳方法是什么?这是我能想到的最好的方法,但是我不确定这是最好的方法:
editionService.loadById(editionId)
.thenCompose(edition -> eventService.loadById(edition.getEventId()))
.thenCombine(editionDateService.loadByEditionId(editionId),
(event, editionDates) -> getResult(edition, event, editionDates) );
但是这样一来,我无法访问自己的edition
结果,因此我有些茫然。我应该使用的任何我没有考虑的方法?
答案 0 :(得分:2)
您可以将其写为
CompletionStage<Result> result = editionService.loadById(editionId)
.thenCompose(edition -> eventService.loadById(edition.getEventId())
.thenCombine(editionDateService.loadByEditionId(editionId),
(event, editionDates) -> getResult(edition, event, editionDates) ) )
.thenCompose(Function.identity());
但是,editionDateService.loadByEditionId
仅在editionService.loadById
完成后才被触发,这是不必要的依赖。
最简单的解决方案是不要尝试将所有内容都写为单个表达式:
CompletionStage<List<EditionDate>> datesStage=editionDateService.loadByEditionId(editionId);
CompletionStage<Result> result = editionService.loadById(editionId)
.thenCompose(edition -> eventService.loadById(edition.getEventId())
.thenCombine(datesStage, (event, dates) -> getResult(edition, event, dates)) )
.thenCompose(Function.identity());
答案 1 :(得分:1)
最简单的解决方案是从活动内部获取版本。或者将对2的调用封装在anoher方法中,该方法返回一个对(版本,事件)
下面的代码对我来说看起来不错,但仅用那部分代码就无法对其进行测试,因此您需要对其进行测试并将其变得更整洁。这只是一个概念证明:)
public static class Pair{
public Edition edition;
public Event event;
public Pair(Edition edition, Event event) {
this.edition = edition;
this.event = event;
}
}
public static CompletionStage<Pair> wrap(Edition edition){
CompletionStage<Event> event = eventService.loadById(edition.getEventId());
return event.thenApply(ev -> new Pair(edition, ev));
}
public static void main(String[] args) {
int editionId = 42;
editionService.loadById(editionId)
.thenCompose(edition -> wrap(edition))
.thenCombine(editionDateService.loadByEditionId(editionId),
(wrapped, editionDates) -> getResult(wrapped.edition, wrapped.event, editionDates) );
}