更多SpringBoot3内容请关注我的专栏:《SpringBoot3》
期待您的点赞👍收藏⭐评论✍
WebClient是Spring 5引入的响应式Web客户端,用于执行HTTP请求。相比传统的RestTemplate,WebClient提供了非阻塞、响应式的方式来处理HTTP请求,是Spring推荐的新一代HTTP客户端工具。本文将详细介绍如何在SpringBoot 3.x中配置和使用WebClient。
在 pom.xml
中添加必要的依赖:
<parent><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-parent</artifactId><version>3.2.10</version><relativePath/><!-- lookup parent from repository --></parent><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-webflux</artifactId></dependency>
@ConfigurationpublicclassWebClientConfig{@BeanpublicWebClientwebClient(){returnWebClient.builder().baseUrl("https://echo.apifox.com").defaultHeader(HttpHeaders.CONTENT_TYPE,MediaType.APPLICATION_JSON_VALUE).defaultHeader(HttpHeaders.ACCEPT,MediaType.APPLICATION_JSON_VALUE).build();}}
packagecom.coderjia.boot3webflux.config;importio.netty.channel.ChannelOption;importio.netty.handler.timeout.ReadTimeoutHandler;importio.netty.handler.timeout.WriteTimeoutHandler;importlombok.extern.slf4j.Slf4j;importorg.springframework.context.annotation.Bean;importorg.springframework.context.annotation.Configuration;importorg.springframework.http.HttpHeaders;importorg.springframework.http.MediaType;importorg.springframework.http.client.reactive.ReactorClientHttpConnector;importorg.springframework.web.reactive.function.client.ExchangeFilterFunction;importorg.springframework.web.reactive.function.client.WebClient;importreactor.core.publisher.Mono;importreactor.netty.http.client.HttpClient;importreactor.netty.resources.ConnectionProvider;importjava.time.Duration;/**
* @author CoderJia
* @create 2024/12/3 下午 09:42
* @Description
**/@Slf4j@ConfigurationpublicclassWebClientConfig{@BeanpublicWebClientwebClient(){// 配置HTTP连接池ConnectionProvider provider =ConnectionProvider.builder("custom").maxConnections(500).maxIdleTime(Duration.ofSeconds(20)).build();// 配置HTTP客户端HttpClient httpClient =HttpClient.create(provider).option(ChannelOption.CONNECT_TIMEOUT_MILLIS,5000).responseTimeout(Duration.ofSeconds(5)).doOnConnected(conn ->
conn.addHandlerLast(newReadTimeoutHandler(5)).addHandlerLast(newWriteTimeoutHandler(5)));// 构建WebClient实例returnWebClient.builder().clientConnector(newReactorClientHttpConnector(httpClient)).baseUrl("https://echo.apifox.com").defaultHeader(HttpHeaders.CONTENT_TYPE,MediaType.APPLICATION_JSON_VALUE).defaultHeader(HttpHeaders.ACCEPT,MediaType.APPLICATION_JSON_VALUE)// 添加请求日志记录功能.filter(ExchangeFilterFunction.ofRequestProcessor(
clientRequest ->{
log.debug("Request: {} {}",
clientRequest.method(),
clientRequest.url());returnMono.just(clientRequest);}))// 添加响应日志记录功能.filter(ExchangeFilterFunction.ofResponseProcessor(
clientResponse ->{
log.debug("Response status: {}",
clientResponse.statusCode());returnMono.just(clientResponse);})).build();}}
在使用 WebClient 进行 HTTP 请求时,retrieve() 和 exchange() 方法都可以用来处理响应,但它们有不同的用途和行为。以下是它们的主要区别:
retrieve()
exchange()
示例对比
retrieve()
publicMono<JSONObject>get(String q1){return webClient.get().uri(uriBuilder -> uriBuilder
.path("/get").queryParam("q1", q1).build()).accept(MediaType.APPLICATION_JSON).retrieve().bodyToMono(JSONObject.class);}
exchange()
publicMono<JSONObject>get(String q1){return webClient.get().uri(uriBuilder -> uriBuilder
.path("/get").queryParam("q1", q1).build()).accept(MediaType.APPLICATION_JSON).exchangeToMono(response ->{if(response.statusCode().is2xxSuccessful()){return response.bodyToMono(JSONObject.class);}else{returnMono.error(newRuntimeException("Request failed with status code: "+ response.statusCode()));}});}
packagecom.coderjia.boot3webflux.service;importcom.alibaba.fastjson.JSONObject;importjakarta.annotation.Resource;importorg.springframework.http.MediaType;importorg.springframework.stereotype.Service;importorg.springframework.web.reactive.function.client.WebClient;importreactor.core.publisher.Mono;/**
* @author CoderJia
* @create 2024/12/3 下午 10:22
* @Description
**/@ServicepublicclassApiService{@ResourceprivateWebClient webClient;// GET请求publicMono<JSONObject>get(String q1){return webClient.get().uri(uriBuilder -> uriBuilder
.path("/get").queryParam("q1", q1).build()).accept(MediaType.APPLICATION_JSON).retrieve().bodyToMono(JSONObject.class);}// POST请求publicMono<JSONObject>post(JSONObject body){return webClient.post().uri("/post").bodyValue(body).retrieve().bodyToMono(JSONObject.class);}// PUT请求publicMono<JSONObject>put(String q1,JSONObjectJSONObject){return webClient.put().uri(uriBuilder -> uriBuilder
.path("/put").queryParam("q1", q1).build()).bodyValue(JSONObject).retrieve().bodyToMono(JSONObject.class);}// DELETE请求publicMono<JSONObject>delete(String q1){return webClient.delete().uri(uriBuilder -> uriBuilder
.path("/delete").queryParam("q1", q1).build()).retrieve().bodyToMono(JSONObject.class);}}
效果展示
@ServicepublicclassApiService{// 获取列表数据publicFlux<JSONObject>getAllUsers(){return webClient.get().uri("/users").retrieve().bodyToFlux(JSONObject.class);}// 处理错误响应publicMono<JSONObject>getUserWithErrorHandling(Long id){return webClient.get().uri("/users/{id}", id).retrieve().onStatus(HttpStatusCode::is4xxClientError, clientResponse ->Mono.error(newRuntimeException("客户端错误"))).onStatus(HttpStatusCode::is5xxServerError, clientResponse ->Mono.error(newRuntimeException("服务器错误"))).bodyToMono(JSONObject.class);}// 使用exchange()方法获取完整响应publicMono<ResponseEntity<JSONObject>>getUserWithFullResponse(Long id){return webClient.get().uri("/users/{id}", id).accept(MediaType.APPLICATION_JSON).exchange().flatMap(response -> response.toEntity(JSONObject.class));}}
@ServicepublicclassApiService{// 带请求头的请求publicMono<JSONObject>getUserWithHeaders(Long id,String token){return webClient.get().uri("/users/{id}", id).header("Authorization","Bearer "+ token).retrieve().bodyToMono(JSONObject.class);}// 带查询参数的请求publicFlux<JSONObject>searchUsers(String name,int age){return webClient.get().uri(uriBuilder -> uriBuilder
.path("/users/search").queryParam("name", name).queryParam("age", age).build()).retrieve().bodyToFlux(JSONObject.class);}// 文件上传publicMono<String>uploadFile(FilePart filePart){return webClient.post().uri("/upload").contentType(MediaType.MULTIPART_FORM_DATA).body(BodyInserters.fromMultipartData("file", filePart)).retrieve().bodyToMono(String.class);}}
合理使用响应式类型
错误处理
publicMono<JSONObject>getUserWithRetry(Long id){return webClient.get().uri("/users/{id}", id).retrieve().bodyToMono(JSONObject.class).retryWhen(Retry.backoff(3,Duration.ofSeconds(1))).timeout(Duration.ofSeconds(5)).onErrorResume(TimeoutException.class,
e ->Mono.error(newRuntimeException("请求超时")));}
资源管理
特性 | WebClient | RestTemplate |
---|---|---|
编程模型 | 响应式、非阻塞 | 同步、阻塞 |
性能 | 更好 | 一般 |
资源利用 | 更高效 | 一般 |
学习曲线 | 较陡 | 平缓 |
适用场景 | 高并发、响应式系统 | 简单应用、传统系统 |
WebClient 作为 Spring 推荐的新一代 HTTP 客户端,提供了强大的响应式编程能力和更好的性能。虽然相比 RestTemplate 有一定的学习曲线,但在现代微服务架构中,其带来的好处远超过学习成本。建议在新项目中优先考虑使用WebClient,特别是在需要处理高并发请求的场景下。
提示:请勿发布广告垃圾评论,否则封号处理!!