2.spring-boot配置文件

一 系统默认的配置文件
1.application.properties
格式:k=v
server.port=8888

2.application.yml
格式:层级之间有缩进,冒号后有一个空格
server:
port: 8888

操作:

1.在com.wl.firstSpringBoot下创建子包entity
2.创建Dog类和Student类如下:
public class Dog {
private String name;
private String brand;
//生成get,set,toString
}
public class Student {
private String name;
private int age;
private boolean sex;
private Date birthday;
private Map location;
private String[] hobbies;
private List skills;
private Dog dog;
//生成get,set,toString
}
3.创建application.yml
student:
name: zs
age: 20
sex: true
birthday: 2019/02/12
location: {province: 山西,city: 西安,zone: 莲湖区}
hobbies:
- 足球
- 篮球
skills:
- 编程
- 金融
dog:
name: 旺财
brand: 哈士奇
4.给Student类和student值绑定,在Student类上添加
@Component //用于创建对象
@ConfigurationProperties(prefix="student") //用于绑定student属性
5.修改自带的测试类
public class FirstSpringBootApplicationTests {
//1.添加Student自动注入引用
@Autowired
Student student;
@Test
public void contextLoads() {
//2.打印测试对象
System.out.println(student);
}
}


  • 说明 :yml格式:Map和对象可以使用{属性:值,属性:值},值可用双引或单引或不加
    数组和集合可以使用[值1,值2]

3.两个配置可以互补存在,都可以配置
也可以直接在属性上添加@Value("值"),但是必须一个一个注解
但是优先级比配置文件低

4.@ConfigurationProperties和@Value区别
@ConfigurationProperties @Value
注入值 配置文件批量注入 单个注入
松散语法 支持(比如属性userName,可以配置user-name) 不支持
SpEL 不支持 支持(比如@Value("${student.name}"))
数据校验 支持(类的属性上添加@Email验证,
类上添加@Validated,则会对邮箱验证) 不支持
注入复杂类型 支持 不支持
(复杂类型是除了8个基本类型,String,Date的其他类型)

5.@PropertySource :默认会加载application.properties/application.yml文件中的数据
如果不用默认文件里的数据,则需要使用此注解

操作:

1.把application.properties文件改名成app.properties
2.在Student类头上添加
@PropertySource(value={"classpath:app.properties"})
!!!!此种方式可能加载properties,不能加载yml文件


6.@ImportResource
spring-boot自动装配,默认会把所有的配置文件默认配置好,如果要自己编写spring等配置文件,spring boot默认是不识别的。如果需要识别自己的配置文件如spring.xml,则要添加此注解到主类上(但是不推荐手写spring配置文件)
@ImportResource(locations={"classpath:spring.xml"})
public class FirstSpringBootApplication{
}
推荐如下:(创建配置文件===创建配置类)


1.在com.wl.firstSpringBoot下创建一个service包
2.在此包中创建一个StudentService类
public class StudentService {
}
1.在com.wl.firstSpringBoot下创建一个config包
2.在此包中创建一个AppConfig类
@Configuration //配置类
public class AppConfig {
@Bean //相等于创建一个Bean对象, 配置文件中的ID值=方法名
public StudentService studentService() {
StudentService stuService = new StudentService();
return stuService; //配置文件返回值,相等于class
}
}
3.修改测试文件
public class FirstSpringBootApplicationTests {
@Autowired
Student student;
@Autowired
ApplicationContext context; //1.被注入spring ioc容器
@Test
public void contextLoads() {
System.out.println(student);
}
@Test
public void test() {
//2.获取配置的Bean对象
StudentService stuService = (StudentService)context.getBean("studentService");
//如果有dao则先new个dao,在给设置stuService.setDao(xxxx)即可
System.out.println(stuService);
}
}


7.随机数,直接替换
{random.value} : 随机字符串
{random.long} : 随机长整型数
{random.int[1024,65535]} : 指定随机数范围

8.引用变量值
可以替换application.properties里service.age={random.value}
两个文件可以相互引用{my.title}
如果某个值不存在可以使用默认值
${key:value;defaultValue}

你可能感兴趣的:(2.spring-boot配置文件)