第一次使用SpringBoot开发resful API接口,相比于之前Spring应用的各种配置,SpringBoot极大地简化了环境搭建以及开发过程。
使用Maven构建Spring项目
为了可以使用Maven来管理工程项目,使用IDEA创建一个项目工程,在项目类型中选择Maven项目,输入GroupId和ArtifactId,在选择项目路径后完成项目创建。因为使用Maven来进行依赖管理,因此我们只需要导入Spring Boot的starter模块,Maven会将其他依赖包自动导入到工程中。在pom.xml添加如下依赖。
<parent>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-parent</artifactId>
<version>1.5.8.RELEASE</version>
</parent>
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
</dependencies>
SpringBoot HelloWorld
在Spring Boot的官方文档中有一个简单的Web程序实例。虽然这个实例只有简单的几行代码,不过这已经可以算作一个完整的Web项目。首先使用了一个注解@Controller标注了这是一个控制器类,然后通过注解@EnableAutoConfiguration来载入应用程序所需要的Bean。
package hello;
import org.springframework.boot.*;
import org.springframework.boot.autoconfigure.*;
import org.springframework.stereotype.*;
import org.springframework.web.bind.annotation.*;
@Controller
@EnableAutoConfiguration
public class SampleController {
@RequestMapping("/")
@ResponseBody
String home() {
return "Hello World!";
}
public static void main(String[] args) throws Exception {
SpringApplication.run(SampleController.class, args);
}
}
SpringBoot集成了Tomcat插件,因此我们可以通过运行main方法来启动服务。因此我们可以自行选择打JAR包或是按照传统的方法将工程发布成为WAR文件的形式。
运行和发布
我们直接运行上面的项目开启服务,开启成功后,在浏览器中访问应用的根目录,将会调用home方法,并且输出字符串Hello World!
。