我有一个控制器,该控制器使用RestTemplate
从多个其余端点获取数据。由于“ RestTemplate”已被阻止,因此我的网页加载时间较长。为了提高性能,我计划将所有RestTeamplate
替换为Spring WebClient
。我目前使用RestTemplate
的一种方法如下。
public List<MyObject> getMyObject(String input){
URI uri = UriComponentsBuilder.fromUriString("/someurl")
.path("123456")
.build()
.toUri();
RequestEntity<?> request = RequestEntity.get(uri).build();
ParameterizedTypeReference<List<MyObject>> responseType = new ParameterizedTypeReference<List<MyObject>>() {};
ResponseEntity<List<MyObject>> responseEntity = restTemplate.exchange(request, responseType);
MyObject obj= responseEntity.getBody();
}
现在,我想替换上面的方法以使用WebClient
,但是我是WebClient
的新手,不确定从哪里开始。任何方向和帮助,我们感激不尽。
答案 0 :(得分:2)
为帮助您,我给您提供示例,说明如何用webClient替换restTemple。我希望您已经设置了pom.xml
创建了一个Configuration类。
@Slf4j
@Configuration
public class ApplicationConfig {
/**
* Web client web client.
*
* @return the web client
*/
@Bean
WebClient webClient() {
return WebClient.builder()
.filter(this.logRequest())
.filter(this.logResponse())
.build();
}
private ExchangeFilterFunction logRequest() {
return ExchangeFilterFunction.ofRequestProcessor(clientRequest -> {
log.info("WebClient request: {} {} {}", clientRequest.method(), clientRequest.url(), clientRequest.body());
clientRequest.headers().forEach((name, values) -> values.forEach(value -> log.info("{}={}", name, value)));
return Mono.just(clientRequest);
});
}
private ExchangeFilterFunction logResponse() {
return ExchangeFilterFunction.ofResponseProcessor(clientResponse -> {
log.info("WebClient response status: {}", clientResponse.statusCode());
return Mono.just(clientResponse);
});
}
}
加上一个调用WebClient的服务类
@Component
@RequiredArgsConstructor
public class MyObjectService {
private final WebClient webClient;
public Mono<List<Object>> getMyObject(String input) {
URI uri = UriComponentsBuilder.fromUriString("/someurl")
.path("123456")
.build()
.toUri();
ParameterizedTypeReference<List<MyObject>> responseType = new ParameterizedTypeReference<List<MyObject>>() {
};
return this.webClient
.get()
.uri(uri)
.exchange()
.flatMap(response -> response.bodyToMono(responseType));
}
}
这将为您提供List<MyObject>
的非阻塞Mono,您也可以使用response.bodyToFlux(responseType)
我希望这将为您提供更多探索的基础。