java 如何根据响应头延迟重试

wz8daaqr  于 2024-01-05  发布在  Java
关注(0)|答案(1)|浏览(191)

我一直在学习Spring Webflux和响应式编程,并且遇到了一个问题,我试图使用Spring Webclient解决重试逻辑。我已经创建了一个客户端,并成功调用了一个返回一些JSON数据的外部Web服务GET端点。
当外部服务响应 “503 - Service Unavailable” 状态时,响应包含一个Retry-After头部,该头部包含一个值,指示在重试请求之前应该等待多长时间。我想在Spring Webflux/Reactor中找到一种方法来告诉webClient在X周期后重试它的请求,其中X是现在和我从响应头中解析出的DateTime之间的差值。

简单的WebClient GET请求

  1. public <T> Mono<T> get(final String url, Class<T> clazz) {
  2. return webClient
  3. .get().uri(url)
  4. .retrieve()
  5. .bodyToMono(clazz);
  6. }

字符串

WebClient Builder

我使用一个构建器来创建上述方法中使用的webClient变量,并将其作为示例变量存储在类中。

  1. webClientBuilder = WebClient.builder();
  2. webClientBuilder.codecs(clientCodecConfigurer -> {
  3. clientCodecConfigurer.defaultCodecs();
  4. clientCodecConfigurer.customCodecs().register(new Jackson2JsonDecoder());
  5. clientCodecConfigurer.customCodecs().register(new Jackson2JsonEncoder());
  6. });
  7. webClient = webClientBuilder.build();

安装时间

我试图理解并使用Retry类的retryWhen方法,但不知道是否可以访问或传递响应头值。

  1. public <T> Mono<T> get(final String url, Class<T> clazz) {
  2. return webClient
  3. .get().uri(url)
  4. .retrieve()
  5. .bodyToMono(clazz);
  6. .retryWhen(new Retry() {
  7. @Override
  8. public Publisher<?> generateCompanion(final Flux<RetrySignal> retrySignals) {
  9. // Can I use retrySignals or retryContext to find the response header somehow?
  10. // If I can find the response header, how to return a "yes-retry" response?
  11. }
  12. })
  13. }

额外逻辑和数据库交互的过滤器

我还尝试做一些额外的逻辑,并在WebClient.Builder中使用过滤器,但这只能让我暂停一个新的请求(调用#get),直到先前建立的Retry-After值过期。

  1. webClientBuilder = WebClient.builder();
  2. webClientBuilder.codecs(clientCodecConfigurer -> {
  3. clientCodecConfigurer.defaultCodecs();
  4. clientCodecConfigurer.customCodecs().register(new Jackson2JsonDecoder());
  5. clientCodecConfigurer.customCodecs().register(new Jackson2JsonEncoder());
  6. });
  7. webClientBuilder.filter(ExchangeFilterFunction.ofRequestProcessor(clientRequest -> {
  8. final Clock clock = Clock.systemUTC();
  9. final int id = (int) clientRequest.attribute("id"); // id is saved as an attribute for the request, pull it out here
  10. final long retryAfterEpochMillis = // get epoch millisecond from DB for id
  11. if(epoch is in the past) {
  12. return Mono.just(clientRequest);
  13. } else { // have to wait until epoch passes to send request
  14. return Mono.just(clientRequest).delayElement(Duration.between(clock.instant(), Instant.ofEpochMilli(retryAfterEpochMillis)));
  15. }
  16. })
  17. );
  18. webClient = webClientBuilder.build();
  1. .onStatus(HttpStatus::isError, response -> {
  2. final List<String> retryAfterHeaders = response.headers().header("Retry-After");
  3. if(retryAfterHeaders.size() > 0) {
  4. final long retryAfterEpochMillis = // parse millisecond epoch time from header
  5. // Save millisecond time to DB associated to specific id
  6. }
  7. return response.bodyToMono(String.class).flatMap(body ->
  8. Mono.error(new RuntimeException(
  9. String.format("Request url {%s} failed with status {%s} and reason {%s}",
  10. url,
  11. response.rawStatusCode(),
  12. body))));
  13. })
62lalag4

62lalag41#

1.重试构建器中的头文件

  1. public class WebClientStatefulRetry3 {
  2. public static void main(String[] args) {
  3. WebClient webClient = WebClient.create();
  4. call(webClient)
  5. .retryWhen(Retry.indefinitely()
  6. .filter(ex -> ex instanceof WebClientResponseException.ServiceUnavailable)
  7. .doBeforeRetryAsync(signal -> Mono.delay(calculateDelay(signal.failure())).then()))
  8. .block();
  9. }
  10. private static Mono<String> call(WebClient webClient) {
  11. return webClient.get()
  12. .uri("http://mockbin.org/bin/b2a26614-0219-4018-9446-c03bc1868ebf")
  13. .retrieve()
  14. .bodyToMono(String.class);
  15. }
  16. private static Duration calculateDelay(Throwable failure) {
  17. String headerValue = ((WebClientResponseException.ServiceUnavailable) failure).getHeaders().get("Retry-After").get(0);
  18. return // calculate delay here from header and current time;
  19. }
  20. }

字符串

2.使用expand操作符访问上一个响应并生成下一个响应

  1. public class WebClientRetryWithExpand {
  2. public static void main(String[] args) {
  3. WebClient webClient = WebClient.create();
  4. call(webClient)
  5. .expand(prevResponse -> {
  6. List<String> header = prevResponse.headers.header("Retry-After");
  7. if (header.isEmpty()) {
  8. return Mono.empty();
  9. }
  10. long delayInMillis = // calculate delay from header and current time
  11. return Mono.delay(Duration.ofMillis(delayInMillis))
  12. .then(call(webClient));
  13. })
  14. .last()
  15. .block();
  16. }
  17. private static Mono<ResponseWithHeaders> call(WebClient webClient) {
  18. return webClient.get()
  19. .uri("https://example.com")
  20. .exchangeToMono(response -> response.bodyToMono(String.class)
  21. .map(rawResponse -> new ResponseWithHeaders(rawResponse, response.headers())));
  22. }
  23. @Data
  24. static class ResponseWithHeaders {
  25. private final String rawResponse;
  26. private final ClientResponse.Headers headers;
  27. }
  28. }

展开查看全部

相关问题