欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

Spring MVC源码(一) ----- 启动过程与组件初始化

程序员文章站 2023-11-04 12:32:40
SpringMVC作为MVC框架近年来被广泛地使用,其与Mybatis和Spring的组合,也成为许多公司开发web的套装。SpringMVC继承了Spring的优点,对业务代码的非侵入性,配置的便捷和灵活,再加上注解方式的简便与流行,SpringMVC自然成为web开发中MVC框架的首选。 Spr ......

springmvc作为mvc框架近年来被广泛地使用,其与mybatis和spring的组合,也成为许多公司开发web的套装。springmvc继承了spring的优点,对业务代码的非侵入性,配置的便捷和灵活,再加上注解方式的简便与流行,springmvc自然成为web开发中mvc框架的首选。

springmvc的设计理念,简单来说,就是将spring的ioc容器与servlet结合起来,从而在ioc容器中维护servlet相关对象的生命周期,同时将spring的上下文注入到servlet的上下文中。依靠servlet的事件和监听机制来操作和维护外部请求,以及组装和执行请求对应的响应。

xml配置

springmvc想与servlet相结合,首先得在servlet容器中进行配置。以tomcat为例,通常在web.xml文件中配置一个监听器和springmvc的核心servlet。

监听器

<context-param>
    <param-name>contextconfiglocation</param-name>
    <param-value>classpath:spring.xml</param-value>
</context-param>

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

核心servlet

<servlet>
    <servlet-name>dispatcher</servlet-name>
    <servlet-class>org.springframework.web.servlet.dispatcherservlet</servlet-class>
    <init-param>
        <param-name>contextconfiglocation</param-name>
        <param-value>classpath:spring-mvc.xml</param-value>
    </init-param>
    <load-on-startup>1</load-on-startup>
</servlet>
<servlet-mapping>
    <servlet-name>dispatcher</servlet-name>
    <url-pattern>/</url-pattern>
</servlet-mapping>

当我准备研究springmvc源码时,我问出了一个早应该问的问题:为什么配置了dispatcherservlet,还需要一个监听器,而且都能加载配置文件?在context-param中的配置文件要不要在dispatcherservlet中的init-param再加上?相信很多刚用springmvc的人都闪现过这样的问题。翻阅过源码后,明白了springmvc通过这种方式实现了父子上下文容器结构

tomcat启动时,监听器contextloaderlistener创建一个xmlwebapplicationcontext上下文容器,并加载context-param中的配置文件,完成容器的刷新后将上下文设置到servletcontext。当dispatcherservlet创建时,先进行初始化操作,从servletcontext中查询出监听器中创建的上下文对象,作为父类上下文来创建servlet的上下文容器,并加载servlet配置中的init-param的配置文件(默认加载/web-inf/servletname-servlet.xml,servletname为dispatcherservlet配置的servlet-name),然后完成容器的刷新。子上下文可以访问父上下文中的bean,反之则不行。

父子上下文容器结构如下

Spring MVC源码(一) ----- 启动过程与组件初始化

通常是将业务操作及数据库相关的bean维护在listener的父容器中,而在servlet的子容器中只加载controller相关的业务实现的bean。从而将业务实现和业务的具体操作分隔在两个上下文容器中,业务实现bean可以调用业务具体操作的bean。

servletcontext启动监听

 servletcontextlistener监听servletcontext的生命周期。每个web application对应一个servletcontext,用于servlet与servlet容器沟通的中介。它定义两个方法,context初始化和context销毁。

public interface servletcontextlistener extends eventlistener {

    public void contextinitialized(servletcontextevent sce);

    
    public void contextdestroyed(servletcontextevent sce);
}

springmvc的contextloaderlistener实现了此接口,在web application启动时创建一个spring的root上下文。

根上下文的创建

 springmvc根上下文是通过servletcontext的监听器进行创建,默认的监听器为contextloaderlistener。当web应用启动时,会调用监听器的contextinitialized方法。

public void contextinitialized(servletcontextevent event) {
    initwebapplicationcontext(event.getservletcontext());
}

contextinitialized方法接受参数servletcontext,实际的web上下文的创建交给了子类contextloader。

public webapplicationcontext initwebapplicationcontext(servletcontext servletcontext) {
    // 判断servletcontext是否已存在springmvc根上下文,存在则报错
    if (servletcontext.getattribute(webapplicationcontext.root_web_application_context_attribute) != null) {
        throw new illegalstateexception(
                "cannot initialize context because there is already a root application context present - " +
                "check whether you have multiple contextloader* definitions in your web.xml!");
    }

    // store context in local instance variable, to guarantee that
    // it is available on servletcontext shutdown.
    if (this.context == null) {
        // 创建上下文根容器
        this.context = createwebapplicationcontext(servletcontext);
    }
    if (this.context instanceof configurablewebapplicationcontext) {
        configurablewebapplicationcontext cwac = (configurablewebapplicationcontext) this.context;
        if (!cwac.isactive()) {
            // the context has not yet been refreshed -> provide services such as
            // setting the parent context, setting the application context id, etc
            if (cwac.getparent() == null) {
                // the context instance was injected without an explicit parent ->
                // determine parent for root web application context, if any.
                applicationcontext parent = loadparentcontext(servletcontext);
                cwac.setparent(parent);
            }
            // 加载并刷新上下文环境,也就是初始化spring容器
            // 绑定servletcontext到spring根上下文
            configureandrefreshwebapplicationcontext(cwac, servletcontext);
        }
    }

    // 将创建完的根上下文绑定到servletcontext
    servletcontext.setattribute(webapplicationcontext.root_web_application_context_attribute, this.context);

    return this.context;
}

