使用Spring MVC可以通过三种方式处理异常流,其目的是拦截任何应用程序异常,并向用户提供友好而信息丰富的视图。
1.在web.xml文件中使用error-page标记:
这是servlet规范驱动的方法,其中基于HTTP响应代码或异常类型来拦截从应用程序冒出的异常,并使用location子标记通过以下方式指定该异常的处理程序:
<error-page><error-code>500</error-code><location>/500</location>
</error-page>
<error-page><exception-type>java.lang.Exception</exception-type><location>/uncaughtException</location>
</error-page>
如果它是基于Spring MVC的应用程序,并且意图是通过Spring MVC视图呈现消息,那么理想情况下,一个位置应该是可以显示内容的Spring控制器,并且可以使用上面的2个位置来完成此操作Spring MVC配置:
<mvc:view-controller path="/500" view-name="500view"/>
<mvc:view-controller path="/uncaughtException" view-name="uncaughtexception"/>
2.注册一个
HandlerExceptionResolver负责将异常映射到视图,最简单的方法是注册一个SimpleMappingExceptionResolver,它可以将异常类型映射到视图名称。 以下是使用Spring xml bean定义(基于Roo示例)注册SimpleMappingExceptionResolver的方法:
<bean class="org.springframework.web.servlet.handler.SimpleMappingExceptionResolver" p:defaultErrorView="uncaughtException"><property name="exceptionMappings"><props><prop key=".DataAccessException">dataAccessFailure</prop><prop key=".NoSuchRequestHandlingMethodException">resourceNotFound</prop><prop key=".TypeMismatchException">resourceNotFound</prop><prop key=".MissingServletRequestParameterException">resourceNotFound</prop></props></property>
</bean>
或使用基于Java配置的bean定义:
@Bean
public HandlerExceptionResolver handlerExceptionResolver() {SimpleMappingExceptionResolver exceptionResolver = new SimpleMappingExceptionResolver();exceptionResolver.setDefaultErrorView("uncaughtException");Properties mappings = new Properties();mappings.put(".DataAccessException", "dataAccessFailure");mappings.put(".NoSuchRequestHandlingMethodException", "resourceNotFound");mappings.put(".TypeMismatchException", "resourceNotFound");mappings.put(".MissingServletRequestParameterException", "resourceNotFound");exceptionResolver.setExceptionMappings(mappings );return exceptionResolver;
}
3.使用@ExceptionHandler
这是我的首选方法,使用@ExceptionHandler批注有两种变体。
在第一个变体中,可以将@ExceptionHandler应用于控制器类的级别,在这种情况下,同一控制器@RequestMapped方法引发的异常由@ExceptionHandler注释方法处理。
@Controller
public class AController {@ExceptionHandler(IOException.class)public String handleIOException(IOException ex) {return "errorView";}
}
在@ExceptionHandler的第二个变体中,可以通过对@ControllerAdvice带注释的类的方法进行注释,将注释应用于所有控制器类:
@ControllerAdvice
public class AControllerAdvice {@ExceptionHandler(IOException.class)public String handleIOException(IOException ex) {return "errorView";}
}
这些本质上是在Spring MVC应用程序中处理应用程序异常的方法。
翻译自: https://www.javacodegeeks.com/2013/06/spring-mvc-error-handling-flow.html