Spring Boot中配置文件application.properties使用

 

一、配置文档配置项的调用

Spring Boot中配置文件application.properties使用


 

Spring Boot中配置文件application.properties使用

启动后在浏览器直接输入http://localhost:18080/user/test,就直接打印出配置文件中的配置内容。

 

二、绑定对象bean调用

有时候属性太多了,一个个绑定到属性字段上太累,官方提倡绑定一个对象的bean,这里我们建一个ConfigBean.java类,顶部需要使用注解@ConfigurationProperties(prefix = “com”)来指明使用哪个

 

1
2
3
4
5
6
7
@ConfigurationProperties(prefix = "com")
public class ConfigBean {
    private String name;
    private String id;

    // 省略getter和setter
}

 

这里配置完还需要在spring Boot入口类加上@EnableConfigurationProperties并指明要加载哪个bean,如果不写ConfigBean.class,在bean类那边添加

 

1
2
3
4
5
6
7
8
@SpringBootApplication
@EnableConfigurationProperties({ConfigBean.class})
public class Chapter2Application {

    public static void main(String[] args) {
        SpringApplication.run(Chapter2Application.class, args);
    }
}

 

最后在Controller中引入ConfigBean使用即可,如下:

 

1
2
3
4
5
6
7
8
9
10
@RestController
public class UserController {
    @Autowired
    ConfigBean configBean;

    @RequestMapping("/")
    public String hexo(){
        return configBean.getName()+configBean.getId();
    }
}

 

三、参数间引用

 

在application.properties中的各个参数之间也可以直接引用来使用,就像下面的设置:

 

1
2
3
com.name="张三"
com.id="8"
com.psrInfo=${com.name}编号为${com.id}

 

这样我们就可以只是用psrInfo这个属性就好

 

 四、使用自定义新建的配置文件

  我们新建一个bean类,如下:

1
2
3
4
5
6
7
8
@Configuration
@ConfigurationProperties(prefix = "com.md") 
@PropertySource("classpath:test.properties")
public class ConfigTestBean {
    private String name;
    private String want;
    // 省略getter和setter
}

主要就是加了一个注解:@PropertySource("classpath:test.properties")

 

五、配置文件优先级

 

application.properties和application.yml文件可以放在一下四个位置:

 

  • 外置,在相对于应用程序运行目录的/congfig子目录里。
  • 外置,在应用程序运行的目录里
  • 内置,在config包内
  • 内置,在Classpath根目录

 

同样,这个列表按照优先级排序,也就是说,src/main/resources/config下application.properties覆盖src/main/resources下application.properties中相同的属性,如图:
Spring Boot中配置文件application.properties使用

 

此外,如果你在相同优先级位置同时有application.properties和application.yml,那么application.yml里面的属性就会覆盖application.properties里的属性。

 

转载自:https://www.cnblogs.com/gczr/p/6692054.html