我们来看看创建根容器 createwebapplicationcontext

protected webapplicationcontext createwebapplicationcontext(servletcontext sc) {
    class<?> contextclass = this.determinecontextclass(sc);
    if (!configurablewebapplicationcontext.class.isassignablefrom(contextclass)) {
        throw new applicationcontextexception("custom context class [" + contextclass.getname() + "] is not of type [" + configurablewebapplicationcontext.class.getname() + "]");
    } else {
        return (configurablewebapplicationcontext)beanutils.instantiateclass(contextclass);
    }
}

先是获取class对象,然后利用反射实例化对象

protected class<?> determinecontextclass(servletcontext servletcontext) {
    //可以手动在web.xml中配置contextclass参数
    string contextclassname = servletcontext.getinitparameter("contextclass");
    if (contextclassname != null) {
        try {
            return classutils.forname(contextclassname, classutils.getdefaultclassloader());
        } catch (classnotfoundexception var4) {
            throw new applicationcontextexception("failed to load custom context class [" + contextclassname + "]", var4);
        }
    } else {
        //在配置文件中有如下配置
        //org.springframework.web.context.webapplicationcontext=org.springframework.web.context.support.xmlwebapplicationcontext
        contextclassname = defaultstrategies.getproperty(webapplicationcontext.class.getname());

        try {
            //利用反射加载类
            return classutils.forname(contextclassname, contextloader.class.getclassloader());
        } catch (classnotfoundexception var5) {
            throw new applicationcontextexception("failed to load default context class [" + contextclassname + "]", var5);
        }
    }
}

最后再调用 beanutils.instantiateclass 实例化对象

public static <t> t instantiateclass(class<t> clazz) throws beaninstantiationexception {
    assert.notnull(clazz, "class must not be null");
    if (clazz.isinterface()) {
        throw new beaninstantiationexception(clazz, "specified class is an interface");
    } else {
        try {
            //获取构造器并实例化
            return instantiateclass(clazz.getdeclaredconstructor());
        } catch (nosuchmethodexception var2) {
            throw new beaninstantiationexception(clazz, "no default constructor found", var2);
        }
    }
}

最后我们来看看容器的初始化 configureandrefreshwebapplicationcontext(cwac, servletcontext);

protected void configureandrefreshwebapplicationcontext(configurablewebapplicationcontext wac, servletcontext sc) {
    string configlocationparam;
    if (objectutils.identitytostring(wac).equals(wac.getid())) {
        configlocationparam = sc.getinitparameter("contextid");
        if (configlocationparam != null) {
            wac.setid(configlocationparam);
        } else {
            wac.setid(configurablewebapplicationcontext.application_context_id_prefix + objectutils.getdisplaystring(sc.getcontextpath()));
        }
    }

    wac.setservletcontext(sc);
    configlocationparam = sc.getinitparameter("contextconfiglocation");
    if (configlocationparam != null) {
        wac.setconfiglocation(configlocationparam);
    }

    configurableenvironment env = wac.getenvironment();
    if (env instanceof configurablewebenvironment) {
        ((configurablewebenvironment)env).initpropertysources(sc, (servletconfig)null);
    }

    this.customizecontext(sc, wac);
    wac.refresh();
}

其实是调用 configurablewebapplicationcontext 的 refresh() 对容器的初始化。

