-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathconfusing.go
86 lines (69 loc) · 2.16 KB
/
confusing.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
package confusing
import (
"errors"
"os"
"reflect"
"strings"
)
var (
InvalidBooleanError = errors.New("invalid boolean value")
readerType = reflect.TypeOf((*Reader)(nil)).Elem()
)
var sources = map[SourceType]SourceBuilder{
EnvSourceType: BuildEnvSource,
YAMLSourceType: BuildYAMLSource,
JSONSourceType: BuildJSONSource,
}
var sourceTypeByExt = map[string]SourceType{
".yaml": YAMLSourceType,
".yml": YAMLSourceType,
".json": JSONSourceType,
".env": EnvSourceType,
}
// User-registered sources are always attempted before pre-existing sources (hence why they are reversed)
// EnvSource is always attempted last because it always succeeds (unless a .env file is explicitly specified and fails to be read)
var reverseOrderedSources = []string{"env", "json", "yaml"}
type Reader interface {
ReadConfig(source Source) error
}
func RegisterSource(typ string, builder SourceBuilder) {
sources[typ] = builder
sourceTypeByExt["."+typ] = typ
reverseOrderedSources = append(reverseOrderedSources, typ)
}
type Options struct {
SourceOptions SourceOptions
SourceType SourceType
}
func NewSource(optsSlice ...Options) (Source, error) {
sourceOptions := SourceOptions{
FilePath: os.Getenv("CONFIG_PATH"),
Convention: os.Getenv("CONFIG_CONVENTION"),
}
sourceType := strings.ToLower(os.Getenv("CONFIG_TYPE"))
subsetSources := reverseOrderedSources
if len(optsSlice) > 0 {
sourceOptions.FilePath = stringOrDefault(sourceOptions.FilePath, optsSlice[0].SourceOptions.FilePath)
sourceOptions.Convention = stringOrDefault(sourceOptions.Convention, optsSlice[0].SourceOptions.Convention)
sourceType = stringOrDefault(sourceType, optsSlice[0].SourceType)
}
if len(sourceType) > 0 {
subsetSources = []SourceType{sourceType}
} else if len(sourceOptions.FilePath) > 0 {
inferredType := inferSourceTypeFromFilePath(sourceOptions.FilePath)
if len(inferredType) > 0 {
subsetSources = []SourceType{inferredType}
}
}
var source Source
var err error
for i := len(subsetSources) - 1; i >= 0; i-- {
typ := subsetSources[i]
builder := sources[typ]
source, err = builder(sourceOptions)
if err == nil {
return source, nil
}
}
return nil, err
}