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.

leobject.py 19KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414
  1. #-*- coding: utf-8 -*-
  2. ## @package leobject API to access lodel datas
  3. #
  4. # This package contains abstract classes leobject.leclass.LeClass , leobject.letype.LeType, leobject.leobject._LeObject.
  5. # Those abstract classes are designed to be mother classes of dynamically generated classes ( see leobject.lefactory.LeFactory )
  6. ## @package leobject.leobject
  7. # @brief Abstract class designed to be implemented by LeObject
  8. #
  9. # @note LeObject will be generated by leobject.lefactory.LeFactory
  10. import re
  11. import leobject
  12. import EditorialModel
  13. from EditorialModel.types import EmType
  14. REL_SUP = 0
  15. REL_SUB = 1
  16. ## @brief Main class to handle objects defined by the types of an Editorial Model
  17. class _LeObject(object):
  18. ## @brief The editorial model
  19. _model = None
  20. ## @brief The datasource
  21. _datasource = None
  22. ## @brief maps em uid with LeType or LeClass keys are uid values are LeObject childs classes
  23. _me_uid = dict()
  24. _query_re = None
  25. _query_operators = ['=', '<=', '>=', '!=', '<', '>', ' in ', ' not in ']
  26. ## @brief Instantiate with a Model and a DataSource
  27. # @param **kwargs dict : datas usefull to instanciate a _LeObject
  28. def __init__(self, **kwargs):
  29. raise NotImplementedError("Abstract constructor")
  30. ## @brief Given a ME uid return the corresponding LeClass or LeType class
  31. # @return a LeType or LeClass child class
  32. # @throw KeyError if no corresponding child classes
  33. @classmethod
  34. def uid2leobj(cls, uid):
  35. uid = int(uid)
  36. if uid not in cls._me_uid:
  37. raise KeyError("No LeType or LeClass child classes with uid '%d'"%uid)
  38. return cls._me_uid[uid]
  39. ## @brief Creates new entries in the datasource
  40. # @param datas list : A list a dict with fieldname as key
  41. # @param cls
  42. # @return a list of inserted lodel_id
  43. # @see leobject.datasources.dummy.DummyDatasource.insert(), leobject.letype.LeType.insert()
  44. @classmethod
  45. def insert(cls, letype, datas):
  46. if isinstance(datas, dict):
  47. datas = [datas]
  48. if cls == _LeObject:
  49. raise NotImplementedError("Abstract method")
  50. letype,leclass = cls._prepare_targets(letype)
  51. if letype is None:
  52. raise ValueError("letype argument cannot be None")
  53. for data in datas:
  54. letype.check_datas_or_raise(data, complete = True)
  55. return cls._datasource.insert(letype, leclass, datas)
  56. ## @brief Delete LeObjects given filters
  57. # @param cls
  58. # @param letype LeType|str : LeType child class or name
  59. # @param leclass LeClass|str : LeClass child class or name
  60. # @param filters list : list of filters (see @ref leobject_filters)
  61. # @return bool
  62. @classmethod
  63. def delete(cls, letype, filters):
  64. letype, leclass = cls._prepare_targets(letype)
  65. filters,relationnal_filters = leobject.leobject._LeObject._prepare_filters(filters, letype, leclass)
  66. return cls._datasource.delete(letype, leclass, filters, relationnal_filters)
  67. ## @brief Update LeObjects given filters and datas
  68. # @param cls
  69. # @param letype LeType|str : LeType child class or name
  70. # @param filters list : list of filters (see @ref leobject_filters)
  71. @classmethod
  72. def update(cls, letype, filters, datas):
  73. letype, leclass = cls._prepare_targets(letype)
  74. filters,relationnal_filters = leobject.leobject._LeObject._prepare_filters(filters, letype, leclass)
  75. if letype is None:
  76. raise ValueError("Argument letype cannot be None")
  77. letype.check_datas_or_raise(datas, False)
  78. return cls._datasource.update(letype, leclass, filters, relationnal_filters, datas)
  79. ## @brief make a search to retrieve a collection of LeObject
  80. # @param query_filters list : list of string of query filters (or tuple (FIELD, OPERATOR, VALUE) ) see @ref leobject_filters
  81. # @param field_list list|None : list of string representing fields see @ref leobject_filters
  82. # @param typename str : The name of the LeType we want
  83. # @param classname str : The name of the LeClass we want
  84. # @param cls
  85. # @return responses ({string:*}): a list of dict with field:value
  86. @classmethod
  87. def get(cls, query_filters, field_list = None, typename = None, classname = None):
  88. letype,leclass = cls._prepare_targets(typename, classname)
  89. #Checking field_list
  90. if field_list is None or len(field_list) == 0:
  91. #default field_list
  92. if not (letype is None):
  93. field_list = letype._fields
  94. elif not (leclass is None):
  95. field_list = leclass._fieldtypes.keys()
  96. else:
  97. field_list = list(EditorialModel.classtypes.common_fields.keys())
  98. #Fetching LeType
  99. if letype is None:
  100. if 'type_id' not in field_list:
  101. field_list.append('type_id')
  102. field_list = cls._prepare_field_list(field_list, letype, leclass)
  103. #preparing filters
  104. filters, relationnal_filters = cls._prepare_filters(query_filters, letype, leclass)
  105. #Fetching datas from datasource
  106. datas = cls._datasource.get(leclass, letype, field_list, filters, relationnal_filters)
  107. #Instanciating corresponding LeType child classes with datas
  108. result = list()
  109. for leobj_datas in datas:
  110. letype = self.uid2leobj(datas['type_id']) if letype is None else letype
  111. result.append(letype(datas))
  112. return result
  113. ## @brief Link two leobject together using a rel2type field
  114. # @param lesup LeType : LeType child class instance linked as superior
  115. # @param lesub LeType : LeType child class instance linked as subordinate
  116. # @param **rel_attr : Relation attributes
  117. # @return True if linked without problems
  118. # @throw LeObjectError if the link is not valid
  119. # @throw AttributeError if an non existing relation attribute is given as argument
  120. # @throw ValueError if the relation attrivute value check fails
  121. #
  122. # @todo Code factorisation on relation check
  123. # @todo unit tests
  124. @classmethod
  125. def link_together(cls, lesup, lesub, **rel_attr):
  126. if lesub.__class__ not in lesup._linked_types.keys():
  127. raise LeObjectError("Relation error : %s cannot be linked with %s"%(lesup.__class__.__name__, lesub.__class__.__name__))
  128. for attr_name in rel_attr.keys():
  129. if attr_name not in [ f for f,g in lesup._linked_types[lesub.__class__] ]:
  130. raise AttributeError("A rel2type between a %s and a %s doesn't have an attribute %s"%(lesup.__class__.__name__, lesub.__class__.__name__))
  131. if not sup._linked_types[lesub.__class__][1].check(rel_attr[attr_name]):
  132. raise ValueError("Wrong value '%s' for attribute %s"%(rel_attr[attr_name], attr_name))
  133. return cls._datasource.add_related(lesup, lesub, **rel_attr)
  134. ## @brief Get related objects
  135. # @param leo LeType(instance) : LeType child class instance
  136. # @param letype LeType(class) : the wanted LeType child class (not instance)
  137. # @param leo_is_superior bool : if True leo is the superior in the relation
  138. # @return A dict with LeType child class instance as key and dict {rel_attr_name:rel_attr_value, ...}
  139. # @throw LeObjectError if the relation is not possible
  140. #
  141. # @todo Code factorisation on relation check
  142. # @todo unit tests
  143. @classmethod
  144. def linked_together(cls, leo, letype, leo_is_superior = True):
  145. valid_link = letype in leo._linked_types.keys() if leo_is_superior else leo.__class__ in letype._linked_types.keys()
  146. if not valid_link:
  147. raise LeObjectError("Relation error : %s have no links with %s"%(
  148. leo.__class__ if leo_is_superior else letype,
  149. letype if leo_is_superior else leo.__class__
  150. ))
  151. return cls._datasource.get_related(leo, letype, leo_is_superior)
  152. ## @brief Remove a link (and attributes) between two LeObject
  153. # @param lesup LeType : LeType child instance
  154. # @param lesub LeType : LeType child instance
  155. # @return True if a link has been deleted
  156. # @throw LeObjectError if the relation between the two LeObject is not possible
  157. #
  158. # @todo Code factorisation on relation check
  159. # @todo unit tests
  160. @classmethod
  161. def link_remove(cls, lesup, lesub):
  162. if lesub.__class__ not in lesup._linked_types.keys():
  163. raise LeObjectError("Relation errorr : %s cannot be linked with %s"%(lesup.__class__.__name__, lesub.__class__.__name__))
  164. return cls._datasource.del_related(lesup, lesub)
  165. ## @brief Prepare a field_list
  166. # @param field_list list : List of string representing fields
  167. # @param letype LeType : LeType child class
  168. # @param leclass LeClass : LeClass child class
  169. # @return A well formated field list
  170. @classmethod
  171. def _prepare_field_list(cls, field_list, letype, leclass):
  172. cls._check_fields(letype, leclass, [f for f in field_list if not cls._field_is_relational(f)])
  173. for i, field in enumerate(field_list):
  174. if cls._field_is_relational(field):
  175. field_list[i] = cls._prepare_relational_field(field)
  176. return field_list
  177. ## @brief Preparing letype and leclass arguments
  178. #
  179. # This function will do multiple things :
  180. # - Convert string to LeType or LeClass child instances
  181. # - If both letype and leclass given, check that letype inherit from leclass
  182. #  - If only a letype is given, fetch the parent leclass
  183. # @note If we give only a leclass as argument returned letype will be None
  184. # @note Its possible to give letype=None and leclass=None. In this case the method will return tuple(None,None)
  185. # @param letype LeType|str|None : LeType child instant or its name
  186. # @param leclass LeClass|str|None : LeClass child instant or its name
  187. # @return a tuple with 2 python classes (LeTypeChild, LeClassChild)
  188. @staticmethod
  189. def _prepare_targets(letype = None , leclass = None):
  190. if not(leclass is None):
  191. if isinstance(leclass, str):
  192. leclass = leobject.lefactory.LeFactory.leobj_from_name(leclass)
  193. if not isinstance(leclass, type) or not (leobject.leclass.LeClass in leclass.__bases__) or leclass.__class__ == leobject.leclass.LeClass:
  194. raise ValueError("None | str | LeType child class excpected, but got : '%s' %s"%(leclass,type(leclass)))
  195. if not(letype is None):
  196. if isinstance(letype, str):
  197. letype = leobject.lefactory.LeFactory.leobj_from_name(letype)
  198. if not isinstance(letype, type) or not leobject.letype.LeType in letype.__bases__ or letype.__class__ == leobject.letype.LeType:
  199. raise ValueError("None | str | LeType child class excpected, but got : %s"%type(letype))
  200. if leclass is None:
  201. leclass = letype._leclass
  202. elif leclass != letype._leclass:
  203. raise ValueError("LeType child class %s does'nt inherite from LeClass %s"%(letype.__name__, leclass.__name__))
  204. return (letype, leclass)
  205. ## @brief Check if a fieldname is valid
  206. # @param letype LeType|None : The concerned type (or None)
  207. # @param leclass LeClass|None : The concerned class (or None)
  208. # @param fields list : List of string representing fields
  209. # @throw LeObjectQueryError if their is some problems
  210. # @throw AttributeError if letype is not from the leclass class
  211. # @todo Delete the checks of letype and leclass and ensure that this method is called with letype and leclass arguments from _prepare_targets()
  212. #
  213. # @see @ref leobject_filters
  214. @staticmethod
  215. def _check_fields(letype, leclass, fields):
  216. #Checking that fields in the query_filters are correct
  217. if letype is None and leclass is None:
  218. #Only fields from the object table are allowed
  219. for field in fields:
  220. if field not in EditorialModel.classtypes.common_fields.keys():
  221. raise LeObjectQueryError("Not typename and no classname given, but the field %s is not in the common_fields list"%field)
  222. else:
  223. if letype is None:
  224. field_l = leclass._fieldtypes.keys()
  225. else:
  226. if not (leclass is None):
  227. if letype._leclass != leclass:
  228. raise AttributeError("The EmType %s is not a specialisation of the EmClass %s"%(typename, classname))
  229. field_l = letype._fields
  230. #Checks that fields are in this type
  231. for field in fields:
  232. if field not in field_l:
  233. raise LeObjectQueryError("No field named '%s' in '%s'"%(field, letype.__name__))
  234. pass
  235. ## @brief Prepare filters for datasource
  236. #
  237. # This method divide filters in two categories :
  238. # - filters : standart FIELDNAME OP VALUE filter
  239. # - relationnal_filters : filter on object relation RELATION_NATURE OP VALUE
  240. #
  241. # Both categories of filters are represented in the same way, a tuple with 3 elements (NAME|NAT , OP, VALUE )
  242. #
  243. # @warning This method assume that letype and leclass are returned from _LeObject._prepare_targets() method
  244. # @param filters_l list : This list can contain str "FIELDNAME OP VALUE" and tuples (FIELDNAME, OP, VALUE)
  245. # @param letype LeType|None : needed to check filters
  246. # @param leclass LeClass|None : needed to check filters
  247. # @return a tuple(FILTERS, RELATIONNAL_FILTERS
  248. #
  249. # @see @ref datasource_side
  250. @staticmethod
  251. def _prepare_filters(filters_l, letype = None, leclass = None):
  252. filters = list()
  253. for fil in filters_l:
  254. if len(fil) == 3 and not isinstance(fil, str):
  255. filters.append(tuple(fil))
  256. else:
  257. filters.append(_LeObject._split_filter(fil))
  258. #Checking relational filters (for the moment fields like superior.NATURE)
  259. relational_filters = [ (_LeObject._prepare_relational_field(field), operator, value) for field, operator, value in filters if _LeObject._field_is_relational(field)]
  260. filters = [f for f in filters if not _LeObject._field_is_relational(f[0])]
  261. #Checking the rest of the fields
  262. _LeObject._check_fields(letype, leclass, [ f[0] for f in filters ])
  263. return (filters, relational_filters)
  264. ## @brief Check if a field is relational or not
  265. # @param field str : the field to test
  266. # @return True if the field is relational else False
  267. @staticmethod
  268. def _field_is_relational(field):
  269. return field.startswith('superior.') or field.startswith('subordinate')
  270. ## @brief Check that a relational field is valid
  271. # @param field str : a relational field
  272. # @return a nature
  273. @staticmethod
  274. def _prepare_relational_field(field):
  275. spl = field.split('.')
  276. if len(spl) != 2:
  277. raise LeObjectQueryError("The relationalfield '%s' is not valid"%field)
  278. nature = spl[-1]
  279. if nature not in EditorialModel.classtypes.EmNature.getall():
  280. raise LeObjectQueryError("'%s' is not a valid nature in the field %s"%(nature, field))
  281. if spl[0] == 'superior':
  282. return (REL_SUP, nature)
  283. elif spl[0] == 'subordinate':
  284. return (REL_SUB, nature)
  285. else:
  286. raise LeObjectQueryError("Invalid preffix for relationnal field : '%s'"%spl[0])
  287. ## @brief Check and split a query filter
  288. # @note The query_filter format is "FIELD OPERATOR VALUE"
  289. # @param query_filter str : A query_filter string
  290. # @param cls
  291. # @return a tuple (FIELD, OPERATOR, VALUE)
  292. @classmethod
  293. def _split_filter(cls, query_filter):
  294. if cls._query_re is None:
  295. cls._compile_query_re()
  296. matches = cls._query_re.match(query_filter)
  297. if not matches:
  298. raise ValueError("The query_filter '%s' seems to be invalid"%query_filter)
  299. result = (matches.group('field'), re.sub(r'\s', ' ', matches.group('operator'), count=0), matches.group('value').strip())
  300. for r in result:
  301. if len(r) == 0:
  302. raise ValueError("The query_filter '%s' seems to be invalid"%query_filter)
  303. return result
  304. ## @brief Compile the regex for query_filter processing
  305. # @note Set _LeObject._query_re
  306. @classmethod
  307. def _compile_query_re(cls):
  308. op_re_piece = '(?P<operator>(%s)'%cls._query_operators[0].replace(' ', '\s')
  309. for operator in cls._query_operators[1:]:
  310. op_re_piece += '|(%s)'%operator.replace(' ', '\s')
  311. op_re_piece += ')'
  312. cls._query_re = re.compile('^\s*(?P<field>(((superior)|(subordinate))\.)?[a-z_][a-z0-9\-_]*)\s*'+op_re_piece+'\s*(?P<value>[^<>=!].*)\s*$', flags=re.IGNORECASE)
  313. pass
  314. class LeObjectError(Exception):
  315. pass
  316. class LeObjectQueryError(LeObjectError):
  317. pass
  318. ## @page leobject_filters LeObject query filters
  319. # The LeObject API provide methods that accept filters allowing the user
  320. # to query the database and fetch LodelEditorialObjects.
  321. #
  322. # The LeObject API translate those filters for the datasource.
  323. #
  324. # @section api_user_side API user side filters
  325. # Filters are string expressing a condition. The string composition
  326. # is as follow : "<FIELD> <OPERATOR> <VALUE>"
  327. # @subsection fpart FIELD
  328. # @subsubsection standart fields
  329. # Standart fields, represents a value of the LeObject for example "title", "lodel_id" etc.
  330. # @subsubsection rfields relationnal fields
  331. # relationnal fields, represents a relation with the object hierarchy. Those fields are composed as follow :
  332. # "<RELATION>.<NATURE>".
  333. #
  334. # - Relation can takes two values : superiors or subordinates
  335. # - Nature is a relation nature ( see EditorialModel.classtypes )
  336. # Examples : "superiors.parent", "subordinates.translation" etc.
  337. # @note The field_list arguement of leobject.leobject._LeObject.get() use the same syntax than the FIELD filter part
  338. # @subsection oppart OPERATOR
  339. # The OPERATOR part of a filter is a comparison operator. There is
  340. # - standart comparison operators : = , <, > , <=, >=, !=
  341. # - list operators : 'in' and 'not in'
  342. # The list of allowed operators is sotred at leobject.leobject._LeObject._query_operators .
  343. # @subsection valpart VALUE
  344. # The VALUE part of a filter is... just a value...
  345. #
  346. # @section datasource_side Datasource side filters
  347. # As said above the API "translate" filters before forwarding them to the datasource.
  348. #
  349. # The translation process transform filters in tuple composed of 3 elements
  350. # ( @ref fpart , @ref oppart , @ref valpart ). Each element is a string.
  351. #
  352. # There is a special case for @ref rfields : the field element is a tuple composed with two elements
  353. # ( RELATION, NATURE ) where NATURE is a string ( see EditorialModel.classtypes ) and RELATION is one of
  354. # the defined constant :
  355. #
  356. # - leobject.leobject.REL_SUB for "subordinates"
  357. # - leobject.leobject.REL_SUP for "superiors"
  358. #
  359. # @note The filters translation process also check if given field are valids compared to the concerned letype and/or the leclass