如何重写任何HttpHeader作为WebClient的响应?

时间:2019-07-09 09:58:26

标签: java spring webclient spring-webflux spring-webclient

WebClient.builder().baseUrl("/").filter(contentTypeInterceptor()).build();

如何修改收到的响应的Content-Type(因为我收到了来自发出错误内容类型的Web服务器的响应。由于我无法控制外部服务器,因此我想希望更正内容类型以进行进一步的正确处理(例如使用杰克逊库等)。

private ExchangeFilterFunction contentTypeInterceptor() {
    return ExchangeFilterFunction.ofResponseProcessor(clientResponse -> {
        org.springframework.web.reactive.function.client.ClientResponse.Headers headers = clientResponse.headers();
        //TODO how to headers.setContentType("myval) or headers.set("Content-Type", "myval");   
        //headers.asHttpHeaders(); cannot be used as it is readonly
    });
}

通常可以回答如何覆盖任何http标头的问题。

在我的情况下,根本原因是我收到了text/html,但响应正文实际上是application/xml。由于以下原因,jackson拒绝解析该响应:

org.springframework.web.reactive.function.UnsupportedMediaTypeException: Content type 'text/html' not supported for bodyType=MyResponse

3 个答案:

答案 0 :(得分:3)

我有类似的问题,被接受的答案对我不起作用。 我这样做是为了覆盖我收到的无效内容类型。

/**
     * webclient interceptor that overrides the response headers ...
     * */
    private ExchangeFilterFunction contentTypeInterceptor() {
        return ExchangeFilterFunction.ofResponseProcessor(clientResponse -> 
            Mono.just(
                    ClientResponse
                        .from(clientResponse) //clientResponse  is immutable, so,we create a clone. but from() only clones headers and status code
                        .headers(headers -> headers.remove(HttpHeaders.CONTENT_TYPE)) //override the content type
                        .header(HttpHeaders.CONTENT_TYPE, MediaType.APPLICATION_OCTET_STREAM_VALUE) 
                        .body(clientResponse.body(BodyExtractors.toDataBuffers()) ) // copy the body as bytes with no processing
                        .build()));
    }

答案 1 :(得分:2)

Ahmed 的回答在技术上是正确的。但是,我相信在我发布这篇文章时,ClientResponse.from() 已被弃用,您应该使用 .mutate() 方法创建一个新的构建器。

private ExchangeFilterFunction contentTypeInterceptor() {
    return ExchangeFilterFunction.ofResponseProcessor(clientResponse -> 
        Mono.just(clientResponse.mutate()
            .headers(headers -> headers.remove(HttpHeaders.CONTENT_TYPE))
            .header(HttpHeaders.CONTENT_TYPE, MediaType.APPLICATION_XML_VALUE)
            .build()));
}

答案 2 :(得分:1)

也许是这样吗?

private ExchangeFilterFunction contentTypeInterceptor() {
    return ExchangeFilterFunction.ofRequestProcessor(clientRequest -> 
        Mono.just(ClientRequest.from(clientRequest)
            .header(HttpHeaders.CONTENT_TYPE, MediaType.APPLICATION_XML_VALUE)
            .build()));
}