Spring Resttemplate exception handling Spring Resttemplate exception handling spring spring

Spring Resttemplate exception handling


You want to create a class that implements ResponseErrorHandler and then use an instance of it to set the error handling of your rest template:

public class MyErrorHandler implements ResponseErrorHandler {  @Override  public void handleError(ClientHttpResponse response) throws IOException {    // your error handling here  }  @Override  public boolean hasError(ClientHttpResponse response) throws IOException {     ...  }}[...]public static void main(String args[]) {  RestTemplate restTemplate = new RestTemplate();  restTemplate.setErrorHandler(new MyErrorHandler());}

Also, Spring has the class DefaultResponseErrorHandler, which you can extend instead of implementing the interface, in case you only want to override the handleError method.

public class MyErrorHandler extends DefaultResponseErrorHandler {  @Override  public void handleError(ClientHttpResponse response) throws IOException {    // your error handling here  }}

Take a look at its source code to have an idea of how Spring handles HTTP errors.


Spring cleverly treats http error codes as exceptions, and assumes that your exception handling code has the context to handle the error. To get exchange to function as you would expect it, do this:

    try {        return restTemplate.exchange(url, httpMethod, httpEntity, String.class);    } catch(HttpStatusCodeException e) {        return ResponseEntity.status(e.getRawStatusCode()).headers(e.getResponseHeaders())                .body(e.getResponseBodyAsString());    }

This will return all the expected results from the response.


You should catch a HttpStatusCodeException exception:

try {    restTemplate.exchange(...);} catch (HttpStatusCodeException exception) {    int statusCode = exception.getStatusCode().value();    ...}