RestTemplate 抛出通用 400 错误请求,但自定义服务器发送的消息并未丢失

问题描述 投票:0回答:3

我们有一个带有 POST 映射的休息控制器 API,它将一个对象作为请求参数并在数据库上创建相同的对象。我们对输入对象进行了一些验证,如果有任何错误,那么我们将通过自定义消息抛出异常。

如果我们从邮递员调用此 API,我们会看到相应的错误。

而当我们使用 Spring 的 RestTemplate 在其他应用程序的调用者方法中调用此方法时,我们看到的只是一个正文为空的 400 Bad 请求。没有看到错误消息。

这可能是什么问题。我们如何获取 API 抛出的自定义消息。

这是我们如何使用 Rest 模板调用 API。

    String url = "https://localhost:8895/servuceUrl";
    HttpHeaders headers = new HttpHeaders();
    headers.setAccept(Arrays.asList(MediaType.APPLICATION_JSON));
    HttpEntity<AddRequest> entity = new HttpEntity<AddRequest>(obj, headers);
    ResponseEntity<String> data = null;
    adddata = restTemplate.exchange(syncurl, HttpMethod.POST, entity, String.class);

在一个服务器端,我们有一个异常,写为

@ResponseStatus(value=HttpStatus.BAD_REQUEST)
public class InvalidDataException extends Exception {


    public InvalidDataException(String msg) {
        super(msg);
    }
}

控制器看起来像

@PostMapping(RestUriMappings.POST_MAPPING)
public ResponseDto add(@Valid @RequestBody AddRequest data) throws InvalidDataException 
{

    logger.debug("Incoming data for add: {}", data.toString());

    // validate the payload
    if(data.getName()==null)
       throw new InvalidDataException("Name shouldnt be null");
}
java spring spring-boot resttemplate
3个回答
7
投票

Spring 的 RestTemplate 实现有一种奇怪的功能。每当响应是 4XX 时,它都会抛出

HttpClientErrorException
而不是返回响应。同样,当响应是 5XX 响应时,它会抛出
HttpServerErrorException

当您进入库内部时,您将看到

DefaultResponseErrorHandler.java#handleError(ClientHttpResponse response)
中负责此类功能的代码段。

因此,如果您想获取原始的 4XX 或 5XX 响应,您必须在

RestTemplate.java#exchange()
方法上编写一个包装器。像这样的东西-

private ResponseEntity<String> exchange(String url, HttpMethod method, HttpEntity<?> httpEntity,
                                           Class<?> class1, Map<String, String> paramMap) {
        ResponseEntity<String> responseEntity = null;
        try {
            responseEntity = restTemplate.exchange(url, method, httpEntity, String.class, paramMap);
        }catch(HttpClientErrorException e) {
            responseEntity = new ResponseEntity<>(e.getResponseBodyAsString(), HttpStatus.BAD_REQUEST);
        }catch(HttpServerErrorException e) {
            responseEntity = new ResponseEntity<>(e.getResponseBodyAsString(), HttpStatus.INTERNAL_SERVER_ERROR);
            throw e;
        }catch(Exception e) {
            responseEntity = new ResponseEntity<>(e.getMessage(), HttpStatus.INTERNAL_SERVER_ERROR);
            throw e;
        }
        return responseEntity;
    }

0
投票

你失踪了:

headers.setContentType(MediaType.APPLICATION_JSON);

0
投票

按照 Mukul Bansal 的回答,我做了以下修改。

public class MyErrorHandler extends DefaultResponseErrorHandler {

    @Override
    protected void handleError(ClientHttpResponse response, HttpStatusCode statusCode) throws IOException {

    }

} 

重写handleError方法,不添加任何内容。然后它返回实际的响应实体。

© www.soinside.com 2019 - 2024. All rights reserved.