使用 Rx java Observable 一次进行多个异步调用(触发和忘记调用)



我有一个下游 api 调用列表(大约 10 个(,我需要一次异步调用。我一直在使用可调用对象,直到现在我正在使用的地方

List<RequestContextPreservingCallable <FutureResponse>> callables

我会将 api 调用添加到此列表中,并在最后使用 executeAsyncNoReturnRequestContextPreservingCallables 提交它。

使用 Rx java Observables 如何做到这一点?

List<RequestContextPreservingCallable<FutureResponse>> callables = new 
ArrayList<RequestContextPreservingCallable<FutureResponse>>();
callables.add(apiOneConnector.CallToApiOne(name));
callables.add(apiTwoConnector.CallToApiTWO(sessionId));
....
//execute all the calls
executeAsyncNoReturnRequestContextPreservingCallables(callables);

您可以使用zip运算符。zip运算符可以获取多个可观察量并同时执行它们,它将在所有结果到达后继续。

然后,您可以将这些结果转换为所需的形式并传递到下一个级别。

根据您的示例。假设您有多个 API 调用来获取名称和会话等,如下所示

Observable.zip(getNameRequest(), getSessionIdRequest(), new BiFunction<String, String, Object>() {
@Override
public Object apply(String name, String sessionId) throws Exception {
// here you will get all the results once everything is completed. you can then take these 
// results and transform into another object and returnm from here. I decided to transform the results into an Object[]
// the retuen type of this apply funtion is generic, so you can choose what to return
return new Object[]{name, sessionId};
}
})
.subscribeOn(Schedulers.io())  // will start this entire chain in an IO thread
.observeOn(AndroidSchedulers.mainThread()) // observeOn will filp the thread to the given one , so that the downstream will be executed in the specified thread. here I'm switching to main at this point onwards
.subscribeWith(new DisposableObserver<Object>() {
@Override
public void onNext(Object finalResult) {
// here you will get the final result with all the api results
}
@Override
public void onError(Throwable e) {
// any error during the entire process will be triggered here
}
@Override
public void onComplete() {
//will be called once the whole chain is completed and terminated
}
});

您甚至可以将可观察量列表传递给zip,如下所示

List<Observable<String>> requests = new ArrayList<>();
requests.add(getNameRequest());
requests.add(getSessionIdRequest());
Observable.zip(requests, new Function<Object[], Object[]>() {
@Override
public Object[] apply(Object[] objects) throws Exception {
return new Object[]{objects[0], objects[1]};
}
}).subscribeWith(new DisposableObserver<Object[]>() {
@Override
public void onNext(Object[] objects) {
}
@Override
public void onError(Throwable e) {
}
@Override
public void onComplete() {
}
})          

相关内容

  • 没有找到相关文章

最新更新