我使用Spring WebFlux WebClient从外部API检索数据,如下所示:
public WeatherWebClient() {
this.weatherWebClient = WebClient.create("http://api.openweathermap.org/data/2.5/weather");
}
public Mono<String> getWeatherByCityName(String cityName) {
return weatherWebClient
.get()
.uri(uriBuilder -> uriBuilder
.queryParam("q", cityName)
.queryParam("units", "metric")
.queryParam("appid", API_KEY)
.build())
.accept(MediaType.APPLICATION_JSON)
.retrieve()
.bodyToMono(String.class);
}
这很好用并产生这样的响应:
{
"coord":{
"lon":-47.06,
"lat":-22.91
},
"weather":[
{
"id":800,
"main":"Clear",
"description":"clear sky",
"icon":"01d"
}
],
"base":"stations",
"main":{
"temp":16,
"pressure":1020,
"humidity":67,
"temp_min":16,
"temp_max":16
},
"visibility":10000,
"wind":{
"speed":1,
"deg":90
},
"clouds":{
"all":0
},
"dt":1527937200,
"sys":{
"type":1,
"id":4521,
"message":0.0038,
"country":"BR",
"sunrise":1527932532,
"sunset":1527971422
},
"id":3467865,
"name":"Campinas",
"cod":200
}
但我只对&#34; temp&#34; 属性(main - &gt; temp)感兴趣。我如何转换响应(例如,使用Jackson的ObjectMapper)以反应/非阻塞方式仅返回&#34; temp&#34; 值?
我理解第一件事就是取代&#34; .retrieve()&#34; by&#34; .exchange()&#34;但是我无法弄清楚如何让它发挥作用。
PS:这是我的第一个问题。如果我做错了或者您需要更多详细信息,请告诉我。
谢谢!
答案 0 :(得分:2)
您需要创建与服务器发送的响应相对应的类型。一个非常小的例子可能是这样的:
@JsonIgnoreProperties(ignoreUnknown = true)
public class WeatherResponse {
public MainWeatherData main;
}
并且MainWeatherData
类可以是:
@JsonIgnoreProperties(ignoreUnknown = true)
public class MainWeatherData {
public String temp;
}
最后,您可以在WeatherResponse
中使用bodyToMono
:
...
.retrieve()
.bodyToMono(WeatherResponse.class);
@JsonIgnoreProperties(ignoreUnknown = true)
注释指示Jackson如果遇到您POJO中不存在的JSON字符串中的任何值,则不会给出任何错误。
您可以使用已链接的WeatherResponse
运算符访问map
对象:
getWeatherByCityName(cityName)
.map(weatherResponse -> weatherResponse.main.temp)