首页 > 代码库 > Spring MVC 零配置

Spring MVC 零配置

1. pring MVC的核心就是DispatcherServlet类,Spring MVC处理请求的流程如下图所示:

技术分享

 

 

2. Spring MVC中典型的上下文层次

技术分享

当我们初始化一个DispatcherServlet类时,Spring MVC会在web应用的WEB-INF目录下查找一个名字叫:[servlet-name]-servlet.xml的配置文件,查询这个文件中定义的bean并初始化。[servlet-name]-servlet.xml的定义的bean初始化时将会覆盖在全局范围内(global scope)定义的相同名称的bean。我们一般会在web.xml中定义DispatcherServlet。由上图我们可以看出Controller、HandlerMapping、ViewResovler类在Servlet WebApplicationContext中定义,而Services类,Repositories类(中间服务、数据源等)在Root WebApplicationContext中定义。

3. Spring MVC中单个的根上下文(Single Root Contexct)

技术分享

 如果只有一个单一个根上下文,这样我们就可以定义一个空的contextConfigLocation,因此所有的beans就要在这这个单一的Root Context中定义了。

4. 如何不再要web.xm和[servlet-name].servlet.xml而采用纯粹的java类来实现?

技术分享

 

从上图中我们可以看出只要继承了AbstractAnnotationConfigDispatcherServletInitializer类即可实现在Servlet容器中注册Servlet WebApplicationContext和Root WebApplicationContext。

4.1.将 DispatcherServlet 配置在 Servlet 容器中而不再使用 web.xml 。

public class RtpFrontWebAppInitializer extends AbstractAnnotationConfigDispatcherServletInitializer {

    /**
     * 指定 Root WebApplicationContext 类,这个类必须@Configuration来注解,从而代替XML配置文件
     */
    @Override
    protected Class<?>[] getRootConfigClasses() {
        return new Class<?>[]{RootConfig.class};
    }

    /**
     * 指定 Servlet WebApplicationContext 类,这个类必须@Configuration来注解,从而代替XML配置文件
     */
    @Override
    protected Class<?>[] getServletConfigClasses() {
        return new Class<?>[]{WebConfig.class};
    }

    /**
     * 指定 Servlet mappings
     */
    @Override
    protected String[] getServletMappings() {
        return new String[]{"/"};
    }
}

 

Spring MVC 零配置