Spring Boot 入門(一):入門案例
阿新 • • 發佈:2018-10-31
Springboot 入門
入門案例
- 建立spring boot專案
- 在pom.xml 檔案,我們需要新增兩部分依賴。
— 讓我們的專案繼承spring-boot-starter-parent 的工程
— 加入spring-boot-starter-web 的依賴
— spring boot 官網搭建教程 Spring Boot Reference Guide
<!-- Inherit defaults from Spring Boot --> <parent> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-parent</artifactId> <version>2.0.6.RELEASE</version> </parent>
<!-- Add typical dependencies for a web application --> <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> </dependencies> <!-- Package as an executable jar --> <build> <plugins> <plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> </plugin> </plugins> </build>
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
- 19
- 20
- 21
- 22
- 23
- 24
— Spring Boot 專案預設的編譯版本是1.6,如果我們想使用更高的JDK版本,我們就需要在pom.xml 檔案定義一個變數。
<!--定義變數 -->
<properties>
<java.version>1.8</java.version>
</properties>
- 1
- 2
- 3
- 4
- 建立Spring Boot 啟動類
— 在專案中建立包cn.org.july.springboot.controller
— 建立HelloController
package cn.org.july.springboot.controller;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;
/**
- @authorwanghongjie
-
- 2018-10-26*
- /
@Controller
public class HelloController {
@RequestMapping(value = “/hello”)
@ResponseBody
public String hello(){
return “hello spring boot…”;
}
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
— 建立專案啟動類
在相同包路徑下或上層包建立Application.class類,並新增新註解
::@SpringBootApplication::。
Spring Boot啟動以main方法進行啟動,內部提供::SpringApplication.run()::方法。
package cn.org.july.springboot.controller;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class Application {
public static void main(String[] args) {
// 啟動應用
SpringApplication.*run*(Application.class,args);
}
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
專案啟動後,在瀏覽器訪問127.0.0.1:8080/hello
第二種啟動方式
- 將專案打成jar包方式。
- 專案通過maven構建,執行mvn install 將專案打包。
- 打包後路徑 target 中,通過 命令
java -jar XXX.jar 啟動
- 訪問 127.0.0.1:8080/hello
#springboot/入門案例