GoodERP
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.

230 lines
7.7KB

  1. from odoo.http import request
  2. import itertools
  3. import operator
  4. import time
  5. import pickle
  6. from odoo import models, api
  7. from odoo.exceptions import UserError
  8. from functools import reduce
  9. class ReportBase(models.Model):
  10. _name = 'report.base'
  11. _description = '使用search_read来直接生成数据的基本类,其他类可以直接异名继承当前类来重用搜索、过滤、分组等函数'
  12. _expired_time = 60
  13. _cache_record = False
  14. _cache_env = False
  15. _cache_time = False
  16. def select_sql(self, sql_type='out'):
  17. return ''
  18. def from_sql(self, sql_type='out'):
  19. return ''
  20. def where_sql(self, sql_type='out'):
  21. return ''
  22. def group_sql(self, sql_type='out'):
  23. return ''
  24. def order_sql(self, sql_type='out'):
  25. return ''
  26. def get_context(self, sql_type='out', context=None):
  27. return {}
  28. def execute_sql(self, sql_type='out'):
  29. context = self.get_context(sql_type, context=self.env.context)
  30. for key, value in list(context.items()):
  31. if key == "date_end":
  32. continue
  33. if key == "date_start":
  34. continue
  35. if isinstance(context[key], str):
  36. context[key] = value.encode('utf-8')
  37. search_sql = (self.select_sql(sql_type) + self.from_sql(sql_type) + self.where_sql(
  38. sql_type) + self.group_sql(sql_type) + self.order_sql(
  39. sql_type)).format(**context)
  40. self.env.cr.execute(search_sql)
  41. return self.env.cr.dictfetchall()
  42. def collect_data_by_sql(self, sql_type='out'):
  43. return []
  44. def check_valid_domain(self, domain):
  45. if not isinstance(domain, (list, tuple)):
  46. raise UserError('不可识别的domain条件,请检查domain"%s"是否正确' % str(domain))
  47. def _get_next_domain(self, domains, index):
  48. domain = domains[index]
  49. if domain == '|':
  50. _, index = self.get_next_or_domain(domains, index + 1)
  51. else:
  52. index += 1
  53. if domain != '&':
  54. self.check_valid_domain(domain)
  55. return index
  56. def get_next_or_domain(self, domains, index):
  57. index = self._get_next_domain(domains, index)
  58. return index, self._get_next_domain(domains, index)
  59. def _process_domain(self, result, domain):
  60. if domain and len(domain) == 3:
  61. field, opto, value = domain
  62. compute_operator = {
  63. 'ilike': lambda field, value: value.lower() in field.lower(),
  64. 'like': lambda field, value: value in field,
  65. 'not ilike': lambda field, value: value.lower() not in field.lower(),
  66. 'not like': lambda field, value: value not in field,
  67. 'in': lambda field, value: field in value,
  68. 'not in': lambda field, value: field not in value,
  69. '=': operator.eq,
  70. '!=': operator.ne,
  71. '>': operator.gt,
  72. '<': operator.lt,
  73. '>=': operator.ge,
  74. '<=': operator.le,
  75. }
  76. opto = opto.lower()
  77. if field in result:
  78. if opto in compute_operator.keys():
  79. return compute_operator.get(opto)(result.get(field), value)
  80. raise UserError('暂时无法解析的domain条件%s,请联系管理员' % str(domain))
  81. raise UserError('不可识别的domain条件,请检查domain"%s"是否正确' % str(domain))
  82. def _compute_domain_util(self, result, domains):
  83. index = 0
  84. while index < len(domains):
  85. domain = domains[index]
  86. index += 1
  87. if domain == '|':
  88. left_index, right_index = self.get_next_or_domain(
  89. domains, index)
  90. if not self._compute_domain_util(result, domains[index:left_index]) and not self._compute_domain_util(
  91. result, domains[left_index:right_index]):
  92. return False
  93. index = right_index
  94. else:
  95. if domain == '&':
  96. continue
  97. self.check_valid_domain(domain)
  98. if not self._process_domain(result, domain):
  99. return False
  100. return True
  101. def _compute_domain(self, result, domain):
  102. return list(filter(lambda res: self._compute_domain_util(res, domain), result))
  103. @api.model
  104. def read_group(self, domain, fields, groupby, offset=0, limit=65535, orderby=False, lazy=True):
  105. def dict_plus(collect, values):
  106. for key, value in values.items():
  107. if isinstance(value, (int, float)):
  108. if key not in collect:
  109. collect[key] = 0
  110. collect[key] += value
  111. collect[groupby[0] + '_count'] += 1
  112. return collect
  113. res = []
  114. values = self.search_read(
  115. domain=domain, fields=fields, offset=offset, limit=limit or 65535, order=orderby)
  116. if groupby:
  117. key = operator.itemgetter(groupby[0])
  118. for group, itervalue in itertools.groupby(sorted(values, key=key), key):
  119. collect = {'__domain': [
  120. (groupby[0], '=', group)], groupby[0]: group, groupby[0] + '_count': 0}
  121. collect = reduce(lambda collect, value: dict_plus(
  122. collect, value), itervalue, collect)
  123. if len(groupby) > 1:
  124. collect.update({
  125. '__context': {'group_by': groupby[1:]}
  126. })
  127. if domain:
  128. collect['__domain'].extend(domain)
  129. res.append(collect)
  130. return res
  131. def _compute_order(self, result, order):
  132. """暂时不支持多重排序"""
  133. if order:
  134. order = order.partition(',')[0].partition(' ')
  135. for line in result:
  136. if line.get(order[0]) is False:
  137. line.update({order[0]: ''})
  138. result.sort(key=lambda item: item.get(
  139. order[0]), reverse=order[2] == 'ASC')
  140. return result
  141. def _compute_limit_and_offset(self, result, limit, offset):
  142. return list(result)[offset:limit + offset]
  143. def update_result_none_to_false(self, result):
  144. for val in result:
  145. for key, value in val.items():
  146. if value is None:
  147. val[key] = False
  148. return result
  149. def get_data_from_cache(self, sql_type='out'):
  150. if self._cache_env != (self.env.uid, self.env.context) \
  151. or not self._cache_record or self._cache_time + self._expired_time < time.time():
  152. self.__class__._cache_record = self.update_result_none_to_false(
  153. self.collect_data_by_sql(sql_type))
  154. self.__class__._cache_time = time.time()
  155. self.__class__._cache_env = (self.env.uid, self.env.context)
  156. return self._cache_record
  157. @api.model
  158. def search_read(self, domain=None, fields=None, offset=0, limit=65535, order=None):
  159. result = self.get_data_from_cache(sql_type='out')
  160. result = self._compute_domain(result, domain)
  161. result = self._compute_order(result, order)
  162. result = self._compute_limit_and_offset(result, limit, offset)
  163. return result
  164. @api.model
  165. def search_count(self, domain):
  166. result = self.get_data_from_cache(sql_type='out')
  167. result = self._compute_domain(result, domain)
  168. return len(list(result))
  169. def read(self, fields=None, context=None, load='_classic_read'):
  170. res = []
  171. fields = fields or []
  172. fields.append('id')
  173. for record in self.get_data_from_cache():
  174. if record.get('id') in self.ids:
  175. res.append({field: record.get(field) for field in fields})
  176. return res
上海开阖软件有限公司 沪ICP备12045867号-1