How to configure Spring MVC with pure Java-based configuration?

后端 未结 2 1304
感情败类
感情败类 2020-12-04 10:54

I have, what I would consider a pretty simple Spring MVC setup. My applicationContext.xml is this:




        
2条回答
  •  感动是毒
    2020-12-04 11:12

    You need to make following changes to web.xml in order to support java based configuration. This will tell the the DispatcherServlet to load configuration using the annotation based java configuration AnnotationConfigWebApplicationContext. You only need to pass the location of your java config file to the contextConfigLocation param, as below

    
      springDispatcherServlet
      org.springframework.web.servlet.DispatcherServlet
      
        contextClass
        org.springframework.web.context.support.AnnotationConfigWebApplicationContext
       
       
        contextConfigLocation
        /*path to your WebSpringConfig*/ 
      
      1
    
    

    Update: Doing the same without making changes to web.xml

    You can even do this without web.xml as Servlet Specification 3.0 makes the web.xml optional. You only need to implement/configure WebApplicationInitializer interface to configure the ServletContext which will allow you to create, configure, and perform registration of DispatcherServlet programmatically. The good thing is that WebApplicationInitializer is detected automatically.

    In summary, one needs to implement WebApplicationInitializer to get rid of web.xml.

     public class MyWebAppInitializer implements WebApplicationInitializer {
    
     @Override
     public void onStartup(ServletContext container) {
      // Create the 'root' Spring application context
      AnnotationConfigWebApplicationContext rootContext =
                           new AnnotationConfigWebApplicationContext();
      rootContext.register(WebSpringConfig.class);
    
      // Manage the lifecycle of the root application context
      container.addListener(new ContextLoaderListener(rootContext));
    
      // Create the dispatcher servlet's Spring application context
      AnnotationConfigWebApplicationContext dispatcherContext =
                         new AnnotationConfigWebApplicationContext();
      dispatcherContext.register(DispatcherConfig.class);
    
      // Register and map the dispatcher servlet
      ServletRegistration.Dynamic dispatcher =
        container.addServlet("dispatcher", new DispatcherServlet(dispatcherContext));
        dispatcher.setLoadOnStartup(1);
        dispatcher.addMapping("/");
      }
    }
    

    Update: from comments
    A slightly more convoluted explanation is also included in the official Spring reference Spring 4 Release

    Reference:

    http://docs.spring.io/spring/docs/3.1.x/javadoc-api/org/springframework/web/WebApplicationInitializer.html

提交回复
热议问题