简介

标准库reflect为Go语言提供了运行时动态获取对象的类型和值以及动态创建对象的能力。反射可以帮助抽象和简化代码,提高开发效率。

  1. package main
  2. import (
  3. "fmt"
  4. "os"
  5. "reflect"
  6. "strings"
  7. )
  8. type Config struct {
  9. Name string `json:"server-name"`
  10. IP string `json:"server-ip"`
  11. URL string `json:"server-url"`
  12. Timeout string `json:"timeout"`
  13. }
  14. func readConfig() *Config {
  15. // read from xxx.json,省略
  16. config := Config{}
  17. typ := reflect.TypeOf(config)
  18. value := reflect.Indirect(reflect.ValueOf(&config))
  19. for i := 0; i < typ.NumField(); i++ {
  20. f := typ.Field(i)
  21. if v, ok := f.Tag.Lookup("json"); ok {
  22. key := fmt.Sprintf("CONFIG_%s", strings.ReplaceAll(strings.ToUpper(v), "-", "_"))
  23. if env, exist := os.LookupEnv(key); exist {
  24. value.FieldByName(f.Name).Set(reflect.ValueOf(env))
  25. }
  26. }
  27. }
  28. return &config
  29. }
  30. func main() {
  31. os.Setenv("CONFIG_SERVER_NAME", "global_server")
  32. os.Setenv("CONFIG_SERVER_IP", "10.0.0.1")
  33. os.Setenv("CONFIG_SERVER_URL", "geektutu.com")
  34. c := readConfig()
  35. fmt.Printf("%+v", c)
  36. }