我是RxJava 2的新手,想要重试Completable
服务器API调用直到成功,同时发出重试尝试的通知,以便我的UI可以向用户显示重试状态。
这样的事情:
public Observable<RetryAttempt> retryServerCall() {
// execute Completable serverCall()
// if an error is thrown, emit new RetryAttempt(++retryCount, error) to subscriber
// retry until serverCall() is successful
}
public Completable serverCall();
public class RetryAttempt {
public RetryAttempt(int retryCount, Throwable cause);
}
我尝试了几种不同的方法,遇到了障碍。最接近的是这种方法,创建一个封闭的Observable并显式调用onNext()/ onComplete()/ onError()。
public Observable<RetryAttempt> retryServerCall() {
final int[] retryCount = {0};
return Observable.create(e ->
serverCall()
.doOnError(throwable -> e.onNext(new RequestHelp.RetryAttempt(++retryCount[0], throwable)))
.retry()
.subscribe(() -> e.onComplete(), throwable -> e.onError(throwable)));
}
也许它有点外围,但我必须使用final
数组retryCount
来避免错误variable used in lambda should be final or effectively final
。
我知道使用Rx伏都教必须有更好的完成。非常感谢任何指导!
答案 0 :(得分:1)
public Single<List<Farmer>> getAllFarmers(long timestamp) {
return Observable.fromCallable(() -> mapiFactory.getAllFarmerAboveTime(timestamp))
.doOnError(throwable -> Log.d(TAG, "Error calling getAllFarmers: "+throwable.getMessage()))
.retryWhen(new RetryWithDelay(5,1000))
.concatMap(farmersResponse -> Observable.fromIterable(farmersResponse.farmer))
.filter(farmer -> !StringUtils.isBlank(farmer.cnic))
.map(this::validateCnic)
.distinct(farmer -> farmer.cnic)
.toList();
}
当fromCallable()方法抛出异常.retryWhen(new RetryWithDelay(5,1000))将在这里执行时,我们从指数延迟开始重试api 5次
这里是RetryWithDelay
public class RetryWithDelay implements Function<Observable<Throwable>,
Observable<?>> {
private final int _maxRetries;
private final int _retryDelayMillis;
private int _retryCount;
public RetryWithDelay(final int maxRetries, final int retryDelayMillis) {
_maxRetries = maxRetries;
_retryDelayMillis = retryDelayMillis;
_retryCount = 0;
}
@Override
public Observable<?> apply(@NonNull Observable<Throwable> throwableObservable) throws Exception {
return throwableObservable.flatMap(new Function<Throwable, ObservableSource<?>>() {
@Override
public ObservableSource<?> apply(@NonNull Throwable throwable) throws Exception {
if (++_retryCount < _maxRetries) {
// When this Observable calls onNext, the original
// Observable will be retried (i.e. re-subscribed)
Log.d(TAG, String.format("Retrying in %d ms", _retryCount * _retryDelayMillis));
return Observable.timer(_retryCount * _retryDelayMillis, TimeUnit.MILLISECONDS);
}
// Max retries hit. Pass an error so the chain is forcibly completed
// only onNext triggers a re-subscription (onError + onComplete kills it)
return Observable.error(throwable);
}
});
}
}