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.

model.py 7.2KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173
  1. # -*- coding: utf-8 -*-
  2. ## @file editorialmodel.py
  3. # Manage instance of an editorial model
  4. from EditorialModel.migrationhandler.dummy import DummyMigrationHandler
  5. from EditorialModel.classes import EmClass
  6. from EditorialModel.fieldgroups import EmFieldGroup
  7. from EditorialModel.fields import EmField
  8. from EditorialModel.types import EmType
  9. from EditorialModel.exceptions import *
  10. import EditorialModel
  11. ## Manages the Editorial Model
  12. class Model(object):
  13. components_class = [EmClass, EmField, EmFieldGroup, EmType]
  14. ## Constructor
  15. #
  16. # @param backend unknown: A backend object instanciated from one of the classes in the backend module
  17. def __init__(self, backend, migration_handler = None):
  18. self.migration_handler = DummyMigrationHandler() if migration_handler is None else migration_handler
  19. self.backend = backend
  20. self._components = {'uids': {}, 'EmClass': [], 'EmType': [], 'EmField': [], 'EmFieldGroup': []}
  21. self.load()
  22. @staticmethod
  23. ## Given a name return an EmComponent child class
  24. # @param class_name str : The name to identify an EmComponent class
  25. # @return A python class or False if the class_name is not a name of an EmComponent child class
  26. def emclass_from_name(class_name):
  27. for cls in Model.components_class:
  28. if cls.__name__ == class_name:
  29. return cls
  30. return False
  31. @staticmethod
  32. ## Given a python class return a name
  33. # @param cls : The python class we want the name
  34. # @return A class name as string or False if cls is not an EmComponent child class
  35. def name_from_emclass(em_class):
  36. if em_class not in Model.components_class:
  37. return False
  38. return em_class.__name__
  39. ## Loads the structure of the Editorial Model
  40. #
  41. # Gets all the objects contained in that structure and creates a dict indexed by their uids
  42. # @todo Change the thrown exception when a components check fails
  43. # @throw ValueError When a component class don't exists
  44. def load(self):
  45. datas = self.backend.load()
  46. for uid, kwargs in datas.items():
  47. #Store and delete the EmComponent class name from datas
  48. cls_name = kwargs['component']
  49. del kwargs['component']
  50. cls = self.emclass_from_name(cls_name)
  51. if cls:
  52. kwargs['uid'] = uid
  53. # create a dict for the component and one indexed by uids, store instanciated component in it
  54. self._components['uids'][uid] = cls(self, **kwargs)
  55. self._components[cls_name].append(self._components['uids'][uid])
  56. else:
  57. raise ValueError("Unknow EmComponent class : '" + cls_name + "'")
  58. #Sorting by rank
  59. for component_class in Model.components_class:
  60. self.sort_components(component_class)
  61. #Check integrity
  62. for uid, component in self._components['uids'].items():
  63. try:
  64. component.check()
  65. except EmComponentCheckError as e:
  66. raise EmComponentCheckError("The component with uid %d is not valid. Check returns the following error : \"%s\"" % (uid, str(e)))
  67. #Everything is done. Indicating that the component initialisation is over
  68. component.init_ended()
  69. ## Saves data using the current backend
  70. def save(self):
  71. return self.backend.save()
  72. ## Given a EmComponent child class return a list of instances
  73. # @param cls EmComponent : A python class
  74. # @return a list of instances or False if the class is not an EmComponent child
  75. def components(self, cls):
  76. key_name = self.name_from_emclass(cls)
  77. return False if key_name is False else self._components[key_name]
  78. ## Return an EmComponent given an uid
  79. # @param uid int : An EmComponent uid
  80. # @return The corresponding instance or False if uid don't exists
  81. def component(self, uid):
  82. return False if uid not in self._components['uids'] else self._components['uids'][uid]
  83. ## Sort components by rank in Model::_components
  84. # @param emclass pythonClass : The type of components to sort
  85. # @throw AttributeError if emclass is not valid
  86. def sort_components(self, component_class):
  87. if component_class not in self.components_class:
  88. raise AttributeError("Bad argument emclass : '"+emclass+"', excpeting one of "+str(self.components_class))
  89. self._components[self.name_from_emclass(component_class)] = sorted(self.components(component_class), key=lambda comp: comp.rank)
  90. ## Return a new uid
  91. # @return a new uid
  92. def new_uid(self):
  93. used_uid = [ int(uid) for uid in self._components['uids'].keys()]
  94. return sorted(used_uid)[-1] + 1 if len(used_uid) > 0 else 1
  95. ## Create a component from a component type and datas
  96. #
  97. # @note if datas does not contains a rank the new component will be added last
  98. # @note datas['rank'] can be an integer or two specials strings 'last' or 'first'
  99. # @param component_type str : a component type ( component_class, component_fieldgroup, component_field or component_type )
  100. # @param datas dict : the options needed by the component creation
  101. # @throw ValueError if datas['rank'] is not valid (too big or too small, not an integer nor 'last' or 'first' )
  102. # @todo Handle a raise from the migration handler
  103. def create_component(self, component_type, datas):
  104. em_obj = self.emclass_from_name(component_type)
  105. rank = 'last'
  106. if 'rank' in datas:
  107. rank = datas['rank']
  108. del datas['rank']
  109. datas['uid'] = self.new_uid()
  110. em_component = em_obj(self, **datas)
  111. self._components['uids'][em_component.uid] = em_component
  112. self._components[self.name_from_emclass(em_component.__class__)].append(em_component)
  113. em_component.rank = em_component.get_max_rank()
  114. if rank != 'last':
  115. em_component.set_rank( 1 if rank == 'first' else rank)
  116. #everything done, indicating that initialisation is over
  117. em_component.init_ended()
  118. #register the creation in migration handler
  119. self.migration_handler.register_change(em_component.uid, None, em_component.attr_dump)
  120. return em_component
  121. ## Delete a component
  122. # @param uid int : Component identifier
  123. # @throw EditorialModel.components.EmComponentNotExistError
  124. # @todo unable uid check
  125. # @todo Handle a raise from the migration handler
  126. def delete_component(self, uid):
  127. #register the deletion in migration handler
  128. self.migration_handler.register_change(uid, self.component(uid).attr_dump, None)
  129. if uid not in self._components[uid]:
  130. raise EditorialModel.components.EmComponentNotExistError()
  131. em_component = self._components[uid]
  132. if em_component.delete_p():
  133. self._components[self.name_from_emclass(em_component.__class__)].remove(em_component)
  134. del self._components['uids'][uid]
  135. return True
  136. ## Changes the current backend
  137. #
  138. # @param backend unknown: A backend object
  139. def set_backend(self, backend):
  140. self.backend = backend
  141. ## Returns a list of all the EmClass objects of the model
  142. def classes(self):
  143. return list(self._components[self.name_from_emclass(EmClass)])