public void refresh() throws beansexception, illegalstateexception {
    synchronized (this.startupshutdownmonitor) {
        // prepare this context for refreshing.
        //准备刷新的上下文 环境  
        /* 
         * 初始化前的准备工作,例如对系统属性或者环境变量进行准备及验证。 
         * 在某种情况下项目的使用需要读取某些系统变量,而这个变量的设置很可能会影响着系统 
         * 的正确性,那么classpathxmlapplicationcontext为我们提供的这个准备函数就显得非常必要, 
         * 它可以在spring启动的时候提前对必须的变量进行存在性验证。 
         */ 
        preparerefresh();
        // tell the subclass to refresh the internal bean factory.
        //初始化beanfactory,并进行xml文件读取  
        /* 
         * classpathxmlapplicationcontext包含着beanfactory所提供的一切特征,在这一步骤中将会复用 
         * beanfactory中的配置文件读取解析及其他功能,这一步之后,classpathxmlapplicationcontext 
         * 实际上就已经包含了beanfactory所提供的功能,也就是可以进行bean的提取等基础操作了。 
         */  
        configurablelistablebeanfactory beanfactory = obtainfreshbeanfactory();
        // prepare the bean factory for use in this context.
        //对beanfactory进行各种功能填充  
        /* 
         * @qualifier与@autowired等注解正是在这一步骤中增加的支持 
         */  
        preparebeanfactory(beanfactory);
        try {
            // allows post-processing of the bean factory in context subclasses.
            //子类覆盖方法做额外处理  
            /* 
             * spring之所以强大,为世人所推崇,除了它功能上为大家提供了便利外,还有一方面是它的 
             * 完美架构,开放式的架构让使用它的程序员很容易根据业务需要扩展已经存在的功能。这种开放式 
             * 的设计在spring中随处可见,例如在本例中就提供了一个空的函数实现postprocessbeanfactory来 
             * 方便程序猿在业务上做进一步扩展 
             */ 
            postprocessbeanfactory(beanfactory);
            // invoke factory processors registered as beans in the context.
            //激活各种beanfactory处理器  
            invokebeanfactorypostprocessors(beanfactory);
            // register bean processors that intercept bean creation.
            //注册拦截bean创建的bean处理器,这里只是注册,真正的调用实在getbean时候 
            registerbeanpostprocessors(beanfactory);
            // initialize message source for this context.
            //为上下文初始化message源,即不同语言的消息体,国际化处理  
            initmessagesource();
            // initialize event multicaster for this context.
            //初始化应用消息广播器,并放入“applicationeventmulticaster”bean中  
            initapplicationeventmulticaster();
            // initialize other special beans in specific context subclasses.
            //留给子类来初始化其它的bean  
            onrefresh();
            // check for listener beans and register them.
            //在所有注册的bean中查找listener bean,注册到消息广播器中  
            registerlisteners();
            // instantiate all remaining (non-lazy-init) singletons.
            //初始化剩下的单实例(非惰性的)  
            finishbeanfactoryinitialization(beanfactory);
            // last step: publish corresponding event.
            //完成刷新过程,通知生命周期处理器lifecycleprocessor刷新过程,同时发出contextrefreshevent通知别人  
            finishrefresh();
        }
        catch (beansexception ex) {
            destroybeans();
            // reset 'active' flag.
            cancelrefresh(ex);
            // propagate exception to caller.
            throw ex;
        }
        finally {
            resetcommoncaches();
        }
    }
}

当springmvc上下文创建完成后,以固定的属性名称将其绑定到servlet上下文上,用以在servlet子上下文创建时从servlet上下文获取,并设置为其父上下文,从而完成父子上下文的构成。

servletcontext.setattribute(webapplicationcontext.root_web_application_context_attribute, this.context);

servlet的初始化

servlet的生命周期从第一次访问servlet开始,servlet对象被创建并执行初始化操作。而每次请求则由servlet容器交给servlet的service方法执行,最后在web application停止时调用destroy方法完成销毁前处理。

public interface servlet {

    public void init(servletconfig config) throws servletexception;

    public void service(servletrequest req, servletresponse res) throws servletexception, ioexception;

    public void destroy();
}

在web.xml的servlet配置选项中有一个load-on-startup,其值为整数,标识此servlet是否在容器启动时的加载优先级。若值大于0,按从小到大的顺序被依次加载;若为0,则标识最大整数,最后被加载;若值小于0,表示不加载。默认load-on-startup的值为-1。servlet的加载是在加载完所有servletcontextlistener后才执行。

先来看下dispatcherservlet的类图

Spring MVC源码(一) ----- 启动过程与组件初始化

servlet子上下文的创建是在servlet的初始化方法init中。而springmvc的核心servlet-dispatcherservlet的初始化操作则是在其父类httpservletbean中。

public final void init() throws servletexception {
    if (logger.isdebugenabled()) {
        logger.debug("initializing servlet '" + getservletname() + "'");
    }

    // set bean properties from init parameters.
    //从初始化参数设置bean属性。例如init-param的contextconfiglocation  classpath*:spring-mvc.xml
    propertyvalues pvs = new servletconfigpropertyvalues(getservletconfig(), this.requiredproperties);
    if (!pvs.isempty()) {
        try {
            //将dispatcherservlet转化成spring里面的bean,
            beanwrapper bw = propertyaccessorfactory.forbeanpropertyaccess(this);
            //加载配置信息
            resourceloader resourceloader = new servletcontextresourceloader(getservletcontext());
            bw.registercustomeditor(resource.class, new resourceeditor(resourceloader, getenvironment()));
            initbeanwrapper(bw);
            //通过spring的bean赋值方式给dispatcherservlet初始化属性值
            bw.setpropertyvalues(pvs, true);
        }
        catch (beansexception ex) {
            if (logger.iserrorenabled()) {
                logger.error("failed to set bean properties on servlet '" + getservletname() + "'", ex);
            }
            throw ex;
        }
    }

    // let subclasses do whatever initialization they like.
    //模板方法,子类可以去自定义
    initservletbean();

    if (logger.isdebugenabled()) {
        logger.debug("servlet '" + getservletname() + "' configured successfully");
    }
}

initservletbean的实现在子类frameworkservlet中

