forked from HDFGroup/hsds
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathconfig.py
More file actions
executable file
·184 lines (163 loc) · 6.66 KB
/
config.py
File metadata and controls
executable file
·184 lines (163 loc) · 6.66 KB
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
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
##############################################################################
# Copyright by The HDF Group. #
# All rights reserved. #
# #
# This file is part of HSDS (HDF5 Scalable Data Service), Libraries and #
# Utilities. The full HSDS copyright notice, including #
# terms governing use, modification, and redistribution, is contained in #
# the file COPYING, which can be found at the root of the source code #
# distribution tree. If you do not have access to this file, you may #
# request a copy from help@hdfgroup.org. #
##############################################################################
import os
import sys
import yaml
cfg = {}
def eprint(*args, **kwargs):
print(*args, file=sys.stderr, **kwargs)
def debug(*args, **kwargs):
# can't use log.debug since that calls back to cfg
if "LOG_LEVEL" in os.environ and os.environ["LOG_LEVEL"] == "DEBUG":
print("DEBUG>", *args, **kwargs)
def _has_unit(cfgval):
""" return True if val has unit char at end of string,
otherwise return False
"""
if isinstance(cfgval, str):
if len(cfgval) > 1 and cfgval[-1] in ('g', 'm', 'k'):
if cfgval[:-1].isdigit():
return True
return False
def getCmdLineArg(x):
# return value of command-line option
# use "--x=val" to set option 'x' to 'val'
# use "--x" for boolean flags
option = '--'+x+'='
for i in range(1, len(sys.argv)):
arg = sys.argv[i]
if arg == '--'+x:
# boolean flag
debug(f"got cmd line flag for {x}")
return True
elif arg.startswith(option):
# found an override
override = arg[len(option):] # return text after option string
debug(f"got cmd line override for {x}")
return override
return None
def _load_cfg():
# load config yaml
yml_file = None
config_dirs = []
# check if there is a command line option for config directory
config_dir = getCmdLineArg("config-dir")
# check cmdLineArg with underline
if not config_dir:
config_dir = getCmdLineArg("config_dir")
if config_dir:
config_dirs.append(config_dir)
if not config_dirs and "CONFIG_DIR" in os.environ:
config_dirs.append(os.environ["CONFIG_DIR"])
debug(f"got environment override for config-dir: {config_dirs[0]}")
if not config_dirs:
debug("set default location for config dirs")
config_dirs = ["./", "/config", "/etc/hsds/"] # default locations
for config_dir in config_dirs:
file_name = os.path.join(config_dir, "config.yml")
debug("checking config path:", file_name)
if os.path.isfile(file_name):
yml_file = file_name
break
file_name = os.path.join(config_dir, "config.yaml") # Check for alt extension
debug("checking config path:", file_name)
if os.path.isfile(file_name):
yml_file = file_name
break
if not yml_file:
# use yaml file embedded in package
# TBD: is there a more elegant way to get the directory
# where config.yml gets placed in the setup data_files list?
package_dir = os.path.dirname(__file__)
while package_dir != '/':
s = os.path.join(package_dir, "config/config.yml")
if os.path.isfile(s):
yml_file = s
break
package_dir = os.path.dirname(package_dir)
if not yml_file:
raise FileNotFoundError("unable to load config.yml")
debug(f"_load_cfg with '{yml_file}'")
try:
with open(yml_file, "r") as f:
yml_config = yaml.safe_load(f)
except yaml.scanner.ScannerError as se:
msg = f"Error parsing config.yml: {se}"
eprint(msg)
raise KeyError(msg)
# load override yaml
yml_override = None
if "CONFIG_OVERRIDE_PATH" in os.environ:
override_yml_filepath = os.environ["CONFIG_OVERRIDE_PATH"]
elif config_dir and os.path.isfile(os.path.join(config_dir, "override.yml")):
override_yml_filepath = os.path.join(config_dir, "override.yml")
else:
override_yml_filepath = "/config/override.yml"
debug("override file path:", override_yml_filepath)
if os.path.isfile(override_yml_filepath):
debug(f"loading override configuation: {override_yml_filepath}")
try:
with open(override_yml_filepath, "r") as f:
yml_override = yaml.safe_load(f)
except yaml.scanner.ScannerError as se:
msg = f"Error parsing '{override_yml_filepath}': {se}"
eprint(msg)
raise KeyError(msg)
# apply overrides for each key and store in cfg global
for x in yml_config:
cfgval = yml_config[x]
# see if there is a command-line override
override = getCmdLineArg(x)
# see if there are an environment variable override
if override is None and x.upper() in os.environ:
override = os.environ[x.upper()]
debug(f"got env value override for {x} ")
# see if there is a yml override
if override is None and yml_override and x in yml_override:
override = yml_override[x]
debug(f"got config override for {x}")
if override is not None:
if cfgval is not None:
try:
# convert to same type as yaml
override = type(cfgval)(override)
except ValueError as ve:
msg = "Error applying command line override value for "
msg += f"key: {x}: {ve}"
eprint(msg)
# raise KeyError(msg)
cfgval = override # replace the yml value
if _has_unit(cfgval):
# convert values like 512m to corresponding integer
u = cfgval[-1]
n = int(cfgval[:-1])
if u == 'k':
cfgval = n * 1024
elif u == 'm':
cfgval = n * 1024*1024
elif u == 'g':
cfgval = n * 1024*1024*1024
else:
raise ValueError("Unexpected unit char")
cfg[x] = cfgval
def get(x, default=None):
""" get x if found in config
otherwise return default
"""
if not cfg:
_load_cfg()
if x not in cfg:
if default is not None:
cfg[x] = default
else:
raise KeyError(f"config value {x} not found")
return cfg[x]