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

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