一、友好的页面
编写一个错误的方法
FastJsonController 类中新增,
@RequestMapping("/testerror")
@ResponseBody
public User testError() {
User user = new User();
user.setId(2);
user.setUsername("jack2");
user.setPassword("jack246");
user.setBirthday(new Date());
// 模拟异常
int i = 1/0;
return user;
}
访问 http://127.0.0.1:8081/fastjson/testerror,页面显示
当系统报错时,返回到页面的内容通常是一些报错的代码段,这种显示对用户来说不友好,因此我们需要自定义一个友好的提示系统异常的页面。
在 src/main/resources 下创建 /public/error,在该目录下再创建一个名为 5xx.html 文件,该页面的内容就是当系统报错时返回给用户浏览的内容。
例如,我们新建一个500.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>访问异常 - 500</title>
</head>
<body>
<div class="">
<h2>友善的报错信息 500</h2>
</div>
</body>
</html>
路径时固定的,Spring Boot 会在系统报错时将返回视图指向该目录下的文件。
二、全局异常捕获
如果项目前后端是通过 JSON 进行数据通信,则当出现异常时可以常用如下方式处理异常信息。
编写一个类充当全局异常的处理类,需要使用 @ControllerAdvice 和 @ExceptionHandler 注解。
其中,方法名为任意名,入参一般使用 Exception 异常类,方法返回值可自定义。
package com.springboot.springboot_web.base;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.ResponseBody;
import java.util.HashMap;
import java.util.Map;
@ControllerAdvice
public class GlobalDefaultExceptionHandler {
@ExceptionHandler(Exception.class)
@ResponseBody
public Map<String,Object> defaultExceptionHandler(Exception e) {
Map<String,Object> map = new HashMap<String,Object>();
map.put("code", 500);
map.put("msg", e.getMessage());
return map;
}
}
访问 http://127.0.0.1:8081/fastjson/testerror,页面返回
{ "msg":"/ by zero", "code":500 }
我们可以看到,如果同时做了友好的页面和全局异常捕获,会优先显示全局异常捕获的内容。