对于web项目来说,常常由于各种原因会传输空值数据给前端,而这往往会导致错误的发生。这里主要用到的数据监测的方法是使用@ControllerAdive注解
@ControllerAdvice是一个非常有用的注解,顾名思义,这是一个增强的 Controller。使用这个 Controller ,可以实现三个方面的功能:
- 全局异常处理
- 全局数据绑定
- 全局数据预处理
1、新构建的Exception类,继承运行时错误
@ResponseStatus(HttpStatus.NOT_FOUND)
public class NotFoundException extends RuntimeException {
public NotFoundException() {
}
public NotFoundException(String message) {
super(message);
}
public NotFoundException(String message, Throwable cause) {
super(message, cause);
}
}
2、再就是在之前各种处理null值等错误的地方改成抛出该异常
3、编写一个handler类拦截该异常,看是否正常,如果是对应的异常则返回到error文件夹的error.html页面
@ExceptionHandler 注解用来指明异常的处理类型
@ControllerAdvice
public class ControllerExceptionHandler {
private final Logger logger = LoggerFactory.getLogger(this.getClass());
@ExceptionHandler(Exception.class)
public ModelAndView exceptionHandler(HttpServletRequest request, Exception e) throws Exception {
// logger.
if (AnnotationUtils.findAnnotation(e.getClass(), ResponseStatus.class) != null) {
throw e;
}
ModelAndView mv = new ModelAndView();
mv.addObject("url", request.getRequestURL());
mv.addObject("exception");
mv.setViewName("error/error");
return mv;
}
}
Aspect日志:
在开发的过程中常常会需要获得各个阶段的运行状态,而日志打印可以很好的帮助我们了解运行时的具体状态,方便排bug。这里使用日志打印主要使用到的是aop,面向切面编程的思想,将开发的过程分为一个个点纵向编程而非传统的模块化横向编程,具体就是在运行的每一阶段将数据输出。
1、首先是需要声明有这么一个组件,在对应的连接点绑定各种通知或者说是增强器。这里是绑定了com.daqi.daqi.web下的所有类的方法。
@Aspect
@Component
public class LogAspect {
private Logger logger= LoggerFactory.getLogger(this.getClass());
@Pointcut("execution(* com.daqi.daqi.web.*.*(..))")
public void log(){ }
@Before("log()")
public void dobefore(JoinPoint joinPoint){
//获取request
ServletRequestAttributes attributes=(ServletRequestAttributes) RequestContextHolder.getRequestAttributes();
HttpServletRequest request=attributes.getRequest();
//获取url
String url=request.getRequestURL().toString();
String ip=request.getRemoteAddr();
String classMethod=joinPoint.getSignature().getDeclaringTypeName()+joinPoint.getSignature().getName();
Object[] args=joinPoint.getArgs();
RequestLog requestLog=new RequestLog(url,ip,classMethod,args);
logger.info(requestLog.toString());
logger.info("--------dobefore--------");
}
@After("log()")
public void doafter(JoinPoint joinPoint){
}
private class RequestLog{
String url;
String ip;
String classMethod;
Object[] args;
public RequestLog(String url, String ip, String classMethod, Object[] args) {
this.url = url;
this.ip = ip;
this.classMethod = classMethod;
this.args = args;
}
@Override
public String toString() {
return "RequestLog{" +
"url='" + url + '\'' +
", ip='" + ip + '\'' +
", classMethod='" + classMethod + '\'' +
", args=" + Arrays.toString(args) +
'}';
}
}
}
关于Aop的粗浅理解
https://blog.csdn.net/qq_43923042/article/details/107851883