4

我正在使用netflix feign来传达微服务。

因此,我的微服务 A 有一个操作“OperationA”,由微服务 B 使用,它通过名为 X-Total 的标头将一个参数传递给 B

 MultiValueMap<String, String> headers = new LinkedMultiValueMap<>();
 headers.add("X-Total", page.getTotalSize()); 

我的客户端界面如下:

@Headers({
    "Content-Type: " + MediaType.APPLICATION_JSON_UTF8_VALUE
})
@RequestLine("GET Dto/")
List<Dto> search();

static DtoClient connect() {
    return Feign.builder()
        .encoder(new GsonEncoder())
        .decoder(new GsonDecoder())
        .target(ConditionTypeClient.class, Urls.SERVICE_URL.toString());
}

然后我得到了 dto 的列表,但我不知道如何获取标题 X-TOTAL 参数:

public List<Dto> search() {
    DtoClient client = DtoClient.connect();
    return client.search();
}

如何获取标题参数?

4

2 回答 2

6

自定义解码器

您可以使用自定义解码器:

public class CustomDecoder extends GsonDecoder {

    private Map<String, Collection<String>> headers;

    @Override
    public Object decode(Response response, Type type) throws IOException {
        headers = response.headers();
        return super.decode(response, type);
    }

    public Map<String, Collection<String>> getHeaders() {
        return headers;
    }
}

返回响应

其他解决方案可能是返回 Response 而不是List<Dto>

@Headers({
    "Content-Type: " + MediaType.APPLICATION_JSON_UTF8_VALUE
})
@RequestLine("GET Dto/")
Response search();

然后反序列化正文并获取标头:

Response response = Client.search();
response.headers();
Gson gson = new Gson();
gson.fromJson(response.body().asReader(), Dto.class);
于 2016-08-03T13:13:36.370 回答
3

我参加聚会迟到了,但我知道将来有人会有所帮助

我们可以将我们的内容包装response成一个ResponseEntity<SomePojo>,通过这样做,我们可以将其作为headers对象作为具有 type的主体SomePojo进行访问。

...
import org.springframework.http.ResponseEntity;
...


public ResponseEntity<List<Dto>> search() {
    DtoClient client = DtoClient.connect();
    return client.search();
}
于 2020-05-29T15:07:52.537 回答