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.

903 lines
32 KiB

10 years ago
10 years ago
11 years ago
11 years ago
10 years ago
11 years ago
10 years ago
10 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
10 years ago
11 years ago
11 years ago
10 years ago
11 years ago
10 years ago
11 years ago
11 years ago
11 years ago
11 years ago
10 years ago
11 years ago
11 years ago
11 years ago
10 years ago
11 years ago
11 years ago
11 years ago
10 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
11 years ago
  1. # -*- coding: utf-8 -*-
  2. from __future__ import absolute_import
  3. from email.utils import parseaddr
  4. import functools
  5. import htmlentitydefs
  6. import itertools
  7. import logging
  8. import operator
  9. import re
  10. from ast import literal_eval
  11. from openerp.tools import mute_logger
  12. # Validation Library https://pypi.python.org/pypi/validate_email/1.1
  13. from .validate_email import validate_email
  14. import openerp
  15. from openerp.osv import orm
  16. from openerp.osv import fields
  17. from openerp.osv.orm import browse_record
  18. from openerp.tools.translate import _
  19. pattern = re.compile(r"&(\w+?);")
  20. _logger = logging.getLogger('base.partner.merge')
  21. # http://www.php2python.com/wiki/function.html-entity-decode/
  22. def html_entity_decode_char(m, defs=None):
  23. if defs is None:
  24. defs = htmlentitydefs.entitydefs
  25. try:
  26. return defs[m.group(1)]
  27. except KeyError:
  28. return m.group(0)
  29. def html_entity_decode(string):
  30. return pattern.sub(html_entity_decode_char, string)
  31. def sanitize_email(partner_email):
  32. assert isinstance(partner_email, basestring) and partner_email
  33. result = re.subn(r';|/|:', ',',
  34. html_entity_decode(partner_email or ''))[0].split(',')
  35. emails = [parseaddr(email)[1]
  36. for item in result
  37. for email in item.split()]
  38. return [email.lower()
  39. for email in emails
  40. if validate_email(email)]
  41. def is_integer_list(ids):
  42. return all(isinstance(i, (int, long)) for i in ids)
  43. class ResPartner(orm.Model):
  44. _inherit = 'res.partner'
  45. _columns = {
  46. 'id': fields.integer('Id', readonly=True),
  47. 'create_date': fields.datetime('Create Date', readonly=True),
  48. }
  49. class MergePartnerLine(orm.TransientModel):
  50. _name = 'base.partner.merge.line'
  51. _columns = {
  52. 'wizard_id': fields.many2one('base.partner.merge.automatic.wizard',
  53. 'Wizard'),
  54. 'min_id': fields.integer('MinID'),
  55. 'aggr_ids': fields.char('Ids', required=True),
  56. }
  57. _order = 'min_id asc'
  58. class MergePartnerAutomatic(orm.TransientModel):
  59. """
  60. The idea behind this wizard is to create a list of potential partners to
  61. merge. We use two objects, the first one is the wizard for the end-user.
  62. And the second will contain the partner list to merge.
  63. """
  64. _name = 'base.partner.merge.automatic.wizard'
  65. _columns = {
  66. # Group by
  67. 'group_by_email': fields.boolean('Email'),
  68. 'group_by_name': fields.boolean('Name'),
  69. 'group_by_is_company': fields.boolean('Is Company'),
  70. 'group_by_vat': fields.boolean('VAT'),
  71. 'group_by_parent_id': fields.boolean('Parent Company'),
  72. 'state': fields.selection([('option', 'Option'),
  73. ('selection', 'Selection'),
  74. ('finished', 'Finished')],
  75. 'State',
  76. readonly=True,
  77. required=True),
  78. 'number_group': fields.integer("Group of Contacts", readonly=True),
  79. 'current_line_id': fields.many2one('base.partner.merge.line',
  80. 'Current Line'),
  81. 'line_ids': fields.one2many('base.partner.merge.line',
  82. 'wizard_id', 'Lines'),
  83. 'partner_ids': fields.many2many('res.partner', string='Contacts'),
  84. 'dst_partner_id': fields.many2one('res.partner',
  85. string='Destination Contact'),
  86. 'exclude_contact': fields.boolean('A user associated to the contact'),
  87. 'exclude_journal_item': fields.boolean('Journal Items associated'
  88. ' to the contact'),
  89. 'maximum_group': fields.integer("Maximum of Group of Contacts"),
  90. }
  91. def default_get(self, cr, uid, fields, context=None):
  92. if context is None:
  93. context = {}
  94. res = super(MergePartnerAutomatic, self
  95. ).default_get(cr, uid, fields, context)
  96. if (context.get('active_model') == 'res.partner'
  97. and context.get('active_ids')):
  98. partner_ids = context['active_ids']
  99. res['state'] = 'selection'
  100. res['partner_ids'] = partner_ids
  101. res['dst_partner_id'] = self._get_ordered_partner(cr, uid,
  102. partner_ids,
  103. context=context
  104. )[-1].id
  105. return res
  106. _defaults = {
  107. 'state': 'option'
  108. }
  109. def get_fk_on(self, cr, table):
  110. q = """ SELECT cl1.relname as table,
  111. att1.attname as column
  112. FROM pg_constraint as con, pg_class as cl1, pg_class as cl2,
  113. pg_attribute as att1, pg_attribute as att2
  114. WHERE con.conrelid = cl1.oid
  115. AND con.confrelid = cl2.oid
  116. AND array_lower(con.conkey, 1) = 1
  117. AND con.conkey[1] = att1.attnum
  118. AND att1.attrelid = cl1.oid
  119. AND cl2.relname = %s
  120. AND att2.attname = 'id'
  121. AND array_lower(con.confkey, 1) = 1
  122. AND con.confkey[1] = att2.attnum
  123. AND att2.attrelid = cl2.oid
  124. AND con.contype = 'f'
  125. """
  126. return cr.execute(q, (table,))
  127. def _update_foreign_keys(self, cr, uid, src_partners,
  128. dst_partner, context=None):
  129. _logger.debug('_update_foreign_keys for dst_partner: %s for '
  130. 'src_partners: %r',
  131. dst_partner.id,
  132. list(map(operator.attrgetter('id'), src_partners)))
  133. # find the many2one relation to a partner
  134. proxy = self.pool.get('res.partner')
  135. self.get_fk_on(cr, 'res_partner')
  136. # ignore two tables
  137. for table, column in cr.fetchall():
  138. if 'base_partner_merge_' in table:
  139. continue
  140. partner_ids = tuple(map(int, src_partners))
  141. query = ("SELECT column_name FROM information_schema.columns"
  142. " WHERE table_name LIKE '%s'") % (table)
  143. cr.execute(query, ())
  144. columns = []
  145. for data in cr.fetchall():
  146. if data[0] != column:
  147. columns.append(data[0])
  148. query_dic = {
  149. 'table': table,
  150. 'column': column,
  151. 'value': columns[0],
  152. }
  153. if len(columns) <= 1:
  154. # unique key treated
  155. query = """
  156. UPDATE "%(table)s" as ___tu
  157. SET %(column)s = %%s
  158. WHERE
  159. %(column)s = %%s AND
  160. NOT EXISTS (
  161. SELECT 1
  162. FROM "%(table)s" as ___tw
  163. WHERE
  164. %(column)s = %%s AND
  165. ___tu.%(value)s = ___tw.%(value)s
  166. )""" % query_dic
  167. for partner_id in partner_ids:
  168. cr.execute(query, (dst_partner.id, partner_id,
  169. dst_partner.id))
  170. else:
  171. cr.execute("SAVEPOINT recursive_partner_savepoint")
  172. try:
  173. query = ('UPDATE "%(table)s" SET %(column)s = %%s WHERE '
  174. '%(column)s IN %%s') % query_dic
  175. cr.execute(query, (dst_partner.id, partner_ids,))
  176. if (column == proxy._parent_name
  177. and table == 'res_partner'):
  178. query = """
  179. WITH RECURSIVE cycle(id, parent_id) AS (
  180. SELECT id, parent_id FROM res_partner
  181. UNION
  182. SELECT cycle.id, res_partner.parent_id
  183. FROM res_partner, cycle
  184. WHERE res_partner.id = cycle.parent_id
  185. AND cycle.id != cycle.parent_id
  186. )
  187. SELECT id FROM cycle
  188. WHERE id = parent_id AND id = %s
  189. """
  190. cr.execute(query, (dst_partner.id,))
  191. if cr.fetchall():
  192. cr.execute("ROLLBACK TO SAVEPOINT "
  193. "recursive_partner_savepoint")
  194. finally:
  195. cr.execute("RELEASE SAVEPOINT "
  196. "recursive_partner_savepoint")
  197. def _update_reference_fields(self, cr, uid, src_partners, dst_partner,
  198. context=None):
  199. _logger.debug('_update_reference_fields for dst_partner: %s for '
  200. 'src_partners: %r',
  201. dst_partner.id,
  202. list(map(operator.attrgetter('id'), src_partners)))
  203. def update_records(model, src, field_model='model', field_id='res_id',
  204. context=None):
  205. proxy = self.pool.get(model)
  206. if proxy is None:
  207. return
  208. domain = [(field_model, '=', 'res.partner'),
  209. (field_id, '=', src.id)]
  210. ids = proxy.search(cr, openerp.SUPERUSER_ID,
  211. domain, context=context)
  212. return proxy.write(cr, openerp.SUPERUSER_ID, ids,
  213. {field_id: dst_partner.id}, context=context)
  214. update_records = functools.partial(update_records, context=context)
  215. for partner in src_partners:
  216. update_records('base.calendar', src=partner,
  217. field_model='model_id.model')
  218. update_records('ir.attachment', src=partner,
  219. field_model='res_model')
  220. update_records('mail.followers', src=partner,
  221. field_model='res_model')
  222. update_records('mail.message', src=partner)
  223. update_records('marketing.campaign.workitem', src=partner,
  224. field_model='object_id.model')
  225. update_records('ir.model.data', src=partner)
  226. proxy = self.pool['ir.model.fields']
  227. domain = [('ttype', '=', 'reference')]
  228. record_ids = proxy.search(cr, openerp.SUPERUSER_ID, domain,
  229. context=context)
  230. for record in proxy.browse(cr, openerp.SUPERUSER_ID, record_ids,
  231. context=context):
  232. try:
  233. proxy_model = self.pool[record.model]
  234. except KeyError:
  235. # ignore old tables
  236. continue
  237. if record.model == 'ir.property':
  238. continue
  239. field_type = proxy_model._columns.get(record.name).__class__._type
  240. if field_type == 'function':
  241. continue
  242. for partner in src_partners:
  243. domain = [
  244. (record.name, '=', 'res.partner,%d' % partner.id)
  245. ]
  246. model_ids = proxy_model.search(cr, openerp.SUPERUSER_ID,
  247. domain, context=context)
  248. values = {
  249. record.name: 'res.partner,%d' % dst_partner.id,
  250. }
  251. proxy_model.write(cr, openerp.SUPERUSER_ID, model_ids, values,
  252. context=context)
  253. def _update_values(self, cr, uid, src_partners, dst_partner, context=None):
  254. _logger.debug('_update_values for dst_partner: %s for src_partners: '
  255. '%r',
  256. dst_partner.id,
  257. list(map(operator.attrgetter('id'), src_partners)))
  258. columns = dst_partner._columns
  259. def write_serializer(column, item):
  260. if isinstance(item, browse_record):
  261. return item.id
  262. else:
  263. return item
  264. values = dict()
  265. for column, field in columns.iteritems():
  266. if (field._type not in ('many2many', 'one2many')
  267. and not isinstance(field, fields.function)):
  268. for item in itertools.chain(src_partners, [dst_partner]):
  269. if item[column]:
  270. values[column] = write_serializer(column,
  271. item[column])
  272. values.pop('id', None)
  273. parent_id = values.pop('parent_id', None)
  274. dst_partner.write(values)
  275. if parent_id and parent_id != dst_partner.id:
  276. try:
  277. dst_partner.write({'parent_id': parent_id})
  278. except (orm.except_orm, orm.except_orm):
  279. _logger.info('Skip recursive partner hierarchies for '
  280. 'parent_id %s of partner: %s',
  281. parent_id, dst_partner.id)
  282. @mute_logger('openerp.osv.expression', 'openerp.osv.orm')
  283. def _merge(self, cr, uid, partner_ids, dst_partner=None, context=None):
  284. proxy = self.pool.get('res.partner')
  285. partner_ids = proxy.exists(cr, uid, list(partner_ids),
  286. context=context)
  287. if not self.pool['res.users'].has_group(
  288. cr, uid, 'base_partner_merge.group_partner_merge'
  289. ):
  290. raise orm.except_orm(
  291. _('Error'),
  292. _("You do not belong to the 'Partner Merge' group. "
  293. "Please contact the Administrator to get access to "
  294. "the partner merge functionality."))
  295. if len(partner_ids) < 2:
  296. return
  297. if len(partner_ids) > 3:
  298. raise orm.except_orm(
  299. _('Error'),
  300. _("For safety reasons, you cannot merge more than 3 contacts "
  301. "together. You can re-open the wizard several times if "
  302. "needed."))
  303. if (len(set(partner.email for partner
  304. in proxy.browse(cr, uid, partner_ids,
  305. context=context))) > 1):
  306. raise orm.except_orm(
  307. _('Error'),
  308. _("All contacts must have the same email. Only the "
  309. "Administrator can merge contacts with different emails."))
  310. if dst_partner and dst_partner.id in partner_ids:
  311. src_ids = [
  312. partner_id for partner_id in partner_ids
  313. if partner_id != dst_partner.id
  314. ]
  315. src_partners = proxy.browse(cr, uid, src_ids, context=context)
  316. else:
  317. ordered_partners = self._get_ordered_partner(cr, uid, partner_ids,
  318. context)
  319. dst_partner = ordered_partners[-1]
  320. src_partners = ordered_partners[:-1]
  321. _logger.info("dst_partner: %s", dst_partner.id)
  322. call_it = lambda function: function(cr, uid, src_partners,
  323. dst_partner, context=context)
  324. call_it(self._update_foreign_keys)
  325. call_it(self._update_reference_fields)
  326. call_it(self._update_values)
  327. _logger.info('(uid = %s) merged the partners %r with %s',
  328. uid,
  329. list(map(operator.attrgetter('id'), src_partners)),
  330. dst_partner.id)
  331. dst_partner.message_post(
  332. body='%s %s' % (
  333. _("Merged with the following partners:"),
  334. ", ".join(
  335. '%s<%s>(ID %s)' % (p.name, p.email or 'n/a', p.id)
  336. for p in src_partners
  337. )
  338. )
  339. )
  340. for partner in src_partners:
  341. partner.unlink()
  342. def clean_emails(self, cr, uid, context=None):
  343. """
  344. Clean the email address of the partner, if there is an email field
  345. with a minimum of two addresses, the system will create a new partner,
  346. with the information of the previous one and will copy the new cleaned
  347. email into the email field.
  348. """
  349. if context is None:
  350. context = {}
  351. proxy_model = self.pool['ir.model.fields']
  352. field_ids = proxy_model.search(cr, uid,
  353. [('model', '=', 'res.partner'),
  354. ('ttype', 'like', '%2many')],
  355. context=context)
  356. field_list = proxy_model.read(cr, uid, field_ids, context=context)
  357. reset_fields = dict((field['name'], []) for field in field_list)
  358. proxy_partner = self.pool['res.partner']
  359. context['active_test'] = False
  360. ids = proxy_partner.search(cr, uid, [], context=context)
  361. field_list = ['name', 'var' 'partner_id' 'is_company', 'email']
  362. partners = proxy_partner.read(
  363. cr, uid, ids, field_list, context=context
  364. )
  365. partners.sort(key=operator.itemgetter('id'))
  366. partners_len = len(partners)
  367. _logger.info('partner_len: %r', partners_len)
  368. for idx, partner in enumerate(partners):
  369. if not partner['email']:
  370. continue
  371. percent = (idx / float(partners_len)) * 100.0
  372. _logger.info('idx: %r', idx)
  373. _logger.info('percent: %r', percent)
  374. try:
  375. emails = sanitize_email(partner['email'])
  376. head, tail = emails[:1], emails[1:]
  377. email = head[0] if head else False
  378. proxy_partner.write(cr, uid, [partner['id']],
  379. {'email': email}, context=context)
  380. for email in tail:
  381. values = dict(reset_fields, email=email)
  382. proxy_partner.copy(cr, uid, partner['id'], values,
  383. context=context)
  384. except Exception:
  385. _logger.exception("There is a problem with this partner: %r",
  386. partner)
  387. raise
  388. return True
  389. def close_cb(self, cr, uid, ids, context=None):
  390. return {'type': 'ir.actions.act_window_close'}
  391. def _generate_query(self, field_list, maximum_group=100):
  392. group_fields = ', '.join(field_list)
  393. filters = []
  394. for field in field_list:
  395. if field in ['email', 'name']:
  396. filters.append((field, 'IS NOT', 'NULL'))
  397. criteria = ' AND '.join('%s %s %s' % (field, operator, value)
  398. for field, operator, value in filters)
  399. text = [
  400. "SELECT min(id), array_agg(id)",
  401. "FROM res_partner",
  402. ]
  403. if criteria:
  404. text.append('WHERE %s' % criteria)
  405. text.extend([
  406. "GROUP BY %s" % group_fields,
  407. "HAVING COUNT(*) >= 2",
  408. "ORDER BY min(id)",
  409. ])
  410. if maximum_group:
  411. text.extend([
  412. "LIMIT %s" % maximum_group,
  413. ])
  414. return ' '.join(text)
  415. def _compute_selected_groupby(self, this):
  416. group_by_str = 'group_by_'
  417. group_by_len = len(group_by_str)
  418. field_list = [
  419. key[group_by_len:]
  420. for key in self._columns.keys()
  421. if key.startswith(group_by_str)
  422. ]
  423. groups = [
  424. field
  425. for field in field_list
  426. if getattr(this, '%s%s' % (group_by_str, field), False)
  427. ]
  428. if not groups:
  429. raise orm.except_orm(_('Error'),
  430. _("You have to specify a filter for your "
  431. "selection"))
  432. return groups
  433. def next_cb(self, cr, uid, ids, context=None):
  434. """
  435. Don't compute any thing
  436. """
  437. context = dict(context or {}, active_test=False)
  438. this = self.browse(cr, uid, ids[0], context=context)
  439. if this.current_line_id:
  440. this.current_line_id.unlink()
  441. return self._next_screen(cr, uid, this, context)
  442. def _get_ordered_partner(self, cr, uid, partner_ids, context=None):
  443. partners = self.pool.get('res.partner'
  444. ).browse(cr, uid,
  445. list(partner_ids),
  446. context=context)
  447. ordered_partners = sorted(
  448. sorted(
  449. partners,
  450. key=operator.attrgetter('create_date'),
  451. reverse=True
  452. ),
  453. key=operator.attrgetter('active'),
  454. reverse=True
  455. )
  456. return ordered_partners
  457. def _next_screen(self, cr, uid, this, context=None):
  458. this.refresh()
  459. values = {}
  460. if this.line_ids:
  461. # in this case, we try to find the next record.
  462. current_line = this.line_ids[0]
  463. current_partner_ids = literal_eval(current_line.aggr_ids)
  464. values.update({
  465. 'current_line_id': current_line.id,
  466. 'partner_ids': [(6, 0, current_partner_ids)],
  467. 'dst_partner_id': self._get_ordered_partner(
  468. cr, uid,
  469. current_partner_ids,
  470. context
  471. )[-1].id,
  472. 'state': 'selection',
  473. })
  474. else:
  475. values.update({
  476. 'current_line_id': False,
  477. 'partner_ids': [],
  478. 'state': 'finished',
  479. })
  480. this.write(values)
  481. return {
  482. 'type': 'ir.actions.act_window',
  483. 'res_model': this._name,
  484. 'res_id': this.id,
  485. 'view_mode': 'form',
  486. 'target': 'new',
  487. }
  488. def _model_is_installed(self, cr, uid, model, context=None):
  489. proxy = self.pool.get('ir.model')
  490. domain = [('model', '=', model)]
  491. return proxy.search_count(cr, uid, domain, context=context) > 0
  492. def _partner_use_in(self, cr, uid, aggr_ids, models, context=None):
  493. """
  494. Check if there is no occurence of this group of partner in the selected
  495. model
  496. """
  497. for model, field in models.iteritems():
  498. proxy = self.pool.get(model)
  499. domain = [(field, 'in', aggr_ids)]
  500. if proxy.search_count(cr, uid, domain, context=context):
  501. return True
  502. return False
  503. def compute_models(self, cr, uid, ids, context=None):
  504. """
  505. Compute the different models needed by the system if you want to
  506. exclude some partners.
  507. """
  508. assert is_integer_list(ids)
  509. this = self.browse(cr, uid, ids[0], context=context)
  510. models = {}
  511. if this.exclude_contact:
  512. models['res.users'] = 'partner_id'
  513. if (self._model_is_installed(cr, uid, 'account.move.line',
  514. context=context)
  515. and this.exclude_journal_item):
  516. models['account.move.line'] = 'partner_id'
  517. return models
  518. def _process_query(self, cr, uid, ids, query, context=None):
  519. """
  520. Execute the select request and write the result in this wizard
  521. """
  522. proxy = self.pool.get('base.partner.merge.line')
  523. this = self.browse(cr, uid, ids[0], context=context)
  524. models = self.compute_models(cr, uid, ids, context=context)
  525. cr.execute(query)
  526. counter = 0
  527. for min_id, aggr_ids in cr.fetchall():
  528. if models and self._partner_use_in(cr, uid, aggr_ids, models,
  529. context=context):
  530. continue
  531. values = {
  532. 'wizard_id': this.id,
  533. 'min_id': min_id,
  534. 'aggr_ids': aggr_ids,
  535. }
  536. proxy.create(cr, uid, values, context=context)
  537. counter += 1
  538. values = {
  539. 'state': 'selection',
  540. 'number_group': counter,
  541. }
  542. this.write(values)
  543. _logger.info("counter: %s", counter)
  544. def start_process_cb(self, cr, uid, ids, context=None):
  545. """
  546. Start the process.
  547. * Compute the selected groups (with duplication)
  548. * If the user has selected the 'exclude_XXX' fields, avoid the
  549. partners.
  550. """
  551. assert is_integer_list(ids)
  552. context = dict(context or {}, active_test=False)
  553. this = self.browse(cr, uid, ids[0], context=context)
  554. groups = self._compute_selected_groupby(this)
  555. query = self._generate_query(groups, this.maximum_group)
  556. self._process_query(cr, uid, ids, query, context=context)
  557. return self._next_screen(cr, uid, this, context)
  558. def automatic_process_cb(self, cr, uid, ids, context=None):
  559. assert is_integer_list(ids)
  560. this = self.browse(cr, uid, ids[0], context=context)
  561. this.start_process_cb()
  562. this.refresh()
  563. for line in this.line_ids:
  564. partner_ids = literal_eval(line.aggr_ids)
  565. self._merge(cr, uid, partner_ids, context=context)
  566. line.unlink()
  567. cr.commit()
  568. this.write({'state': 'finished'})
  569. return {
  570. 'type': 'ir.actions.act_window',
  571. 'res_model': this._name,
  572. 'res_id': this.id,
  573. 'view_mode': 'form',
  574. 'target': 'new',
  575. }
  576. def parent_migration_process_cb(self, cr, uid, ids, context=None):
  577. assert is_integer_list(ids)
  578. context = dict(context or {}, active_test=False)
  579. this = self.browse(cr, uid, ids[0], context=context)
  580. query = """
  581. SELECT
  582. min(p1.id),
  583. array_agg(DISTINCT p1.id)
  584. FROM
  585. res_partner as p1
  586. INNER join
  587. res_partner as p2
  588. ON
  589. p1.email = p2.email AND
  590. p1.name = p2.name AND
  591. (p1.parent_id = p2.id OR p1.id = p2.parent_id)
  592. WHERE
  593. p2.id IS NOT NULL
  594. GROUP BY
  595. p1.email,
  596. p1.name,
  597. CASE WHEN p1.parent_id = p2.id THEN p2.id
  598. ELSE p1.id
  599. END
  600. HAVING COUNT(*) >= 2
  601. ORDER BY
  602. min(p1.id)
  603. """
  604. self._process_query(cr, uid, ids, query, context=context)
  605. for line in this.line_ids:
  606. partner_ids = literal_eval(line.aggr_ids)
  607. self._merge(cr, uid, partner_ids, context=context)
  608. line.unlink()
  609. cr.commit()
  610. this.write({'state': 'finished'})
  611. cr.execute("""
  612. UPDATE
  613. res_partner
  614. SET
  615. is_company = NULL,
  616. parent_id = NULL
  617. WHERE
  618. parent_id = id
  619. """)
  620. return {
  621. 'type': 'ir.actions.act_window',
  622. 'res_model': this._name,
  623. 'res_id': this.id,
  624. 'view_mode': 'form',
  625. 'target': 'new',
  626. }
  627. def update_all_process_cb(self, cr, uid, ids, context=None):
  628. assert is_integer_list(ids)
  629. # WITH RECURSIVE cycle(id, parent_id) AS (
  630. # SELECT id, parent_id FROM res_partner
  631. # UNION
  632. # SELECT cycle.id, res_partner.parent_id
  633. # FROM res_partner, cycle
  634. # WHERE res_partner.id = cycle.parent_id AND
  635. # cycle.id != cycle.parent_id
  636. # )
  637. # UPDATE res_partner
  638. # SET parent_id = NULL
  639. # WHERE id in (SELECT id FROM cycle WHERE id = parent_id);
  640. this = self.browse(cr, uid, ids[0], context=context)
  641. self.parent_migration_process_cb(cr, uid, ids, context=None)
  642. list_merge = [
  643. {'group_by_vat': True,
  644. 'group_by_email': True,
  645. 'group_by_name': True},
  646. # {'group_by_name': True,
  647. # 'group_by_is_company': True,
  648. # 'group_by_parent_id': True},
  649. # {'group_by_email': True,
  650. # 'group_by_is_company': True,
  651. # 'group_by_parent_id': True},
  652. # {'group_by_name': True,
  653. # 'group_by_vat': True,
  654. # 'group_by_is_company': True,
  655. # 'exclude_journal_item': True},
  656. # {'group_by_email': True,
  657. # 'group_by_vat': True,
  658. # 'group_by_is_company': True,
  659. # 'exclude_journal_item': True},
  660. # {'group_by_email': True,
  661. # 'group_by_is_company': True,
  662. # 'exclude_contact': True,
  663. # 'exclude_journal_item': True},
  664. # {'group_by_name': True,
  665. # 'group_by_is_company': True,
  666. # 'exclude_contact': True,
  667. # 'exclude_journal_item': True}
  668. ]
  669. for merge_value in list_merge:
  670. merge_id = self.create(cr, uid, merge_value, context=context)
  671. self.automatic_process_cb(cr, uid, [merge_id], context=context)
  672. cr.execute("""
  673. UPDATE
  674. res_partner
  675. SET
  676. is_company = NULL
  677. WHERE
  678. parent_id IS NOT NULL AND
  679. is_company IS NOT NULL
  680. """)
  681. # cr.execute("""
  682. # UPDATE
  683. # res_partner as p1
  684. # SET
  685. # is_company = NULL,
  686. # parent_id = (
  687. # SELECT p2.id
  688. # FROM res_partner as p2
  689. # WHERE p2.email = p1.email AND
  690. # p2.parent_id != p2.id
  691. # LIMIT 1
  692. # )
  693. # WHERE
  694. # p1.parent_id = p1.id
  695. # """)
  696. return self._next_screen(cr, uid, this, context)
  697. def merge_cb(self, cr, uid, ids, context=None):
  698. assert is_integer_list(ids)
  699. context = dict(context or {}, active_test=False)
  700. this = self.browse(cr, uid, ids[0], context=context)
  701. partner_ids = set(map(int, this.partner_ids))
  702. if not partner_ids:
  703. this.write({'state': 'finished'})
  704. return {
  705. 'type': 'ir.actions.act_window',
  706. 'res_model': this._name,
  707. 'res_id': this.id,
  708. 'view_mode': 'form',
  709. 'target': 'new',
  710. }
  711. self._merge(cr, uid, partner_ids, this.dst_partner_id,
  712. context=context)
  713. if this.current_line_id:
  714. this.current_line_id.unlink()
  715. return self._next_screen(cr, uid, this, context)
  716. def auto_set_parent_id(self, cr, uid, ids, context=None):
  717. assert is_integer_list(ids)
  718. # select partner who have one least invoice
  719. partner_treated = ['@gmail.com']
  720. cr.execute(""" SELECT p.id, p.email
  721. FROM res_partner as p
  722. LEFT JOIN account_invoice as a
  723. ON p.id = a.partner_id AND a.state in ('open','paid')
  724. WHERE p.grade_id is NOT NULL
  725. GROUP BY p.id
  726. ORDER BY COUNT(a.id) DESC
  727. """)
  728. re_email = re.compile(r".*@")
  729. for partner_id, email in cr.fetchall():
  730. # check email domain
  731. email = re_email.sub("@", email or "")
  732. if not email or email in partner_treated:
  733. continue
  734. partner_treated.append(email)
  735. # don't update the partners if they are more of one who have
  736. # invoice
  737. cr.execute("""
  738. SELECT *
  739. FROM res_partner as p
  740. WHERE p.id != %s AND p.email LIKE '%%%s' AND
  741. EXISTS (SELECT * FROM account_invoice as a
  742. WHERE p.id = a.partner_id
  743. AND a.state in ('open','paid'))
  744. """ % (partner_id, email))
  745. if len(cr.fetchall()) > 1:
  746. _logger.info("%s MORE OF ONE COMPANY", email)
  747. continue
  748. # to display changed values
  749. cr.execute(""" SELECT id,email
  750. FROM res_partner
  751. WHERE parent_id != %s
  752. AND id != %s AND email LIKE '%%%s'
  753. """ % (partner_id, partner_id, email))
  754. _logger.info("%r", cr.fetchall())
  755. # upgrade
  756. cr.execute(""" UPDATE res_partner
  757. SET parent_id = %s
  758. WHERE id != %s AND email LIKE '%%%s'
  759. """ % (partner_id, partner_id, email))
  760. return False