前言
关于之前的一篇所讲到的表单验证中提到,如果产生错误,可以得到错误的信息,但是返回值的问题却没有考虑。
其中所提到的Controller:
1
2
3
4
5
6
7
8
9
10
11
12
|
@RequestMapping (value = "/doRegister" , method = RequestMethod.POST)
public @ResponseBody User doRegister( @Valid User user, BindingResult result, Model model) {
if (result.hasErrors()) {
List<ObjectError> list = result.getAllErrors();
for (ObjectError error : list) {
System.out.println(error.getDefaultMessage());
}
return null ;
}
System.out.println( "注册.." );
return user;
}
|
如果验证不通过,我们不应该返回null的,这会对前端来说并不友好。
所以我们应该定义一个统一的返回格式:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
|
public class ReturnType {
private int code;
private User data;
private String msg;
public ReturnType( int code, String msg, User data) {
this .code = code;
this .msg = msg;
this .data = data;
}
public int getCode() {
return code;
}
public void setCode( int code) {
this .code = code;
}
public User getData() {
return data;
}
public void setData(User data) {
this .data = data;
}
public String getMsg() {
return msg;
}
public void setMsg(String msg) {
this .msg = msg;
}
}
|
这样一来,返回的结果中的json的格式是固定的。
虽然我们的希望是好的,但是并不是总是可以这样的,因为不管是对底层的数据库操作过程,还是业务层的处理过程,还是控制层的处理过程,都不可避免会遇到各种可预知的、不可预知的异常需要处理。
如果存在下面这种情况:
1
2
3
4
|
@RequestMapping (value = "/doRegister" , method = RequestMethod.POST)
public @ResponseBody ReturnType doRegister( @Valid User user, BindingResult result, Model model) throws Exception {
throw new Exception( "new Exception" );
}
|
这就好像在调用Service层代码的时候,执行方法的过程中遇到了一个异常,那么回得到什么样的结果呢?
无论如何,返回的肯定不是我们之前定义好的格式的返回值。
那我们应该怎么做呢?
这里就需要进行统一的异常处理了。
1
2
3
4
5
6
7
8
9
10
11
12
|
@ControllerAdvice
public class ExceptionHandle {
/* 表明这个handler只处理什么类型的异常
* */
@ExceptionHandler (value = Exception. class )
// 返回值为json或者其他对象
@ResponseBody
public ReturnType handle(Exception e) {
return new ReturnType(- 1 , e.getMessage(), null );
}
}
|
创建这么一个handler类,当Controller抛出异常的时候,就会委托给这个类其中的方法进行执行。
这样一来,就不会出现即使抛出异常,也不会得到不是我们期望的返回值的结果了。
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对服务器之家的支持。
原文链接:http://blog.csdn.net/a60782885/article/details/68491592