protected final void initservletbean() throws servletexception {
    
    // 创建servlet子上下文
    this.webapplicationcontext = initwebapplicationcontext();
    // 可扩展方法
    initframeworkservlet();
}

此处的initwebapplicationcontext方法同contextloader步骤相似

protected webapplicationcontext initwebapplicationcontext() {
    // 从servletcontext获取springmvc根上下文
    webapplicationcontext rootcontext =
            webapplicationcontextutils.getwebapplicationcontext(getservletcontext());
    webapplicationcontext wac = null;

    // 如果springmvc的servlet子上下文对象不为空,则设置根上下文为其父类上下文,然后刷新
    if (this.webapplicationcontext != null) {
        // a context instance was injected at construction time -> use it
        wac = this.webapplicationcontext;
        if (wac instanceof configurablewebapplicationcontext) {
            configurablewebapplicationcontext cwac = (configurablewebapplicationcontext) wac;
            if (!cwac.isactive()) {
                // the context has not yet been refreshed -> provide services such as
                // setting the parent context, setting the application context id, etc
                if (cwac.getparent() == null) {
                    // the context instance was injected without an explicit parent -> set
                    // the root application context (if any; may be null) as the parent
                    cwac.setparent(rootcontext);
                }
                configureandrefreshwebapplicationcontext(cwac);
            }
        }
    }
    if (wac == null) {
        // 根据init-param配置的属性名称从servletcontext查找springmvc的servlet子上下文
        wac = findwebapplicationcontext();
    }
    if (wac == null) {
        // 若还为空,则创建一个新的上下文对象并刷新
        wac = createwebapplicationcontext(rootcontext);
    }

    // 子类自定义对servlet子上下文后续操作,在dispatcherservlet中实现
    if (!this.refresheventreceived) {
        onrefresh(wac);
    }

    // 发布servlet子上下文到servletcontext
    if (this.publishcontext) {
        // publish the context as a servlet context attribute.
        string attrname = getservletcontextattributename();
        getservletcontext().setattribute(attrname, wac);
        if (this.logger.isdebugenabled()) {
            this.logger.debug("published webapplicationcontext of servlet '" + getservletname() +
                    "' as servletcontext attribute with name [" + attrname + "]");
        }
    }

    return wac;
}

servlet子上下文的创建也有几个关键点

  1. 从servletcontext中获取第一步中创建的springmvc根上下文,为下面做准备
  2. 根据init-param中的contextattribute属性值从servletcontext查找是否存在上下文对象
  3. 以xmlwebapplicationcontext作为class类型创建上下文对象,设置父类上下文,并完成刷新
  4. 执行子类扩展方法onrefresh,在dispatcherservlet内初始化所有web相关组件
  5. 将servlet子上下文对象发布到servletcontext

实例化上下文对象时使用默认的contextclass,即xmlwebapplicationcontext,子类也可以重写此方法来支持其他上下文类型。

protected webapplicationcontext createwebapplicationcontext(applicationcontext parent) {
    //this.contextclass = default_context_class;
    //default_context_class = xmlwebapplicationcontext.class;
    class<?> contextclass = this.getcontextclass();
    if (this.logger.isdebugenabled()) {
        this.logger.debug("servlet with name '" + this.getservletname() + "' will try to create custom webapplicationcontext context of class '" + contextclass.getname() + "', using parent context [" + parent + "]");
    }

    if (!configurablewebapplicationcontext.class.isassignablefrom(contextclass)) {
        throw new applicationcontextexception("fatal initialization error in servlet with name '" + this.getservletname() + "': custom webapplicationcontext class [" + contextclass.getname() + "] is not of type configurablewebapplicationcontext");
    } else {
        //反射创建实例
        configurablewebapplicationcontext wac = (configurablewebapplicationcontext)beanutils.instantiateclass(contextclass);
        wac.setenvironment(this.getenvironment());
        //设置父容器
        wac.setparent(parent);
        wac.setconfiglocation(this.getcontextconfiglocation());
        //初始化新创建的子容器
        this.configureandrefreshwebapplicationcontext(wac);
        return wac;
    }
}

在上下文的配置刷新方法configureandrefreshwebapplicationcontext中,将servletcontext和servletconfig都绑定到servlet子上下文对象中。另外设置了默认的namespace,即servletname-servlet

protected void configureandrefreshwebapplicationcontext(configurablewebapplicationcontext wac) {
    if (objectutils.identitytostring(wac).equals(wac.getid())) {
        if (this.contextid != null) {
            wac.setid(this.contextid);
        } else {
            wac.setid(configurablewebapplicationcontext.application_context_id_prefix + objectutils.getdisplaystring(this.getservletcontext().getcontextpath()) + '/' + this.getservletname());
        }
    }
    //将servletcontext和servletconfig都绑定到servlet子上下文对象中
    wac.setservletcontext(this.getservletcontext());
    wac.setservletconfig(this.getservletconfig());
    wac.setnamespace(this.getnamespace());
    wac.addapplicationlistener(new sourcefilteringlistener(wac, new frameworkservlet.contextrefreshlistener(null)));
    configurableenvironment env = wac.getenvironment();
    if (env instanceof configurablewebenvironment) {
        ((configurablewebenvironment)env).initpropertysources(this.getservletcontext(), this.getservletconfig());
    }

    this.postprocesswebapplicationcontext(wac);
    this.applyinitializers(wac);
    //最后初始化子容器,和上面根容器初始化一样
    wac.refresh();
}

