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.

902 lines
33 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
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
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("&(\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=htmlentitydefs.entitydefs):
  23. try:
  24. return defs[m.group(1)]
  25. except KeyError:
  26. return m.group(0)
  27. def html_entity_decode(string):
  28. return pattern.sub(html_entity_decode_char, string)
  29. def sanitize_email(partner_email):
  30. assert isinstance(partner_email, basestring) and partner_email
  31. result = re.subn(r';|/|:', ',',
  32. html_entity_decode(partner_email or ''))[0].split(',')
  33. emails = [parseaddr(email)[1]
  34. for item in result
  35. for email in item.split()]
  36. return [email.lower()
  37. for email in emails
  38. if validate_email(email)]
  39. def is_integer_list(ids):
  40. return all(isinstance(i, (int, long)) for i in ids)
  41. class ResPartner(orm.Model):
  42. _inherit = 'res.partner'
  43. _columns = {
  44. 'id': fields.integer('Id', readonly=True),
  45. 'create_date': fields.datetime('Create Date', readonly=True),
  46. }
  47. class MergePartnerLine(orm.TransientModel):
  48. _name = 'base.partner.merge.line'
  49. _columns = {
  50. 'wizard_id': fields.many2one('base.partner.merge.automatic.wizard',
  51. 'Wizard'),
  52. 'min_id': fields.integer('MinID'),
  53. 'aggr_ids': fields.char('Ids', required=True),
  54. }
  55. _order = 'min_id asc'
  56. class MergePartnerAutomatic(orm.TransientModel):
  57. """
  58. The idea behind this wizard is to create a list of potential partners to
  59. merge. We use two objects, the first one is the wizard for the end-user.
  60. And the second will contain the partner list to merge.
  61. """
  62. _name = 'base.partner.merge.automatic.wizard'
  63. _columns = {
  64. # Group by
  65. 'group_by_email': fields.boolean('Email'),
  66. 'group_by_name': fields.boolean('Name'),
  67. 'group_by_is_company': fields.boolean('Is Company'),
  68. 'group_by_vat': fields.boolean('VAT'),
  69. 'group_by_parent_id': fields.boolean('Parent Company'),
  70. 'state': fields.selection([('option', 'Option'),
  71. ('selection', 'Selection'),
  72. ('finished', 'Finished')],
  73. 'State',
  74. readonly=True,
  75. required=True),
  76. 'number_group': fields.integer("Group of Contacts", readonly=True),
  77. 'current_line_id': fields.many2one('base.partner.merge.line',
  78. 'Current Line'),
  79. 'line_ids': fields.one2many('base.partner.merge.line',
  80. 'wizard_id', 'Lines'),
  81. 'partner_ids': fields.many2many('res.partner', string='Contacts'),
  82. 'dst_partner_id': fields.many2one('res.partner',
  83. string='Destination Contact'),
  84. 'exclude_contact': fields.boolean('A user associated to the contact'),
  85. 'exclude_journal_item': fields.boolean('Journal Items associated'
  86. ' to the contact'),
  87. 'maximum_group': fields.integer("Maximum of Group of Contacts"),
  88. }
  89. def default_get(self, cr, uid, fields, context=None):
  90. if context is None:
  91. context = {}
  92. res = super(MergePartnerAutomatic, self
  93. ).default_get(cr, uid, fields, context)
  94. if (context.get('active_model') == 'res.partner'
  95. and context.get('active_ids')):
  96. partner_ids = context['active_ids']
  97. res['state'] = 'selection'
  98. res['partner_ids'] = partner_ids
  99. res['dst_partner_id'] = self._get_ordered_partner(cr, uid,
  100. partner_ids,
  101. context=context
  102. )[-1].id
  103. return res
  104. _defaults = {
  105. 'state': 'option'
  106. }
  107. def get_fk_on(self, cr, table):
  108. q = """ SELECT cl1.relname as table,
  109. att1.attname as column
  110. FROM pg_constraint as con, pg_class as cl1, pg_class as cl2,
  111. pg_attribute as att1, pg_attribute as att2
  112. WHERE con.conrelid = cl1.oid
  113. AND con.confrelid = cl2.oid
  114. AND array_lower(con.conkey, 1) = 1
  115. AND con.conkey[1] = att1.attnum
  116. AND att1.attrelid = cl1.oid
  117. AND cl2.relname = %s
  118. AND att2.attname = 'id'
  119. AND array_lower(con.confkey, 1) = 1
  120. AND con.confkey[1] = att2.attnum
  121. AND att2.attrelid = cl2.oid
  122. AND con.contype = 'f'
  123. """
  124. return cr.execute(q, (table,))
  125. def _update_foreign_keys(self, cr, uid, src_partners,
  126. dst_partner, context=None):
  127. _logger.debug('_update_foreign_keys for dst_partner: %s for '
  128. 'src_partners: %r',
  129. dst_partner.id,
  130. list(map(operator.attrgetter('id'), src_partners)))
  131. # find the many2one relation to a partner
  132. proxy = self.pool.get('res.partner')
  133. self.get_fk_on(cr, 'res_partner')
  134. # ignore two tables
  135. for table, column in cr.fetchall():
  136. if 'base_partner_merge_' in table:
  137. continue
  138. partner_ids = tuple(map(int, src_partners))
  139. query = ("SELECT column_name FROM information_schema.columns"
  140. " WHERE table_name LIKE '%s'") % (table)
  141. cr.execute(query, ())
  142. columns = []
  143. for data in cr.fetchall():
  144. if data[0] != column:
  145. columns.append(data[0])
  146. query_dic = {
  147. 'table': table,
  148. 'column': column,
  149. 'value': columns[0],
  150. }
  151. if len(columns) <= 1:
  152. # unique key treated
  153. query = """
  154. UPDATE "%(table)s" as ___tu
  155. SET %(column)s = %%s
  156. WHERE
  157. %(column)s = %%s AND
  158. NOT EXISTS (
  159. SELECT 1
  160. FROM "%(table)s" as ___tw
  161. WHERE
  162. %(column)s = %%s AND
  163. ___tu.%(value)s = ___tw.%(value)s
  164. )""" % query_dic
  165. for partner_id in partner_ids:
  166. cr.execute(query, (dst_partner.id, partner_id,
  167. dst_partner.id))
  168. else:
  169. cr.execute("SAVEPOINT recursive_partner_savepoint")
  170. try:
  171. query = ('UPDATE "%(table)s" SET %(column)s = %%s WHERE '
  172. '%(column)s IN %%s') % query_dic
  173. cr.execute(query, (dst_partner.id, partner_ids,))
  174. if (column == proxy._parent_name
  175. and table == 'res_partner'):
  176. query = """
  177. WITH RECURSIVE cycle(id, parent_id) AS (
  178. SELECT id, parent_id FROM res_partner
  179. UNION
  180. SELECT cycle.id, res_partner.parent_id
  181. FROM res_partner, cycle
  182. WHERE res_partner.id = cycle.parent_id
  183. AND cycle.id != cycle.parent_id
  184. )
  185. SELECT id FROM cycle
  186. WHERE id = parent_id AND id = %s
  187. """
  188. cr.execute(query, (dst_partner.id,))
  189. if cr.fetchall():
  190. cr.execute("ROLLBACK TO SAVEPOINT "
  191. "recursive_partner_savepoint")
  192. finally:
  193. cr.execute("RELEASE SAVEPOINT "
  194. "recursive_partner_savepoint")
  195. def _update_reference_fields(self, cr, uid, src_partners, dst_partner,
  196. context=None):
  197. _logger.debug('_update_reference_fields for dst_partner: %s for '
  198. 'src_partners: %r',
  199. dst_partner.id,
  200. list(map(operator.attrgetter('id'), src_partners)))
  201. def update_records(model, src, field_model='model', field_id='res_id',
  202. context=None):
  203. proxy = self.pool.get(model)
  204. if proxy is None:
  205. return
  206. domain = [(field_model, '=', 'res.partner'),
  207. (field_id, '=', src.id)]
  208. ids = proxy.search(cr, openerp.SUPERUSER_ID,
  209. domain, context=context)
  210. return proxy.write(cr, openerp.SUPERUSER_ID, ids,
  211. {field_id: dst_partner.id}, context=context)
  212. update_records = functools.partial(update_records, context=context)
  213. for partner in src_partners:
  214. update_records('base.calendar', src=partner,
  215. field_model='model_id.model')
  216. update_records('ir.attachment', src=partner,
  217. field_model='res_model')
  218. update_records('mail.followers', src=partner,
  219. field_model='res_model')
  220. update_records('mail.message', src=partner)
  221. update_records('marketing.campaign.workitem', src=partner,
  222. field_model='object_id.model')
  223. update_records('ir.model.data', src=partner)
  224. proxy = self.pool['ir.model.fields']
  225. domain = [('ttype', '=', 'reference')]
  226. record_ids = proxy.search(cr, openerp.SUPERUSER_ID, domain,
  227. context=context)
  228. for record in proxy.browse(cr, openerp.SUPERUSER_ID, record_ids,
  229. context=context):
  230. try:
  231. proxy_model = self.pool[record.model]
  232. except KeyError:
  233. # ignore old tables
  234. continue
  235. if record.model == 'ir.property':
  236. continue
  237. field_type = proxy_model._columns.get(record.name).__class__._type
  238. if field_type == 'function':
  239. continue
  240. for partner in src_partners:
  241. domain = [
  242. (record.name, '=', 'res.partner,%d' % partner.id)
  243. ]
  244. model_ids = proxy_model.search(cr, openerp.SUPERUSER_ID,
  245. domain, context=context)
  246. values = {
  247. record.name: 'res.partner,%d' % dst_partner.id,
  248. }
  249. proxy_model.write(cr, openerp.SUPERUSER_ID, model_ids, values,
  250. context=context)
  251. def _update_values(self, cr, uid, src_partners, dst_partner, context=None):
  252. _logger.debug('_update_values for dst_partner: %s for src_partners: '
  253. '%r',
  254. dst_partner.id,
  255. list(map(operator.attrgetter('id'), src_partners)))
  256. columns = dst_partner._columns
  257. def write_serializer(column, item):
  258. if isinstance(item, browse_record):
  259. return item.id
  260. else:
  261. return item
  262. values = dict()
  263. for column, field in columns.iteritems():
  264. if (field._type not in ('many2many', 'one2many')
  265. and not isinstance(field, fields.function)):
  266. for item in itertools.chain(src_partners, [dst_partner]):
  267. if item[column]:
  268. values[column] = write_serializer(column,
  269. item[column])
  270. values.pop('id', None)
  271. parent_id = values.pop('parent_id', None)
  272. dst_partner.write(values)
  273. if parent_id and parent_id != dst_partner.id:
  274. try:
  275. dst_partner.write({'parent_id': parent_id})
  276. except (orm.except_orm, orm.except_orm):
  277. _logger.info('Skip recursive partner hierarchies for '
  278. 'parent_id %s of partner: %s',
  279. parent_id, dst_partner.id)
  280. @mute_logger('openerp.osv.expression', 'openerp.osv.orm')
  281. def _merge(self, cr, uid, partner_ids, dst_partner=None, context=None):
  282. proxy = self.pool.get('res.partner')
  283. partner_ids = proxy.exists(cr, uid, list(partner_ids),
  284. context=context)
  285. if len(partner_ids) < 2:
  286. return
  287. if len(partner_ids) > 3:
  288. raise orm.except_orm(
  289. _('Error'),
  290. _("For safety reasons, you cannot merge more than 3 contacts "
  291. "together. You can re-open the wizard several times if "
  292. "needed."))
  293. if (openerp.SUPERUSER_ID != uid
  294. and len(set(partner.email for partner
  295. in proxy.browse(cr, uid, partner_ids,
  296. context=context))) > 1):
  297. raise orm.except_orm(
  298. _('Error'),
  299. _("All contacts must have the same email. Only the "
  300. "Administrator can merge contacts with different emails."))
  301. if dst_partner and dst_partner.id in partner_ids:
  302. src_partners = proxy.browse(cr, uid,
  303. [id for id in partner_ids
  304. if id != dst_partner.id],
  305. context=context)
  306. else:
  307. ordered_partners = self._get_ordered_partner(cr, uid, partner_ids,
  308. context)
  309. dst_partner = ordered_partners[-1]
  310. src_partners = ordered_partners[:-1]
  311. _logger.info("dst_partner: %s", dst_partner.id)
  312. if (openerp.SUPERUSER_ID != uid
  313. and self._model_is_installed(cr, uid, 'account.move.line',
  314. context=context)
  315. and self.pool.get('account.move.line'
  316. ).search(cr, openerp.SUPERUSER_ID,
  317. [('partner_id',
  318. 'in',
  319. [partner.id for partner
  320. in src_partners])],
  321. context=context)):
  322. raise orm.except_orm(
  323. _('Error'),
  324. _("Only the destination contact may be linked to existing "
  325. "Journal Items. Please ask the Administrator if you need to"
  326. " merge several contacts linked to existing Journal "
  327. "Items."))
  328. call_it = lambda function: function(cr, uid, src_partners,
  329. dst_partner, context=context)
  330. call_it(self._update_foreign_keys)
  331. call_it(self._update_reference_fields)
  332. call_it(self._update_values)
  333. _logger.info('(uid = %s) merged the partners %r with %s',
  334. uid,
  335. list(map(operator.attrgetter('id'), src_partners)),
  336. dst_partner.id)
  337. dst_partner.message_post(
  338. body='%s %s' % (
  339. _("Merged with the following partners:"),
  340. ", ".join(
  341. '%s<%s>(ID %s)' % (p.name, p.email or 'n/a', p.id)
  342. for p in src_partners
  343. )
  344. )
  345. )
  346. for partner in src_partners:
  347. partner.unlink()
  348. def clean_emails(self, cr, uid, context=None):
  349. """
  350. Clean the email address of the partner, if there is an email field
  351. with a minimum of two addresses, the system will create a new partner,
  352. with the information of the previous one and will copy the new cleaned
  353. email into the email field.
  354. """
  355. if context is None:
  356. context = {}
  357. proxy_model = self.pool['ir.model.fields']
  358. field_ids = proxy_model.search(cr, uid,
  359. [('model', '=', 'res.partner'),
  360. ('ttype', 'like', '%2many')],
  361. context=context)
  362. fields = proxy_model.read(cr, uid, field_ids, context=context)
  363. reset_fields = dict((field['name'], []) for field in fields)
  364. proxy_partner = self.pool['res.partner']
  365. context['active_test'] = False
  366. ids = proxy_partner.search(cr, uid, [], context=context)
  367. fields = ['name', 'var' 'partner_id' 'is_company', 'email']
  368. partners = proxy_partner.read(cr, uid, ids, fields, context=context)
  369. partners.sort(key=operator.itemgetter('id'))
  370. partners_len = len(partners)
  371. _logger.info('partner_len: %r', partners_len)
  372. for idx, partner in enumerate(partners):
  373. if not partner['email']:
  374. continue
  375. percent = (idx / float(partners_len)) * 100.0
  376. _logger.info('idx: %r', idx)
  377. _logger.info('percent: %r', percent)
  378. try:
  379. emails = sanitize_email(partner['email'])
  380. head, tail = emails[:1], emails[1:]
  381. email = head[0] if head else False
  382. proxy_partner.write(cr, uid, [partner['id']],
  383. {'email': email}, context=context)
  384. for email in tail:
  385. values = dict(reset_fields, email=email)
  386. proxy_partner.copy(cr, uid, partner['id'], values,
  387. context=context)
  388. except Exception:
  389. _logger.exception("There is a problem with this partner: %r",
  390. partner)
  391. raise
  392. return True
  393. def close_cb(self, cr, uid, ids, context=None):
  394. return {'type': 'ir.actions.act_window_close'}
  395. def _generate_query(self, fields, maximum_group=100):
  396. group_fields = ', '.join(fields)
  397. filters = []
  398. for field in fields:
  399. if field in ['email', 'name']:
  400. filters.append((field, 'IS NOT', 'NULL'))
  401. criteria = ' AND '.join('%s %s %s' % (field, operator, value)
  402. for field, operator, value in filters)
  403. text = [
  404. "SELECT min(id), array_agg(id)",
  405. "FROM res_partner",
  406. ]
  407. if criteria:
  408. text.append('WHERE %s' % criteria)
  409. text.extend([
  410. "GROUP BY %s" % group_fields,
  411. "HAVING COUNT(*) >= 2",
  412. "ORDER BY min(id)",
  413. ])
  414. if maximum_group:
  415. text.extend([
  416. "LIMIT %s" % maximum_group,
  417. ])
  418. return ' '.join(text)
  419. def _compute_selected_groupby(self, this):
  420. group_by_str = 'group_by_'
  421. group_by_len = len(group_by_str)
  422. fields = [
  423. key[group_by_len:]
  424. for key in self._columns.keys()
  425. if key.startswith(group_by_str)
  426. ]
  427. groups = [
  428. field
  429. for field in fields
  430. if getattr(this, '%s%s' % (group_by_str, field), False)
  431. ]
  432. if not groups:
  433. raise orm.except_orm(_('Error'),
  434. _("You have to specify a filter for your "
  435. "selection"))
  436. return groups
  437. def next_cb(self, cr, uid, ids, context=None):
  438. """
  439. Don't compute any thing
  440. """
  441. context = dict(context or {}, active_test=False)
  442. this = self.browse(cr, uid, ids[0], context=context)
  443. if this.current_line_id:
  444. this.current_line_id.unlink()
  445. return self._next_screen(cr, uid, this, context)
  446. def _get_ordered_partner(self, cr, uid, partner_ids, context=None):
  447. partners = self.pool.get('res.partner'
  448. ).browse(cr, uid,
  449. list(partner_ids),
  450. context=context)
  451. ordered_partners = sorted(sorted(partners,
  452. key=operator.attrgetter('create_date'),
  453. reverse=True),
  454. key=operator.attrgetter('active'),
  455. reverse=True)
  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. id = self.create(cr, uid, merge_value, context=context)
  671. self.automatic_process_cb(cr, uid, [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 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. """ % (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. """ % (id, 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. """ % (id, id, email))
  760. return False