SpringBoot初始化
在pom.xml中添加springboot相关依赖(下面的示例来自Spring Boot Reference Guide):
<?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.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion>
<groupId>com.example</groupId>
<artifactId>myproject</artifactId>
<version>0.0.1-SNAPSHOT</version>
<!-- Inherit defaults from Spring Boot -->
<parent>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-parent</artifactId>
<version>2.1.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>
</project>
Copied!
最小应用
注解@SpringBootApplication
是SpringBoot项目的入口:
HelloApplication.java
@SpringBootApplication
public class HelloApplication {
public static void main(String[] args) {
SpringApplication.run(HelloApplication.class);
}
}
Copied!
使用@RestController
和@RequestMapping
进行路由:
HelloController.java
@RestController
public class HelloController {
@RequestMapping("/hello")
public String hello() {
return "Hello, SpringBoot!\n";
}
}
Copied!
读取YAML配置文件
三种方法:
@Value
@Autowired
+Environment
@Autowired
+@ConfigurationProperties
my application.yml
config example:
spring:
profiles:
active:
dev # -> application-dev.yml
# pro -> application-pro.yml
# one-file-dev -> 下面---里面的配置
---
spring:
profiles: one-file-dev
server:
port: 8083
name1: 'chito'
student: { name: "xlx",gender: "male",age: 22 }
sentence1: 'test \n test'
sentence2: "test \n test" # 双引号才识别转义
array1:
- 0
- 1
- 2
array2: [ 1,2,3,4,5 ]
---
Copied!
SpringBoot读取application.yml
:
ReadFromYAMLController.java
@RestController
public class ReadFromYAMLController {
@Value("${name1}") // 这个名字和yml中的字段名一致
private String name_1; // 这个名字不需要一致
@Autowired
private Environment env; // 导入yml中的所有内容
@Autowired
private Student stu;
@RequestMapping("/hello")
public String hello() {
String res = "\nname1: " + name_1;
res += "\nsentence1: " + sentence1;
res += "\nsentence2: " + sentence2;
return "Hello, SpringBoot!\n" + res;
}
@RequestMapping("/env")
public String env() {
String sentence = env.getProperty("sentence1");
return sentence;
}
@RequestMapping("stu")
public String stu(){
return stu.toString();
}
}
Copied!
Student.java:
@Component // 表明这是一个Java Bean
@ConfigurationProperties(prefix = "student") // 将application.yml中的student及其成员注入进来
public class Student {
private String name;
private String gender;
private int age;
/*
* 省略Getter、Setter、toString
*/
}
Copied!
请随意转载