当所有操作完成后,将servlet子上下文以org.springframework.web.servlet.frameworkservlet.context. + servletname的属性名称注册到servletcontext中,完成和servletcontext的双向绑定。

springmvc在dispatcherservlet的初始化过程中,同样会初始化一个webapplicationcontext的实现类,作为自己独有的上下文,这个独有的上下文,会将上面的根上下文作为自己的父上下文,来存放springmvc的配置元素,然后同样作为servletcontext的一个属性,被设置到servletcontext中,只不过它的key就稍微有点不同,key和具体的dispatcherservlet注册在web.xml文件中的名字有关,从这一点也决定了,我们可以在web.xml文件中注册多个dispatcherservlet,因为servlet容器中注册的servlet名字肯定不一样,设置到servlet环境中的key也肯定不同。

组件初始化

 在servlet子上下文完成创建,调用了模板扩展方法onrefresh,它在frameworkservlet中仅仅只是个空方法,但在其子类dispatcherservlet中则至关重要,它是一切组件的起源。

dispatcherservlet.java

protected void onrefresh(applicationcontext context) {
    initstrategies(context);
}

初始化所有策略,其实是指各个组件可以通过策略动态地进行配置。

protected void initstrategies(applicationcontext context) {
    // 文件上传解析器
    initmultipartresolver(context);
    // 本地化解析器
    initlocaleresolver(context);
    // 主题解析器
    initthemeresolver(context);
    // 处理器映射器(url和controller方法的映射)
    inithandlermappings(context);
    // 处理器适配器(实际执行controller方法)
    inithandleradapters(context);
    // 处理器异常解析器
    inithandlerexceptionresolvers(context);
    // requesttoviewname解析器
    initrequesttoviewnametranslator(context);
    // 视图解析器(视图的匹配和渲染)
    initviewresolvers(context);
    // flashmap管理者
    initflashmapmanager(context);
}

以上基本将springmvc中的主要组件都罗列出来了,其中最重要的当是handlermapping,handleradapter和viewresolver。由于各组件的初始化策略方式相似,我们以handlermapping来介绍。

private void inithandlermappings(applicationcontext context) {
    this.handlermappings = null;

    // 是否查找所有handlermapping标识
    if (this.detectallhandlermappings) {
        // 从上下文(包含所有父上下文)中查找handlermapping类型的bean
        map<string, handlermapping> matchingbeans =
                beanfactoryutils.beansoftypeincludingancestors(context, handlermapping.class, true, false);
        if (!matchingbeans.isempty()) {
            this.handlermappings = new arraylist<handlermapping>(matchingbeans.values());
            // we keep handlermappings in sorted order.
            annotationawareordercomparator.sort(this.handlermappings);
        }
    }
    else {
        try {
            // 根据指定名称获取handlermapping对象
            handlermapping hm = context.getbean(handler_mapping_bean_name, handlermapping.class);
            this.handlermappings = collections.singletonlist(hm);
        }
        catch (nosuchbeandefinitionexception ex) {
            // ignore, we'll add a default handlermapping later.
        }
    }

    // 确保至少有一个handlermapping,如果没能找到,注册一个默认的
    if (this.handlermappings == null) {
        this.handlermappings = getdefaultstrategies(context, handlermapping.class);
        if (logger.isdebugenabled()) {
            logger.debug("no handlermappings found in servlet '" + getservletname() + "': using default");
        }
    }
}

策略的逻辑很简单:有一个标识,是否查找所有handlermapping(默认为true)。如果为是,则从上下文(包括所有父上下文)中查询类型为handlermapping的bean,并进行排序。如果为否,则从上下文中按指定名称去寻找。如果都没有找到,提供一个默认的实现。这个默认实现从dispatcherservlet同级目录的dispatcherservlet.properties中加载得

Spring MVC源码(一) ----- 启动过程与组件初始化

org.springframework.web.servlet.localeresolver=org.springframework.web.servlet.i18n.acceptheaderlocaleresolver

org.springframework.web.servlet.themeresolver=org.springframework.web.servlet.theme.fixedthemeresolver

org.springframework.web.servlet.handlermapping=org.springframework.web.servlet.handler.beannameurlhandlermapping,\
    org.springframework.web.servlet.mvc.annotation.defaultannotationhandlermapping

org.springframework.web.servlet.handleradapter=org.springframework.web.servlet.mvc.httprequesthandleradapter,\
    org.springframework.web.servlet.mvc.simplecontrollerhandleradapter,\
    org.springframework.web.servlet.mvc.annotation.annotationmethodhandleradapter

