您提到的 Web 应用程序异常的特定处理仅在 JAX-RS 容器的上下文中定义,顺便说一下,它与Servlet 容器不同。
Web 过滤器由 Servlet 容器处理,它不知道也不关心 JAX-RS 容器是否存在于同一应用程序服务器中。它也不知道也不关心 Web 应用程序异常。因此,当您从过滤器中抛出 WAE 时,它的处理方式与任何其他异常相同(带有堆栈跟踪的服务器错误,或者如果您在 Web 应用程序中设置了一个预配置的错误页面)。
在我看来,如果您向客户端指示错误,您可以简单地从过滤器中执行此操作,直接写入响应流。但是,如果您尝试利用一些现有的 JAX-RS 逻辑,那么(RESTEasy 特定)解决方案将在您的过滤器中将请求标记为错误,然后使用提供程序类在 JAX-RS 中生成 WAE。例子:
@WebFilter(urlPatterns = "*")
public class ForwardingFilter implements Filter {
@Override
public void destroy() {
return;
}
@Override
public void doFilter(final ServletRequest request,
final ServletResponse response, final FilterChain chain)
throws IOException, ServletException {
// Add an error response to be processed by the JAX-RS container.
// This would obviously be based on some condition.
request.setAttribute("errorResponse",
Response.status(500).entity("Didn't work out!").build());
chain.doFilter(request, response);
}
@Override
public void init(FilterConfig arg0) throws ServletException {
return;
}
}
@Provider
@ServerInterceptor
@HeaderDecoratorPrecedence
@RequestScoped
public class ForwardingHandlerProvider implements PreProcessInterceptor {
@Override
public ServerResponse preProcess(final HttpRequest request,
final ResourceMethod method) throws Failure,
WebApplicationException {
final Response errorResponse = (Response) request
.getAttribute("errorResponse");
if (errorResponse != null)
throw new WebApplicationException(errorResponse);
return null;
}
}
由于提供者存在于 JAX-RS 领域,因此根据 JAX-RS 规范第 3.3.4 节的规则处理 Web 应用程序异常,并在客户端获得所需的响应。
* 编辑:*
底线是,没有标准的 Java EE 规定的方式(当前)以类似于 JAX-RS 中可用的方式以集中方式处理 servlet 异常。由于您使用的是 JBoss/RestEASY,因此您可以使用 JBoss Seam Catch库来非常接近。
@HandlesExceptions
public class ExceptionHandler {
public void handleServletException(
final @Handles @WebRequest CaughtException<ServletException> caught,
@Context final HttpServletResponse response) {
try {
response.sendError(500, "An error occured");
} catch (final IOException ioe) {
System.err.println("Dumb IO Exception: " + ioe);
}
}
}
上面说明了一个异常处理程序,如Seam Catch 文档中所述。请注意,该库现在正在大量变化,因此您只能将其用作最后的手段。