这是使Maven启动Spring 3 MVC项目的最小方法。
首先创建spring-web-annotation/pom.xml
文件,并包含Spring依赖项:
<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="http://maven.apache.org/POM/4.0.0http://maven.apache.org/maven-v4_0_0.xsd"><modelVersion>4.0.0</modelVersion><groupId>spring-web-annotation</groupId><artifactId>spring-web-annotation</artifactId><version>1.0-SNAPSHOT</version><packaging>war</packaging><dependencies><dependency><groupId>javax.servlet</groupId><artifactId>javax.servlet-api</artifactId><version>3.1.0</version><scope>provided</scope></dependency><dependency><groupId>org.springframework</groupId><artifactId>spring-webmvc</artifactId><version>3.2.4.RELEASE</version></dependency></dependencies>
</project>
现在在spring-web-annotation/src/main/java/springweb/WebApp.java
为MVC部件创建Servlet 3 Web初始化程序和Spring注释配置。
package springweb;import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.EnableWebMvc;
import org.springframework.web.servlet.support.AbstractAnnotationConfigDispatcherServletInitializer;public class WebApp extends AbstractAnnotationConfigDispatcherServletInitializer {@Overrideprotected Class<?>[] getRootConfigClasses() {return new Class<?>[0];}@Overrideprotected Class<?>[] getServletConfigClasses() {return new Class<?>[]{ WebAppConfig.class };}@Overrideprotected String[] getServletMappings() {return new String[]{ "/" };}@Configuration@EnableWebMvc@ComponentScan("springweb.controller")public static class WebAppConfig {}
}
WebApp
类扩展了Spring内置的Servlet3 Web初始化程序代码。 它允许Servlet3容器(例如Tomcat7)自动检测此Web应用程序,而无需进行web.xml
配置设置。 因为我们不使用web.xml
,所以我们需要此类来允许Spring挂接到Servlet容器中以引导其调度程序servlet。 另外,我们现在可以使用基于WebAppConfig
所有注释,而不是典型的Spring bean xml文件配置。
注意,我已经将WebAppConfig
组合为内部类,但是您可以轻松地将其作为全面应用程序中的顶级类移出。 这是容器配置的Spring注释版本。 您可以通过在此处添加新的@Bean
轻松定制应用程序。
注意:不要忘记用"/"
覆盖getServletMappings
方法,否则您的URL请求将不会定向到Spring调度程序进行处理! 这一步很容易被遗忘,您可能会发现自己在追逐为什么Spring控制器无法正常工作的原因。
以上实际上是启动战争项目所需的最低设置。 接下来,您要添加至少一个控制器以验证某些输出。 创建此控制器文件spring-web-annotation/src/main/java/springweb/controller/IndexController.java
package springweb.controller;import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;@Controller
public class IndexController {@RequestMapping(value="/")public String index() {return "index";}
}
现在,您将需要JSP视图spring-web-annotation/src/main/webapp/index.jsp
Hello World.
现在cd进入spring-web-annotation
并执行mvn org.apache.tomcat.maven:tomcat7-maven-plugin:run
。 您应该看到Spring应用程序已启动,并且能够浏览http://localhost:8080/spring-web-annotation
URL。
Spring MVC可以完成很多有趣的工作。 查阅他们的真棒文档以获取更多详细信息。
翻译自: https://www.javacodegeeks.com/2013/10/getting-started-with-annotation-based-spring-mvc-web-application.html