org.springframework.web.servlet.handlerexceptionresolver=org.springframework.web.servlet.mvc.annotation.annotationmethodhandlerexceptionresolver,\
    org.springframework.web.servlet.mvc.annotation.responsestatusexceptionresolver,\
    org.springframework.web.servlet.mvc.support.defaulthandlerexceptionresolver

org.springframework.web.servlet.requesttoviewnametranslator=org.springframework.web.servlet.view.defaultrequesttoviewnametranslator

org.springframework.web.servlet.viewresolver=org.springframework.web.servlet.view.internalresourceviewresolver

org.springframework.web.servlet.flashmapmanager=org.springframework.web.servlet.support.sessionflashmapmanager

可以看到springmvc为每个组件都提供了默认的实现,通常情况下都能够满足需求。如果你想对某个组件进行定制,可以通过spring的xml文件或者@configuration类中的@bean来实现。比如常配置的视图解析器:

xml方式

<bean class="org.springframework.web.servlet.view.internalresourceviewresolver">
    <property name="prefix" value="/web-inf/"></property>
    <property name="suffix" value=".jsp"></property>
</bean>

由于其他组件的初始化方式完全一致,这里就不赘述了。需要关注的一点是,当匹配到合适的组件时,都会通过spring的方式实例化组件。而有些组件在实例化时也会对自身运行环境进行初始化。

 

inithandleradapters(context);

Spring MVC源码(一) ----- 启动过程与组件初始化

 

url-controller方法映射初始化

在使用springmvc时,需要在xml文件中添加一行注解

<mvc:annotation-driven />

或者在配置类上增加注解@enablewebmvc,才能使springmvc的功能完全开启。我们以xml的配置为例,看看它都做了什么。根据spring对namespace的解析策略找到mvcnamespacehandler类,在其init方法中

registerbeandefinitionparser("annotation-driven", new annotationdrivenbeandefinitionparser());

直接看annotationdrivenbeandefinitionparser的parse方法,上下有一百多行,浏览一遍,主要就是注册各种组件和内部需要的解析器和转换器。找到handlermapping组件的实现

rootbeandefinition handlermappingdef = new rootbeandefinition(requestmappinghandlermapping.class);

因而实际用的handlermapping实现即为requestmappinghandlermapping。其抽象基类abstracthandlermethodmapping实现了initializingbean接口。

public abstract class abstracthandlermethodmapping<t> extends abstracthandlermapping implements initializingbean

当requestmappinghandlermapping对象初始化时,会调用initializingbean接口的afterpropertiesset方法。在此方法中完成了controller方法同请求url的映射表。

public void afterpropertiesset() {
    inithandlermethods();
}

protected void inithandlermethods() {
    if (logger.isdebugenabled()) {
        logger.debug("looking for request mappings in application context: " + getapplicationcontext());
    }
    // 默认只从当前上下文中查询所有beanname
    string[] beannames = (this.detecthandlermethodsinancestorcontexts ?
            beanfactoryutils.beannamesfortypeincludingancestors(getapplicationcontext(), object.class) :
            getapplicationcontext().getbeannamesfortype(object.class));

    for (string beanname : beannames) {
        if (!beanname.startswith(scoped_target_name_prefix)) {
            class<?> beantype = null;
            try {
                beantype = getapplicationcontext().gettype(beanname);
            }
            catch (throwable ex) {
                // an unresolvable bean type, probably from a lazy bean - let's ignore it.
                if (logger.isdebugenabled()) {
                    logger.debug("could not resolve target class for bean with name '" + beanname + "'", ex);
                }
            }
            // 如果类上有@controller或@requestmapping注解,则进行解析
            if (beantype != null && ishandler(beantype)) {
                detecthandlermethods(beanname);
            }
        }
    }
    handlermethodsinitialized(gethandlermethods());
}

ishandler通过反射工具类判断类上是否有 controller.class 或者 requestmapping.class 注解

protected boolean ishandler(class<?> beantype) {
    return annotatedelementutils.hasannotation(beantype, controller.class) || annotatedelementutils.hasannotation(beantype, requestmapping.class);
}

对于类上有@controller或@requestmapping注解,都进行了detect。

protected void detecthandlermethods(final object handler) {
    class<?> handlertype = (handler instanceof string ?
            getapplicationcontext().gettype((string) handler) : handler.getclass());
    final class<?> usertype = classutils.getuserclass(handlertype);

    // 方法内省器,用于发现@requestmapping注解的方法
    map<method, t> methods = methodintrospector.selectmethods(usertype,
            new methodintrospector.metadatalookup<t>() {
                @override
                public t inspect(method method) {
                    try {
                        return getmappingformethod(method, usertype);
                    }
                    catch (throwable ex) {
                        throw new illegalstateexception("invalid mapping on handler class [" +
                                usertype.getname() + "]: " + method, ex);
                    }
                }
            });

    if (logger.isdebugenabled()) {
        logger.debug(methods.size() + " request handler methods found on " + usertype + ": " + methods);
    }

    // 遍历所有有效方法,封装方法为可执行的method,注册到url-controller方法映射表
    for (map.entry<method, t> entry : methods.entryset()) {
        method invocablemethod = aoputils.selectinvocablemethod(entry.getkey(), usertype);
        t mapping = entry.getvalue();
        registerhandlermethod(handler, invocablemethod, mapping);
    }
}

