我想使用spring webflux中的WebClient
执行以下操作:
endpoint1
endpoint2
和endpoint1
一次我已经走了这么远:
webclient.get()
.uri("/endpoint1")
.retrieve()
.bodyToFlux(MyBody.class)
.retry(error -> {
if (error == expectedError) {
webclient.get()
.uri("/endpoint2")
.retrieve().block();
return true;
} else {
false;
});
请求endpoint2
时无法阻止,因为会出现以下错误:block()/blockFirst()/blockLast() are blocking, which is not supported in thread
(我也不想阻止)。
也许我应该使用retryWhen
,但我不确定如何使用它。
答案 0 :(得分:1)
我做这项工作的唯一方法是与retryWhen
一起使用,因为它只接受reactor.retry.Retry#doOnRetry
而不是Consumer
或Mono
,所以我不能使用Flux
或Publisher
。
代码段如下:
webclient.get()
.uri("/endpoint1")
.retrieve()
.bodyToFlux(MyBody.class)
.retryWhen(errorCurrentAttempt -> errorCurrentAttempt
.flatMap(currentError -> Mono.subscriberContext().map(ctx -> Tuples.of(currentError, ctx)))
.flatMap(tp -> {
Context ctx = tp.getT2();
Throwable error = tp.getT1();
int maxAttempts = 3;
Integer rl = ctx.getOrDefault("retriesLeft", maxAttempts);
if (rl != null && rl > 0 && error == myExpectedError) {
// Call endpoint and retry
return webclient.get()
.uri("/endpoint2")
.retrieve()
.thenReturn(ctx.put("retriesLeft", rl - 1));
} else {
// Finish retries
return Mono.<Object>error(error);
}
}));