动态加载配置,是服务中常用的功能。
动态加载配置是指不重启服务情况下,使配置文件的改动或者其他方式的改动生效。
一般普遍使用的方式是,加锁方式。
其步骤大体过程如下:
- 从配置文件中读取配置到新的配置变量
- 加锁
- 将新的配置变量赋值给已有的配置变量
- 解锁
- 使用新的配置
接下里,介绍一种方式,即无锁加载配置。
golang中的atomic 提供了大量底层同步原语。
其中的Value
就是本文的重点。
下面是加载配置的例子:
package main
import (
"log"
"sync/atomic"
"time"
)
type Config struct {
FileName string
Addr string
Port int
}
func main(){
var configValue atomic.Value
c := loadConfig()
configValue.Store(c)
newConfig := configValue.Load()
log.Println("new config:", newConfig)
}
func loadConfig() *Config{
log.Println("load config start...")
// 重新读取文件配置
config := & Config{
FileName: "orange",
Addr: "123456.com",
Port: 12306,
}
time.Sleep(time.Second)
log.Println("load config end...")
return config
}
因为Store()
和Load()
都是原子性操作,即使多个Store()
或者多个Load()
同时执行都不会有问题。