方法内省器中的内部类调用的getmappingformethod方法为抽象方法,实现在requestmappinghandlermapping中。

protected requestmappinginfo getmappingformethod(method method, class<?> handlertype) {
    requestmappinginfo info = createrequestmappinginfo(method);
    if (info != null) {
        requestmappinginfo typeinfo = createrequestmappinginfo(handlertype);
        if (typeinfo != null) {
            info = typeinfo.combine(info);
        }
    }
    return info;
}

private requestmappinginfo createrequestmappinginfo(annotatedelement element) {
    requestmapping requestmapping = annotatedelementutils.findmergedannotation(element, requestmapping.class);
    requestcondition<?> condition = (element instanceof class ?
            getcustomtypecondition((class<?>) element) : getcustommethodcondition((method) element));
    return (requestmapping != null ? createrequestmappinginfo(requestmapping, condition) : null);
}

解析方法上的@requestmapping注解返回requestmappinginfo,其实就是请求映射信息

    protected requestmappinginfo createrequestmappinginfo(requestmapping requestmapping, requestcondition<?> customcondition) {
        return requestmappinginfo.paths(this.resolveembeddedvaluesinpatterns(requestmapping.path())).methods(requestmapping.method()).params(requestmapping.params()).headers(requestmapping.headers()).consumes(requestmapping.consumes()).produces(requestmapping.produces()).mappingname(requestmapping.name()).customcondition(customcondition).options(this.config).build();
    }

而在上面的detect方法最后,注册url-controller方法映射表由registerhandlermethod方法完成。

protected void registerhandlermethod(object handler, method method, t mapping) {
    this.mappingregistry.register(mapping, handler, method);
}

mappingregistry是abstracthandlermethodmapping的核心构成,主要作用就是维护handlermethod的映射关系,以及提供映射的查询方法。其register方法的实现如下:

public void register(t mapping, object handler, method method) {
    // 加锁,保证一致性
    this.readwritelock.writelock().lock();
    try {
        handlermethod handlermethod = createhandlermethod(handler, method);
        assertuniquemethodmapping(handlermethod, mapping);

        if (logger.isinfoenabled()) {
            logger.info("mapped \"" + mapping + "\" onto " + handlermethod);
        }
        // 添加mapping->handlermethod的映射
        this.mappinglookup.put(mapping, handlermethod);

        list<string> directurls = getdirecturls(mapping);
        for (string url : directurls) {
            // 添加url->mapping的映射
            this.urllookup.add(url, mapping);
        }

        string name = null;
        if (getnamingstrategy() != null) {
            name = getnamingstrategy().getname(handlermethod, mapping);
            addmappingname(name, handlermethod);
        }

        corsconfiguration corsconfig = initcorsconfiguration(handler, method, mapping);
        if (corsconfig != null) {
            this.corslookup.put(handlermethod, corsconfig);
        }

        // 添加mapping->mappingregistration的映射
        this.registry.put(mapping, new mappingregistration<t>(mapping, handlermethod, directurls, name));
    }
    finally {
        this.readwritelock.writelock().unlock();
    }
}

注册过程增加了三个个映射关系,一个是mapping->handlermethod的映射,一个是url->mapping的映射,一个是mapping->mappingregistration的映射。通过前两个映射,可以将请求定位到确定的controller的方法上,最后一个映射保留所有mapping注册信息,用于unregister。而方法加锁则是保证所有映射的一致性。

至此,请求url和controller方法之间的关系就初始化完成了。上面 inithandlermappings 就能从容器中拿到所有的handlermapping。

参数解析器和返回值解析器的初始化

在使用springmvc时,对controller中方法的参数和返回值的处理都非常的方便。我们知道,常用类型的参数不需要任何额外配置,springmvc即可完美转换,而返回值既可以是modelandview, 也可以是string,或者是hashmap,或者是responseentity,多种方式简单配置,完美兼容。它是怎么做到的呢,通过一系列的转换器来完成的。而这些转换器也是需要初始化到运行环境中的, 谁的运行环境, handleradapter的。

同样springmvc提供了一个默认的强大实现,requestmappinghandleradapter,同样在<mvc:annotation-driven />中定义。它也实现了initializingbean接口。

public void afterpropertiesset() {
    // do this first, it may add responsebody advice beans
    // 初始化controller通用切面
    initcontrolleradvicecache();

    // 初始化参数解析器
    if (this.argumentresolvers == null) {
        list<handlermethodargumentresolver> resolvers = getdefaultargumentresolvers();
        this.argumentresolvers = new handlermethodargumentresolvercomposite().addresolvers(resolvers);
    }
    // 初始化initbinder解析器
    if (this.initbinderargumentresolvers == null) {
        list<handlermethodargumentresolver> resolvers = getdefaultinitbinderargumentresolvers();
        this.initbinderargumentresolvers = new handlermethodargumentresolvercomposite().addresolvers(resolvers);
    }
    // 初始化返回值处理器
    if (this.returnvaluehandlers == null) {
        list<handlermethodreturnvaluehandler> handlers = getdefaultreturnvaluehandlers();
        this.returnvaluehandlers = new handlermethodreturnvaluehandlercomposite().addhandlers(handlers);
    }
}

