No Description
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

settings.py 10KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259
  1. #-*- coding: utf-8 -*-
  2. import sys
  3. import os
  4. import configparser
  5. import copy
  6. from collections import namedtuple
  7. from lodel.plugin.plugins import Plugins, PluginError
  8. from lodel.settings.utils import SettingsError, SettingsErrors
  9. from lodel.settings.validator import SettingValidator, LODEL2_CONF_SPECS
  10. from lodel.settings.settings_loader import SettingsLoader
  11. ## @package lodel.settings Lodel2 settings package
  12. #
  13. # Contains all module that help handling settings
  14. ## @package lodel.settings.settings Lodel2 settings module
  15. #
  16. # Handles configuration load/parse/check.
  17. #
  18. # @subsection Configuration load process
  19. #
  20. # The configuration load process is not trivial. In fact loaded plugins are able to add their own options.
  21. # But the list of plugins to load and the plugins options are in the same file, the instance configuration file.
  22. #
  23. # @subsection Configuration specification
  24. #
  25. # Configuration specification is divided in 2 parts :
  26. # - default values
  27. # - value validation/cast (see @ref Lodel.settings.validator.ConfValidator )
  28. PYTHON_SYS_LIB_PATH = '/usr/local/lib/python{major}.{minor}/'.format(
  29. major = sys.version_info.major,
  30. minor = sys.version_info.minor)
  31. ## @brief Handles configuration load etc.
  32. #
  33. # @par Basic usage
  34. # For example if a file defines confs like :
  35. # <pre>
  36. # [super_section]
  37. # super_conf = super_value
  38. # </pre>
  39. # You can access it with :
  40. # <pre> settings_instance.confs.super_section.super_conf </pre>
  41. #
  42. # @par Init sequence
  43. # The initialization sequence is a bit tricky. In fact, plugins adds allowed configuration
  44. # sections/values, but the list of plugins to load in in... the settings.
  45. # Here is the conceptual presentation of Settings class initialization stages :
  46. # -# Preloading (sets values like lodel2 library path or the plugins path)
  47. # -# Ask a @ref lodel.settings.setting_loader.SettingsLoader to load all configurations files
  48. # -# Fetch the list of plugins in the loaded settings
  49. # -# Merge plugins settings specification with the global lodel settings specs ( see @ref lodel.plugin )
  50. # -# Fetch all settings from the merged settings specs
  51. #
  52. # @par Init sequence in practical
  53. # In practice those steps are done by calling a succession of private methods :
  54. # -# @ref Settings.__bootstrap() ( steps 1 to 3 )
  55. # -# @ref Settings.__merge_specs() ( step 4 )
  56. # -# @ref Settings.__populate_from_specs() (step 5)
  57. # -# And finally @ref Settings.__confs_to_namedtuple()
  58. #
  59. # @todo handles default sections for variable sections (sections ending with '.*')
  60. class Settings(object):
  61. ## @brief global conf specsification (default_value + validator)
  62. _conf_preload = {
  63. 'lib_path': ( PYTHON_SYS_LIB_PATH+'/lodel2/',
  64. SettingValidator('directory')),
  65. 'plugins_path': ( PYTHON_SYS_LIB_PATH+'lodel2/plugins/',
  66. SettingValidator('directory_list')),
  67. }
  68. def __init__(self, conf_file = '/etc/lodel2/lodel2.conf', conf_dir = 'conf.d'):
  69. self.__confs = dict()
  70. self.__conf_dir = conf_dir
  71. self.__load_bootstrap_conf(conf_file)
  72. # now we should have the self.__confs['lodel2']['plugins_paths']
  73. # and self.__confs['lodel2']['lib_path'] set
  74. self.__bootstrap()
  75. ## @brief Configuration keys accessor
  76. # @return All confs organised into named tuples
  77. @property
  78. def confs(self):
  79. return copy.copy(self.__confs)
  80. ## @brief This method handlers Settings instance bootstraping
  81. def __bootstrap(self):
  82. lodel2_specs = LODEL2_CONF_SPECS
  83. plugins_opt_specs = lodel2_specs['lodel2']['plugins']
  84. # Init the settings loader
  85. loader = SettingsLoader(self.__conf_dir)
  86. # fetching list of plugins to load
  87. plugins_list = loader.getoption('lodel2', 'plugins', plugins_opt_specs[1], plugins_opt_specs[0], False)
  88. # Starting the Plugins class
  89. Plugins.bootstrap(self.__confs['lodel2']['plugins_path'])
  90. # Fetching conf specs from plugins
  91. specs = [lodel2_specs]
  92. errors = list()
  93. for plugin_name in plugins_list:
  94. try:
  95. specs.append(Plugins.get_confspec(plugin_name))
  96. except PluginError as e:
  97. errors.append(e)
  98. if len(errors) > 0: #Raise all plugins import errors
  99. raise SettingsErrors(errors)
  100. specs = self.__merge_specs(specs)
  101. self.__populate_from_specs(specs, loader)
  102. ## @brief Produce a configuration specification dict by merging all specifications
  103. #
  104. # Merges global lodel2 conf spec from @ref lodel.settings.validator.LODEL2_CONF_SPECS
  105. # and configuration specifications from loaded plugins
  106. # @param specs list : list of specifications dict
  107. # @return a specification dict
  108. def __merge_specs(self, specs):
  109. res = copy.copy(specs.pop())
  110. for spec in specs:
  111. for section in spec:
  112. if section not in res:
  113. res[section] = dict()
  114. for kname in spec[section]:
  115. if kname in res[section]:
  116. raise SettingsError("Duplicated key '%s' in section '%s'" % (kname, section))
  117. res[section][kname] = copy.copy(spec[section][kname])
  118. return res
  119. ## @brief Populate the Settings instance with options values fecthed with the loader from merged specs
  120. #
  121. # Populate the __confs attribute
  122. # @param specs dict : Settings specification dictionnary as returned by __merge_specs
  123. # @param loader SettingsLoader : A SettingsLoader instance
  124. def __populate_from_specs(self, specs, loader):
  125. specs = copy.copy(specs) #Avoid destroying original specs dict (may be useless)
  126. # Construct final specs dict replacing variable sections
  127. # by the actual existing sections
  128. variable_sections = [ section for section in specs if section.endswith('.*') ]
  129. print("DEBUG VARIABLE SECTIONS : ")
  130. for vsec in variable_sections:
  131. preffix = vsec[:-2]
  132. print("PREFFIX = ", preffix)
  133. for section in loader.getsection(preffix, 'default'): #WARNING : hardcoded default section
  134. print("SECTIONs = ", section)
  135. specs[section] = copy.copy(specs[vsec])
  136. del(specs[vsec])
  137. # Fetching valuds for sections
  138. for section in specs:
  139. for kname in specs[section]:
  140. validator = specs[section][kname][0]
  141. default = specs[section][kname][1]
  142. if section not in self.__confs:
  143. self.__confs[section] = dict()
  144. self.__confs[section][kname] = loader.getoption(section, kname, validator, default)
  145. self.__confs_to_namedtuple()
  146. pass
  147. ## @brief Transform the __confs attribute into imbricated namedtuple
  148. #
  149. # For example an option named "foo" in a section named "hello.world" will
  150. # be acessible with self.__confs.hello.world.foo
  151. def __confs_to_namedtuple(self):
  152. res = None
  153. end = False
  154. splits = list()
  155. for section in self.__confs:
  156. splits.append(section.split('.'))
  157. max_len = max([len(spl) for spl in splits])
  158. # building a tree from sections splits
  159. section_tree = dict()
  160. for spl in splits:
  161. section_name = ""
  162. cur = section_tree
  163. for sec_part in spl:
  164. section_name += sec_part+'.'
  165. if sec_part not in cur:
  166. cur[sec_part] = dict()
  167. cur = cur[sec_part]
  168. section_name = section_name[:-1]
  169. for kname, kval in self.__confs[section_name].items():
  170. if kname in cur:
  171. raise SettingsError("Duplicated key for '%s.%s'" % (section_name, kname))
  172. cur[kname] = kval
  173. path = [ ('root', self.__confs) ]
  174. visited = list()
  175. curname = 'root'
  176. nodename = 'Root'
  177. cur = self.__confs
  178. while True:
  179. visited.append(cur)
  180. left = [ (kname, cur[kname])
  181. for kname in cur
  182. if cur[kname] not in visited and isinstance(cur[kname], dict)
  183. ]
  184. if len(left) == 0:
  185. name, leaf = path.pop()
  186. typename = nodename.replace('.', '')
  187. if len(path) == 0:
  188. # END
  189. self.__confs = self.__tree2namedtuple(leaf,typename)
  190. break
  191. else:
  192. path[-1][1][name] = self.__tree2namedtuple(leaf,typename)
  193. nodename = '.'.join(nodename.split('.')[:-1])
  194. else:
  195. curname, cur = left[0]
  196. path.append( (curname, cur) )
  197. nodename += '.'+curname.title()
  198. ## @brief Forge a named tuple given a conftree node
  199. # @param conftree dict : A conftree node
  200. # @return a named tuple with fieldnames corresponding to conftree keys
  201. def __tree2namedtuple(self, conftree, name):
  202. ResNamedTuple = namedtuple(name, conftree.keys())
  203. return ResNamedTuple(**conftree)
  204. ## @brief Load base global configurations keys
  205. #
  206. # Base configurations keys are :
  207. # - lodel2 lib path
  208. # - lodel2 plugins path
  209. #
  210. # @note return nothing but set the __confs attribute
  211. # @see Settings._conf_preload
  212. def __load_bootstrap_conf(self, conf_file):
  213. config = configparser.ConfigParser()
  214. config.read(conf_file)
  215. sections = config.sections()
  216. if len(sections) != 1 or sections[0].lower() != 'lodel2':
  217. raise SettingsError("Global conf error, expected lodel2 section not found")
  218. #Load default values in result
  219. res = dict()
  220. for keyname, (default, _) in self._conf_preload.items():
  221. res[keyname] = default
  222. confs = config[sections[0]]
  223. errors = []
  224. for name in confs:
  225. if name not in res:
  226. errors.append( SettingsError(
  227. "Unknow field",
  228. "lodel2.%s" % name,
  229. conf_file))
  230. try:
  231. res[name] = self._conf_preload[name][1](confs[name])
  232. except Exception as e:
  233. errors.append(SettingsError(str(e), name, conf_file))
  234. if len(errors) > 0:
  235. raise SettingsErrors(errors)
  236. self.__confs['lodel2'] = res