我已经使用spring框架和REST开发了一些异步Web服务,我已经使用spring class AsyncRestTemplate
创建了一个客户端。类返回一个对象ListenableFuture<ResponseEntity<T>>
(使用方法getForEntity
),它带来了Web服务返回的值(使用方法.get():<T>
)。它工作正常,但是当在REST Web服务(扩展RuntimeException
类)中发生自定义异常时,客户端无法正确捕获它并且它向我显示以下消息:
“timestamp”:“2018-05-28T14:25:15.393 + 0000”,“状态”:500,
“错误”:“内部服务器错误”,“消息”: “java.util.concurrent.ExecutionException: org.springframework.web.client.HttpServerErrorException:500 null“,
“path”:“/ client / result”
有人知道我该如何解决这个问题?我希望客户端向我显示自定义异常消息。
服务器代码如下:
配置类:
@Configuration
@EnableAsync
public class ConfigurationClass {
@Bean
public Executor threadPoolTaskExecutor() {
return new ThreadPoolTaskExecutor();
}
}
控制器类:
@RestController
@RequestMapping("/server")
public class ControllerClass {
@GetMapping("/start")
@Async
public CompletableFuture<String> callService() throws InterruptedException{
Thread.sleep(10000L);
if(true)
throw new RuntimeException("Custom Error");
return CompletableFuture.completedFuture("OK");
}
}
客户端代码(使用者)如下:
@RestController
@RequestMapping("/client")
public class ControllerClass {
private ListenableFuture<ResponseEntity<String>> entity;
@GetMapping("/start")
@Async
public void callService() throws InterruptedException {
AsyncRestTemplate restTemplate = new AsyncRestTemplate();
entity = restTemplate.getForEntity("http://localhost:8080/server/start",
String.class);
}
@GetMapping("/state")
public boolean getState() {
try {
return entity.isDone();
} catch (Exception e) {
throw new RuntimeException(e);
}
}
@GetMapping("/result")
public ResponseEntity<String> getResult() {
try {
return entity.get();
} catch (Exception e) {
throw new RuntimeException(e);
}
}
}
感谢您的帮助,问候。
是被添加的19/05/2018 ---------------------------------------
我接近解决方案。在Web服务的控件类中,我添加了使用@ExceptionHandler
注释的方法,如下面的代码所示:
@ExceptionHandler(RuntimeException.class)
void handleIllegalArgumentException(HttpServletResponse response) throws IOException {
response.sendError(200, "custom Error");
}
它工作正常,客户端已经识别出异常
但是,正确地说,如果我在Web服务中更改了其他状态(例如201,400,401,即HTTP valid status),
我回去在客户端收到消息"java.util.concurrent.ExecutionException: org.springframework.web.client.HttpServerErrorException: 500 null"
。
有人知道原因吗?
答案 0 :(得分:0)
当RestTemplate
收到4xx或5xx响应代码时,会将其视为错误并抛出HttpClientErrorException
/ HttpServerErrorException
,而不是返回ResponseEntity
。
对于您的用例,您可以设置一个错误处理程序(从DefaultResponseErrorHandler
扩展),它不会将4xx和5xx响应视为错误。
而不是
AsyncRestTemplate restTemplate = new AsyncRestTemplate();
使用以下代码
AsyncRestTemplate asyncRestTemplate = new AsyncRestTemplate();
asyncRestTemplate.setErrorHandler(new DefaultResponseErrorHandler() {
@Override
protected boolean hasError(HttpStatus statusCode) {
return false;
}
});