3

我们有几个使用 Spring MVC 的 REST 应用程序。部署后有时某些应用程序无法启动。当我们的 Javascript 客户端尝试访问资源 url 时,它会得到 404 状态码。因此,它假定该资源不存在。更适合我们的是 Tomcat 响应中返回的 http 状态 500。是否可以更改此默认 Tomcat 行为?

我发现与 JBoss 类似的问题(使用嵌入式 Tomcat)但没有答案: https ://serverfault.com/questions/367986/mod-jk-fails-to-detect-error-state-because-jboss-gives-404 -不是 500

4

2 回答 2

0

HTTP 代理

如果您的 Tomcat 服务器前面有某种代理(如),我相信可以将其配置为将 404 转换为不同的状态代码和错误页面。如果您没有任何代理或希望解决方案保持独立:

自定义 Spring 加载器和 servlet 过滤器

由于您使用的是 Spring,我猜您正在使用ContextLoaderListenerin引导它web.xml

<listener>
    <listener-class>org.springframework.web.context.ContextLoaderListener</listener-class>
</listener>

此类负责引导 Spring,这是在大多数情况下导致应用程序启动失败的步骤。只需扩展该类并吞下任何异常,使其永远不会到达 servlet 容器,因此 Tomcat 不会认为您的应用程序部署失败:

public class FailSafeLoaderListener extends ContextLoaderListener {

    private static final Logger log = LoggerFactory.getLogger(FailSafeLoaderListener.class);

    @Override
    public void contextInitialized(ServletContextEvent event) {
        try {
            super.contextInitialized(event);
        } catch (Exception e) {
            log.error("", e);
            event.getServletContext().setAttribute("deployException", e);
        }
    }
}

代码非常简单——如果 Spring 初始化失败,记录异常并将其全局存储在ServletContext. 新加载器必须替换旧加载器web.xml

<listener>
    <listener-class>com.blogspot.nurkiewicz.download.FailSafeLoaderListener</listener-class>
</listener>

现在您所要做的就是在全局过滤器中从 servlet 上下文中读取该属性,并在应用程序无法启动 Spring 时拒绝所有请求:

public class FailSafeFilter implements Filter {
    @Override
    public void init(FilterConfig filterConfig) throws ServletException {}

    @Override
    public void destroy() {}

    @Override
    public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain) throws IOException, ServletException {
        Exception deployException = (Exception) request.getServletContext().getAttribute("deployException");
        if (deployException == null) {
            chain.doFilter(request, response);
        } else {
            ((HttpServletResponse) response).sendError(500, deployException.toString());
        }
    }
}

将此过滤器映射到所有请求(或者可能只是控制器?):

<filter-mapping>
    <filter-name>failSafeFilter</filter-name>
    <url-pattern>/*</url-pattern>
</filter-mapping>

解决方案可能不是您想要的,但我给您一个通用的、有效的示例。

于 2012-05-14T20:06:24.437 回答
0

是的,有一些改变是可能的。

我们所做的 :

  • 编写一个 servlet,执行以下操作:

    if (req.getContextPath().isEmpty()){
        resp.setStatus(HttpServletResponse.SC_SERVICE_UNAVAILABLE);
    } else {
        resp.setStatus(HttpServletResponse.SC_NOT_FOUND);
    }
    
  • 将包含此类的 jar 放入 tomcat lib。

  • 更改 conf/web.xml 以添加 servlet 并将其映射到*.404

  • 将全局错误设置404/404.404.

    <error-page>
        <error-code>404</error-code>
        <location>/404.404</location>
    </error-page>
    

您的 servlet 将与根应用程序和所有已部署的应用程序一起调用。

于 2016-04-23T13:25:30.343 回答