每个组件都通过内置默认的实现,我们主要来看参数解析器和返回值处理器两个。

参数解析器

private list<handlermethodargumentresolver> getdefaultargumentresolvers() {
    list<handlermethodargumentresolver> resolvers = new arraylist<handlermethodargumentresolver>();

    // annotation-based argument resolution
    resolvers.add(new requestparammethodargumentresolver(getbeanfactory(), false));
    resolvers.add(new requestparammapmethodargumentresolver());
    resolvers.add(new pathvariablemethodargumentresolver());
    resolvers.add(new pathvariablemapmethodargumentresolver());
    resolvers.add(new matrixvariablemethodargumentresolver());
    resolvers.add(new matrixvariablemapmethodargumentresolver());
    resolvers.add(new servletmodelattributemethodprocessor(false));
    resolvers.add(new requestresponsebodymethodprocessor(getmessageconverters(), this.requestresponsebodyadvice));
    resolvers.add(new requestpartmethodargumentresolver(getmessageconverters(), this.requestresponsebodyadvice));
    resolvers.add(new requestheadermethodargumentresolver(getbeanfactory()));
    resolvers.add(new requestheadermapmethodargumentresolver());
    resolvers.add(new servletcookievaluemethodargumentresolver(getbeanfactory()));
    resolvers.add(new expressionvaluemethodargumentresolver(getbeanfactory()));
    resolvers.add(new sessionattributemethodargumentresolver());
    resolvers.add(new requestattributemethodargumentresolver());

    // type-based argument resolution
    resolvers.add(new servletrequestmethodargumentresolver());
    resolvers.add(new servletresponsemethodargumentresolver());
    resolvers.add(new httpentitymethodprocessor(getmessageconverters(), this.requestresponsebodyadvice));
    resolvers.add(new redirectattributesmethodargumentresolver());
    resolvers.add(new modelmethodprocessor());
    resolvers.add(new mapmethodprocessor());
    resolvers.add(new errorsmethodargumentresolver());
    resolvers.add(new sessionstatusmethodargumentresolver());
    resolvers.add(new uricomponentsbuildermethodargumentresolver());

    // custom arguments
    if (getcustomargumentresolvers() != null) {
        resolvers.addall(getcustomargumentresolvers());
    }

    // catch-all
    resolvers.add(new requestparammethodargumentresolver(getbeanfactory(), true));
    resolvers.add(new servletmodelattributemethodprocessor(true));

    return resolvers;
}

大家根据解析器名称大概可以推测出其作用,比如@requestparam解析器,@pathvariable解析器,及@requestbody和@responsebody解析器等等。springmvc强大的参数解析能力其实来源于丰富的内置解析器。

另一个返回值处理器的初始化

private list<handlermethodreturnvaluehandler> getdefaultreturnvaluehandlers() {
    list<handlermethodreturnvaluehandler> handlers = new arraylist<handlermethodreturnvaluehandler>();

    // single-purpose return value types
    handlers.add(new modelandviewmethodreturnvaluehandler());
    handlers.add(new modelmethodprocessor());
    handlers.add(new viewmethodreturnvaluehandler());
    handlers.add(new responsebodyemitterreturnvaluehandler(getmessageconverters()));
    handlers.add(new streamingresponsebodyreturnvaluehandler());
    handlers.add(new httpentitymethodprocessor(getmessageconverters(),
            this.contentnegotiationmanager, this.requestresponsebodyadvice));
    handlers.add(new httpheadersreturnvaluehandler());
    handlers.add(new callablemethodreturnvaluehandler());
    handlers.add(new deferredresultmethodreturnvaluehandler());
    handlers.add(new asynctaskmethodreturnvaluehandler(this.beanfactory));

    // annotation-based return value types
    handlers.add(new modelattributemethodprocessor(false));
    handlers.add(new requestresponsebodymethodprocessor(getmessageconverters(),
            this.contentnegotiationmanager, this.requestresponsebodyadvice));

    // multi-purpose return value types
    handlers.add(new viewnamemethodreturnvaluehandler());
    handlers.add(new mapmethodprocessor());

    // custom return value types
    if (getcustomreturnvaluehandlers() != null) {
        handlers.addall(getcustomreturnvaluehandlers());
    }

    // catch-all
    if (!collectionutils.isempty(getmodelandviewresolvers())) {
        handlers.add(new modelandviewresolvermethodreturnvaluehandler(getmodelandviewresolvers()));
    }
    else {
        handlers.add(new modelattributemethodprocessor(true));
    }

    return handlers;
}

同样内置了对多种返回类型,返回方式的处理器, 如处理@responsebody 的处理器 requestresponsebodymethodprocessor,才支撑起丰富便捷的使用。

下一章我们去探究一个请求如何在springmvc各组件中进行流转。