26

我创建了一个基本的 REST 控制器,它使用 netty 在 Spring-boot 2 中使用响应式 Webclient 发出请求。

@RestController
@RequestMapping("/test")
@Log4j2
public class TestController {

    private WebClient client;

    @PostConstruct
    public void setup() {

        client = WebClient.builder()
                .baseUrl("http://www.google.com/")
                .exchangeStrategies(ExchangeStrategies.withDefaults())
                .build();
    }


    @GetMapping
    public Mono<String> hello() throws URISyntaxException {
        return client.get().retrieve().bodyToMono(String.class);
    }

}

当我收到 3XX 响应代码时,我希望 Web 客户端使用响应中的 Location 跟踪重定向并递归调用该 URI,直到我收到非 3XX 响应。

我得到的实际结果是 3XX 响应。

4

2 回答 2

40

您需要根据文档配置客户端

           WebClient.builder()
                    .clientConnector(new ReactorClientHttpConnector(
                            HttpClient.create().followRedirect(true)
                    ))
于 2019-01-31T19:16:05.857 回答
7

您可以制作函数的 URL 参数,并在收到 3XX 响应时递归调用它。像这样的东西(在实际实现中,您可能希望限制重定向的数量):

public Mono<String> hello(String uri) throws URISyntaxException {
    return client.get()
            .uri(uri)
            .exchange()
            .flatMap(response -> {
                if (response.statusCode().is3xxRedirection()) {
                    String redirectUrl = response.headers().header("Location").get(0);
                    return response.bodyToMono(Void.class).then(hello(redirectUrl));
                }
                return response.bodyToMono(String.class);
            }
于 2018-06-07T11:46:35.763 回答