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 11KB

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