随着线上项目变的日益庞大,每个项目都散落着各种配置文件,如果采用分布式的开发模式,需要的配置文件随着服务增加而不断增多。某一个基础服务信息变更,都会引起一系列的更新和重启,运维苦不堪言也容易出错。配置中心便是解决此类问题的灵丹妙药。
1.1 项目pring-cloud-config
在github上创建spring-cloud-config,并创建文件夹config-repo,创建三个文件
// 开发环境
neo-config-dev.properties neo.hello=hello dev
// 测试环境
neo-config-test.properties neo.hello=hello test
// 生产环境
neo-config-pro.properties neo.hello=hello pro
2. 配置server 端
2.1 引入依赖
org.springframework.boot
spring-boot-starter-web
org.springframework.cloud
spring-cloud-config-server
org.springframework.boot
spring-boot-starter-test
test
2.2 配置文件
server:
port: 8007
spring:
application:
name: spring-cloud-config-server
cloud:
config:
server:
git:
uri: https://github.com/p180j/spring-cloud-config.git
search-paths: config-repo
username: git账号
password: git密码
pring Cloud Config也提供本地存储配置的方式。我们只需要设置属性spring.profiles.active=native,Config Server会默认从应用的src/main/resource目录下检索配置文件。也可以通过spring.cloud.config.server.native.searchLocations=file:E:/properties/属性来指定配置文件的位置。虽然Spring Cloud Config提供了这样的功能,但是为了支持更好的管理内容和版本控制的功能,还是推荐使用git的方式。
2.3 配置启动类
@SpringBootApplication
@EnableConfigServer
public class ConfigApplication {
public static void main(String[] args) {
SpringApplication.run(ConfigApplication.class, args);
}
}
2.4 测试
http://localhost:8007/neo-config-dev.properties,返回:neo.hello: hello im dev
3.1 引入依赖
org.springframework.boot
spring-boot-starter-web
org.springframework.cloud
spring-cloud-starter-config
org.springframework.boot
spring-boot-starter-test
test
3.2 配置文件
server:
port: 8008
spring:
application:
name: spring-cloud-config-client
cloud:
config:
name: neo-config
profile: dev
uri: http://localhost:8007/
label: master
3.3 启动类
@SpringBootApplication
public class ConfigClientApplication {
public static void main(String[] args) {
SpringApplication.run(ConfigClientApplication.class, args);
}
}
3.4 获取数据
/**
* @author pengjw
* @date 2019年03月21日 16:44
* @description springCloudConfigClient测试
* @Version 1.0
* @Value("${neo.hello}") neo.hello是文件中的属性名
*/
@RestController
public class SpringCloudConfClient {
@Value("${neo.hello}")
private String hello;
@RequestMapping("/hello")
public String from() {
return this.hello;
}
}
3.5 测试
启动项目后访问:http://localhost:8007/hello,返回:hello im dev update说明已经正确的从server端获取到了参数。到此一个完整的服务端提供配置服务,客户端获取配置参数的例子就完成了。我们在进行一些小实验,手动修改neo-config-dev.properties中配置信息为:neo.hello=hello im dev update1提交到github,再次在浏览器访问http://localhost:8002/hello,返回:neo.hello: hello im dev update,说明获取的信息还是旧的参数,这是为什么呢?因为springboot项目只有在启动的时候才会获取配置文件的值,修改github信息后,client端并没有在次去获取,所以导致这个问题。
spring-cloud系列之 Config示例代码-github