설명 없음
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.

model.py 11KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290
  1. #-*- coding:utf-8 -*-
  2. import hashlib
  3. import importlib
  4. import copy
  5. from lodel.context import LodelContext
  6. LodelContext.expose_modules(globals(), {
  7. 'lodel.utils.mlstring': ['MlString'],
  8. 'lodel.mlnamedobject.mlnamedobject': ['MlNamedObject'],
  9. 'lodel.logger': 'logger',
  10. 'lodel.settings': ['Settings'],
  11. 'lodel.settings.utils': ['SettingsError'],
  12. 'lodel.leapi.datahandlers.base_classes': ['DataHandler'],
  13. 'lodel.editorial_model.exceptions': ['EditorialModelError', 'assert_edit'],
  14. 'lodel.editorial_model.components': ['EmClass', 'EmField', 'EmGroup']})
  15. # @brief Describe an editorial model
  16. #@ingroup lodel2_em
  17. class EditorialModel(MlNamedObject):
  18. # @brief Create a new editorial model
  19. # @param name MlString|str|dict : the editorial model name
  20. # @param description MlString|str|dict : the editorial model description
  21. def __init__(self, name, description=None, display_name=None, help_text=None):
  22. self.name = MlString(name)
  23. self.description = MlString(description)
  24. # @brief Stores all groups indexed by id
  25. self.__groups = dict()
  26. # @brief Stores all classes indexed by id
  27. self.__classes = dict()
  28. #  @brief Stores all activated groups indexed by id
  29. self.__active_groups = dict()
  30. #  @brief Stores all activated classes indexed by id
  31. self.__active_classes = dict()
  32. self.__set_actives()
  33. if display_name is None:
  34. display_name = name
  35. if help_text is None:
  36. help_text = description
  37. super().__init__(display_name, help_text)
  38. # @brief EmClass uids accessor
  39. #@return a copy of the dict containing all emclasses of the model if uid is None
  40. # else a copy the class with uid uid
  41. def all_classes(self, uid=None):
  42. if uid is None:
  43. return copy.copy(self.__classes)
  44. else:
  45. try:
  46. return copy.copy(self.__classes[uid])
  47. except KeyError:
  48. raise EditorialModelException("EmClass not found : '%s'" % uid)
  49. # @brief EmClass uids accessor
  50. #@return the dict containing all emclasses of the model if uid is None
  51. # else the class with uid uid
  52. def all_classes_ref(self, uid=None):
  53. if uid is None:
  54. return self.__classes
  55. else:
  56. try:
  57. return self.__classes[uid]
  58. except KeyError:
  59. raise EditorialModelException("EmGroup not found : '%s'" % uid)
  60. # @brief active EmClass uids accessor
  61. #@return a list of active class uids
  62. def active_classes_uids(self):
  63. return list(self.__active_classes.keys())
  64. # @brief EmGroups accessor
  65. #@return a copy of the dict of the model's group if uid is None
  66. # else a copy of the group with uniq id uid
  67. def all_groups(self, uid=None):
  68. if uid is None:
  69. return copy.copy(self.__groups)
  70. else:
  71. try:
  72. return copy.copy(self.__groups[uid])
  73. except KeyError:
  74. raise EditorialModelException("EmGroup not found : '%s'" % uid)
  75. # @brief EmGroups accessor
  76. #@return the dict of the model's group if uid is None
  77. # else the group with uniq id uid
  78. def all_groups_ref(self, uid=None):
  79. if uid is None:
  80. return self.__groups
  81. else:
  82. try:
  83. return self.__groups[uid]
  84. except KeyError:
  85. raise EditorialModelException("EmGroup not found : '%s'" % uid)
  86. # @brief active EmClass uids accessor
  87. #@return a list of active group uids
  88. def active_groups_uids(self):
  89. return list(self.__active_groups.keys())
  90. # @brief EmClass accessor
  91. #@param uid None | str : give this argument to get a specific EmClass
  92. #@return if uid is given returns an EmClass else returns an EmClass
  93. # iterator
  94. #@todo use Settings.editorialmodel.groups to determine which classes should
  95. # be returned
  96. def classes(self, uid=None):
  97. try:
  98. return self.__elt_getter(self.__active_classes,
  99. uid)
  100. except KeyError:
  101. raise EditorialModelException("EmClass not found : '%s'" % uid)
  102. # @brief EmClass child list accessor
  103. #@param uid str : the EmClass uid
  104. #@return a set of EmClass
  105. def get_class_childs(self, uid):
  106. res = list()
  107. cur = self.classes(uid)
  108. for cls in self.classes():
  109. if cur in cls.parents_recc:
  110. res.append(cls)
  111. return set(res)
  112. # @brief EmGroup getter
  113. # @param uid None | str : give this argument to get a specific EmGroup
  114. # @return if uid is given returns an EmGroup else returns an EmGroup iterator
  115. def groups(self, uid=None):
  116. try:
  117. return self.__elt_getter(self.__active_groups,
  118. uid)
  119. except KeyError:
  120. raise EditorialModelException("EmGroup not found : '%s'" % uid)
  121. # @brief Private getter for __groups or __classes
  122. # @see classes() groups()
  123. def __elt_getter(self, elts, uid):
  124. return list(elts.values()) if uid is None else elts[uid]
  125. # @brief Update the EditorialModel.__active_groups and
  126. # EditorialModel.__active_classes attibutes
  127. def __set_actives(self):
  128. if Settings.editorialmodel.editormode:
  129. logger.warning("All EM groups active because editormode in ON")
  130. # all groups & classes actives because we are in editor mode
  131. self.__active_groups = self.__groups
  132. self.__active_classes = self.__classes
  133. else:
  134. # determine groups first
  135. self.__active_groups = dict()
  136. self.__active_classes = dict()
  137. for agrp in Settings.editorialmodel.groups:
  138. if agrp not in self.__groups:
  139. raise SettingsError('Invalid group found in settings : %s' % agrp)
  140. logger.debug("Set group '%s' as active" % agrp)
  141. grp = self.__groups[agrp]
  142. self.__active_groups[grp.uid] = grp
  143. for acls in [cls for cls in grp.components() if isinstance(cls, EmClass)]:
  144. self.__active_classes[acls.uid] = acls
  145. if len(self.__active_groups) == 0:
  146. raise RuntimeError("No groups activated, abording...")
  147. if len(self.__active_classes) == 0:
  148. raise RuntimeError("No active class found. Abording")
  149. for clsname, acls in self.__active_classes.items():
  150. acls._set_active_fields(self.__active_groups)
  151. # @brief EmField getter
  152. # @param uid str : An EmField uid represented by "CLASSUID.FIELDUID"
  153. # @return Fals or an EmField instance
  154. #
  155. # @todo delete it, useless...
  156. def field(self, uid=None):
  157. spl = uid.split('.')
  158. if len(spl) != 2:
  159. raise ValueError("Malformed EmField identifier : '%s'" % uid)
  160. cls_uid = spl[0]
  161. field_uid = spl[1]
  162. try:
  163. emclass = self.classes(cls_uid)
  164. except KeyError:
  165. return False
  166. try:
  167. return emclass.fields(field_uid)
  168. except KeyError:
  169. pass
  170. return False
  171. # @brief Add a class to the editorial model
  172. # @param emclass EmClass : the EmClass instance to add
  173. # @return emclass
  174. def add_class(self, emclass):
  175. assert_edit()
  176. if not isinstance(emclass, EmClass):
  177. raise ValueError("<class EmClass> expected but got %s " % type(emclass))
  178. if emclass.uid in self.classes():
  179. raise EditorialModelException('Duplicated uid "%s"' % emclass.uid)
  180. self.__classes[emclass.uid] = emclass
  181. return emclass
  182. # @brief Add a group to the editorial model
  183. # @param emgroup EmGroup : the EmGroup instance to add
  184. # @return emgroup
  185. def add_group(self, emgroup):
  186. assert_edit()
  187. if not isinstance(emgroup, EmGroup):
  188. raise ValueError("<class EmGroup> expected but got %s" % type(emgroup))
  189. if emgroup.uid in self.groups():
  190. raise EditorialModelException('Duplicated uid "%s"' % emgroup.uid)
  191. self.__groups[emgroup.uid] = emgroup
  192. return emgroup
  193. # @brief Add a new EmClass to the editorial model
  194. #@param uid str : EmClass uid
  195. #@param **kwargs : EmClass constructor options (
  196. # see @ref lodel.editorial_model.component.EmClass.__init__() )
  197. def new_class(self, uid, **kwargs):
  198. assert_edit()
  199. return self.add_class(EmClass(uid, **kwargs))
  200. # @brief Add a new EmGroup to the editorial model
  201. #@param uid str : EmGroup uid
  202. #@param *kwargs : EmGroup constructor keywords arguments (
  203. # see @ref lodel.editorial_model.component.EmGroup.__init__() )
  204. def new_group(self, uid, **kwargs):
  205. assert_edit()
  206. return self.add_group(EmGroup(uid, **kwargs))
  207. # @brief Save a model
  208. # @param translator module : The translator module to use
  209. # @param **translator_args
  210. def save(self, translator, **translator_kwargs):
  211. assert_edit()
  212. if isinstance(translator, str):
  213. translator = self.translator_from_name(translator)
  214. return translator.save(self, **translator_kwargs)
  215. # @brief Raise an error if lodel is not in EM edition mode
  216. @staticmethod
  217. def raise_if_ro():
  218. if not Settings.editorialmodel.editormode:
  219. raise EditorialModelError(
  220. "Lodel in not in EM editor mode. The EM is in read only state")
  221. # @brief Load a model
  222. # @param translator module : The translator module to use
  223. # @param **translator_args
  224. @classmethod
  225. def load(cls, translator, **translator_kwargs):
  226. if isinstance(translator, str):
  227. translator = cls.translator_from_name(translator)
  228. res = translator.load(**translator_kwargs)
  229. res.__set_actives()
  230. return res
  231. # @brief Return a translator module given a translator name
  232. # @param translator_name str : The translator name
  233. # @return the translator python module
  234. # @throw NameError if the translator does not exists
  235. @staticmethod
  236. def translator_from_name(translator_name):
  237. pkg_name = 'lodel.editorial_model.translator.%s' % translator_name
  238. try:
  239. mod = importlib.import_module(pkg_name)
  240. except ImportError:
  241. raise NameError("No translator named %s")
  242. return mod
  243. # @brief Lodel hash
  244. def d_hash(self):
  245. payload = "%s%s" % (
  246. self.name,
  247. 'NODESC' if self.description is None else self.description.d_hash()
  248. )
  249. for guid in sorted(self.__groups):
  250. payload += str(self.__groups[guid].d_hash())
  251. for cuid in sorted(self.__classes):
  252. payload += str(self.__classes[cuid].d_hash())
  253. return int.from_bytes(
  254. hashlib.md5(bytes(payload, 'utf-8')).digest(),
  255. byteorder='big'
  256. )
  257. # @brief Returns a list of all datahandlers
  258. # @return a list of all datahandlers
  259. @staticmethod
  260. def list_datahandlers():
  261. return DataHandler.list_data_handlers()