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.

900 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
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("&(\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_partners = proxy.browse(cr, uid,
  312. [id for id in partner_ids
  313. if id != dst_partner.id],
  314. context=context)
  315. else:
  316. ordered_partners = self._get_ordered_partner(cr, uid, partner_ids,
  317. context)
  318. dst_partner = ordered_partners[-1]
  319. src_partners = ordered_partners[:-1]
  320. _logger.info("dst_partner: %s", dst_partner.id)
  321. call_it = lambda function: function(cr, uid, src_partners,
  322. dst_partner, context=context)
  323. call_it(self._update_foreign_keys)
  324. call_it(self._update_reference_fields)
  325. call_it(self._update_values)
  326. _logger.info('(uid = %s) merged the partners %r with %s',
  327. uid,
  328. list(map(operator.attrgetter('id'), src_partners)),
  329. dst_partner.id)
  330. dst_partner.message_post(
  331. body='%s %s' % (
  332. _("Merged with the following partners:"),
  333. ", ".join(
  334. '%s<%s>(ID %s)' % (p.name, p.email or 'n/a', p.id)
  335. for p in src_partners
  336. )
  337. )
  338. )
  339. for partner in src_partners:
  340. partner.unlink()
  341. def clean_emails(self, cr, uid, context=None):
  342. """
  343. Clean the email address of the partner, if there is an email field
  344. with a minimum of two addresses, the system will create a new partner,
  345. with the information of the previous one and will copy the new cleaned
  346. email into the email field.
  347. """
  348. if context is None:
  349. context = {}
  350. proxy_model = self.pool['ir.model.fields']
  351. field_ids = proxy_model.search(cr, uid,
  352. [('model', '=', 'res.partner'),
  353. ('ttype', 'like', '%2many')],
  354. context=context)
  355. fields = proxy_model.read(cr, uid, field_ids, context=context)
  356. reset_fields = dict((field['name'], []) for field in fields)
  357. proxy_partner = self.pool['res.partner']
  358. context['active_test'] = False
  359. ids = proxy_partner.search(cr, uid, [], context=context)
  360. fields = ['name', 'var' 'partner_id' 'is_company', 'email']
  361. partners = proxy_partner.read(cr, uid, ids, fields, context=context)
  362. partners.sort(key=operator.itemgetter('id'))
  363. partners_len = len(partners)
  364. _logger.info('partner_len: %r', partners_len)
  365. for idx, partner in enumerate(partners):
  366. if not partner['email']:
  367. continue
  368. percent = (idx / float(partners_len)) * 100.0
  369. _logger.info('idx: %r', idx)
  370. _logger.info('percent: %r', percent)
  371. try:
  372. emails = sanitize_email(partner['email'])
  373. head, tail = emails[:1], emails[1:]
  374. email = head[0] if head else False
  375. proxy_partner.write(cr, uid, [partner['id']],
  376. {'email': email}, context=context)
  377. for email in tail:
  378. values = dict(reset_fields, email=email)
  379. proxy_partner.copy(cr, uid, partner['id'], values,
  380. context=context)
  381. except Exception:
  382. _logger.exception("There is a problem with this partner: %r",
  383. partner)
  384. raise
  385. return True
  386. def close_cb(self, cr, uid, ids, context=None):
  387. return {'type': 'ir.actions.act_window_close'}
  388. def _generate_query(self, fields, maximum_group=100):
  389. group_fields = ', '.join(fields)
  390. filters = []
  391. for field in fields:
  392. if field in ['email', 'name']:
  393. filters.append((field, 'IS NOT', 'NULL'))
  394. criteria = ' AND '.join('%s %s %s' % (field, operator, value)
  395. for field, operator, value in filters)
  396. text = [
  397. "SELECT min(id), array_agg(id)",
  398. "FROM res_partner",
  399. ]
  400. if criteria:
  401. text.append('WHERE %s' % criteria)
  402. text.extend([
  403. "GROUP BY %s" % group_fields,
  404. "HAVING COUNT(*) >= 2",
  405. "ORDER BY min(id)",
  406. ])
  407. if maximum_group:
  408. text.extend([
  409. "LIMIT %s" % maximum_group,
  410. ])
  411. return ' '.join(text)
  412. def _compute_selected_groupby(self, this):
  413. group_by_str = 'group_by_'
  414. group_by_len = len(group_by_str)
  415. fields = [
  416. key[group_by_len:]
  417. for key in self._columns.keys()
  418. if key.startswith(group_by_str)
  419. ]
  420. groups = [
  421. field
  422. for field in fields
  423. if getattr(this, '%s%s' % (group_by_str, field), False)
  424. ]
  425. if not groups:
  426. raise orm.except_orm(_('Error'),
  427. _("You have to specify a filter for your "
  428. "selection"))
  429. return groups
  430. def next_cb(self, cr, uid, ids, context=None):
  431. """
  432. Don't compute any thing
  433. """
  434. context = dict(context or {}, active_test=False)
  435. this = self.browse(cr, uid, ids[0], context=context)
  436. if this.current_line_id:
  437. this.current_line_id.unlink()
  438. return self._next_screen(cr, uid, this, context)
  439. def _get_ordered_partner(self, cr, uid, partner_ids, context=None):
  440. partners = self.pool.get('res.partner'
  441. ).browse(cr, uid,
  442. list(partner_ids),
  443. context=context)
  444. ordered_partners = sorted(
  445. sorted(
  446. partners,
  447. key=operator.attrgetter('create_date'),
  448. reverse=True
  449. ),
  450. key=operator.attrgetter('active'),
  451. reverse=True
  452. )
  453. return ordered_partners
  454. def _next_screen(self, cr, uid, this, context=None):
  455. this.refresh()
  456. values = {}
  457. if this.line_ids:
  458. # in this case, we try to find the next record.
  459. current_line = this.line_ids[0]
  460. current_partner_ids = literal_eval(current_line.aggr_ids)
  461. values.update({
  462. 'current_line_id': current_line.id,
  463. 'partner_ids': [(6, 0, current_partner_ids)],
  464. 'dst_partner_id': self._get_ordered_partner(
  465. cr, uid,
  466. current_partner_ids,
  467. context
  468. )[-1].id,
  469. 'state': 'selection',
  470. })
  471. else:
  472. values.update({
  473. 'current_line_id': False,
  474. 'partner_ids': [],
  475. 'state': 'finished',
  476. })
  477. this.write(values)
  478. return {
  479. 'type': 'ir.actions.act_window',
  480. 'res_model': this._name,
  481. 'res_id': this.id,
  482. 'view_mode': 'form',
  483. 'target': 'new',
  484. }
  485. def _model_is_installed(self, cr, uid, model, context=None):
  486. proxy = self.pool.get('ir.model')
  487. domain = [('model', '=', model)]
  488. return proxy.search_count(cr, uid, domain, context=context) > 0
  489. def _partner_use_in(self, cr, uid, aggr_ids, models, context=None):
  490. """
  491. Check if there is no occurence of this group of partner in the selected
  492. model
  493. """
  494. for model, field in models.iteritems():
  495. proxy = self.pool.get(model)
  496. domain = [(field, 'in', aggr_ids)]
  497. if proxy.search_count(cr, uid, domain, context=context):
  498. return True
  499. return False
  500. def compute_models(self, cr, uid, ids, context=None):
  501. """
  502. Compute the different models needed by the system if you want to
  503. exclude some partners.
  504. """
  505. assert is_integer_list(ids)
  506. this = self.browse(cr, uid, ids[0], context=context)
  507. models = {}
  508. if this.exclude_contact:
  509. models['res.users'] = 'partner_id'
  510. if (self._model_is_installed(cr, uid, 'account.move.line',
  511. context=context)
  512. and this.exclude_journal_item):
  513. models['account.move.line'] = 'partner_id'
  514. return models
  515. def _process_query(self, cr, uid, ids, query, context=None):
  516. """
  517. Execute the select request and write the result in this wizard
  518. """
  519. proxy = self.pool.get('base.partner.merge.line')
  520. this = self.browse(cr, uid, ids[0], context=context)
  521. models = self.compute_models(cr, uid, ids, context=context)
  522. cr.execute(query)
  523. counter = 0
  524. for min_id, aggr_ids in cr.fetchall():
  525. if models and self._partner_use_in(cr, uid, aggr_ids, models,
  526. context=context):
  527. continue
  528. values = {
  529. 'wizard_id': this.id,
  530. 'min_id': min_id,
  531. 'aggr_ids': aggr_ids,
  532. }
  533. proxy.create(cr, uid, values, context=context)
  534. counter += 1
  535. values = {
  536. 'state': 'selection',
  537. 'number_group': counter,
  538. }
  539. this.write(values)
  540. _logger.info("counter: %s", counter)
  541. def start_process_cb(self, cr, uid, ids, context=None):
  542. """
  543. Start the process.
  544. * Compute the selected groups (with duplication)
  545. * If the user has selected the 'exclude_XXX' fields, avoid the
  546. partners.
  547. """
  548. assert is_integer_list(ids)
  549. context = dict(context or {}, active_test=False)
  550. this = self.browse(cr, uid, ids[0], context=context)
  551. groups = self._compute_selected_groupby(this)
  552. query = self._generate_query(groups, this.maximum_group)
  553. self._process_query(cr, uid, ids, query, context=context)
  554. return self._next_screen(cr, uid, this, context)
  555. def automatic_process_cb(self, cr, uid, ids, context=None):
  556. assert is_integer_list(ids)
  557. this = self.browse(cr, uid, ids[0], context=context)
  558. this.start_process_cb()
  559. this.refresh()
  560. for line in this.line_ids:
  561. partner_ids = literal_eval(line.aggr_ids)
  562. self._merge(cr, uid, partner_ids, context=context)
  563. line.unlink()
  564. cr.commit()
  565. this.write({'state': 'finished'})
  566. return {
  567. 'type': 'ir.actions.act_window',
  568. 'res_model': this._name,
  569. 'res_id': this.id,
  570. 'view_mode': 'form',
  571. 'target': 'new',
  572. }
  573. def parent_migration_process_cb(self, cr, uid, ids, context=None):
  574. assert is_integer_list(ids)
  575. context = dict(context or {}, active_test=False)
  576. this = self.browse(cr, uid, ids[0], context=context)
  577. query = """
  578. SELECT
  579. min(p1.id),
  580. array_agg(DISTINCT p1.id)
  581. FROM
  582. res_partner as p1
  583. INNER join
  584. res_partner as p2
  585. ON
  586. p1.email = p2.email AND
  587. p1.name = p2.name AND
  588. (p1.parent_id = p2.id OR p1.id = p2.parent_id)
  589. WHERE
  590. p2.id IS NOT NULL
  591. GROUP BY
  592. p1.email,
  593. p1.name,
  594. CASE WHEN p1.parent_id = p2.id THEN p2.id
  595. ELSE p1.id
  596. END
  597. HAVING COUNT(*) >= 2
  598. ORDER BY
  599. min(p1.id)
  600. """
  601. self._process_query(cr, uid, ids, query, context=context)
  602. for line in this.line_ids:
  603. partner_ids = literal_eval(line.aggr_ids)
  604. self._merge(cr, uid, partner_ids, context=context)
  605. line.unlink()
  606. cr.commit()
  607. this.write({'state': 'finished'})
  608. cr.execute("""
  609. UPDATE
  610. res_partner
  611. SET
  612. is_company = NULL,
  613. parent_id = NULL
  614. WHERE
  615. parent_id = id
  616. """)
  617. return {
  618. 'type': 'ir.actions.act_window',
  619. 'res_model': this._name,
  620. 'res_id': this.id,
  621. 'view_mode': 'form',
  622. 'target': 'new',
  623. }
  624. def update_all_process_cb(self, cr, uid, ids, context=None):
  625. assert is_integer_list(ids)
  626. # WITH RECURSIVE cycle(id, parent_id) AS (
  627. # SELECT id, parent_id FROM res_partner
  628. # UNION
  629. # SELECT cycle.id, res_partner.parent_id
  630. # FROM res_partner, cycle
  631. # WHERE res_partner.id = cycle.parent_id AND
  632. # cycle.id != cycle.parent_id
  633. # )
  634. # UPDATE res_partner
  635. # SET parent_id = NULL
  636. # WHERE id in (SELECT id FROM cycle WHERE id = parent_id);
  637. this = self.browse(cr, uid, ids[0], context=context)
  638. self.parent_migration_process_cb(cr, uid, ids, context=None)
  639. list_merge = [
  640. {'group_by_vat': True,
  641. 'group_by_email': True,
  642. 'group_by_name': True},
  643. # {'group_by_name': True,
  644. # 'group_by_is_company': True,
  645. # 'group_by_parent_id': True},
  646. # {'group_by_email': True,
  647. # 'group_by_is_company': True,
  648. # 'group_by_parent_id': True},
  649. # {'group_by_name': True,
  650. # 'group_by_vat': True,
  651. # 'group_by_is_company': True,
  652. # 'exclude_journal_item': True},
  653. # {'group_by_email': True,
  654. # 'group_by_vat': True,
  655. # 'group_by_is_company': True,
  656. # 'exclude_journal_item': True},
  657. # {'group_by_email': True,
  658. # 'group_by_is_company': True,
  659. # 'exclude_contact': True,
  660. # 'exclude_journal_item': True},
  661. # {'group_by_name': True,
  662. # 'group_by_is_company': True,
  663. # 'exclude_contact': True,
  664. # 'exclude_journal_item': True}
  665. ]
  666. for merge_value in list_merge:
  667. id = self.create(cr, uid, merge_value, context=context)
  668. self.automatic_process_cb(cr, uid, [id], context=context)
  669. cr.execute("""
  670. UPDATE
  671. res_partner
  672. SET
  673. is_company = NULL
  674. WHERE
  675. parent_id IS NOT NULL AND
  676. is_company IS NOT NULL
  677. """)
  678. # cr.execute("""
  679. # UPDATE
  680. # res_partner as p1
  681. # SET
  682. # is_company = NULL,
  683. # parent_id = (
  684. # SELECT p2.id
  685. # FROM res_partner as p2
  686. # WHERE p2.email = p1.email AND
  687. # p2.parent_id != p2.id
  688. # LIMIT 1
  689. # )
  690. # WHERE
  691. # p1.parent_id = p1.id
  692. # """)
  693. return self._next_screen(cr, uid, this, context)
  694. def merge_cb(self, cr, uid, ids, context=None):
  695. assert is_integer_list(ids)
  696. context = dict(context or {}, active_test=False)
  697. this = self.browse(cr, uid, ids[0], context=context)
  698. partner_ids = set(map(int, this.partner_ids))
  699. if not partner_ids:
  700. this.write({'state': 'finished'})
  701. return {
  702. 'type': 'ir.actions.act_window',
  703. 'res_model': this._name,
  704. 'res_id': this.id,
  705. 'view_mode': 'form',
  706. 'target': 'new',
  707. }
  708. self._merge(cr, uid, partner_ids, this.dst_partner_id,
  709. context=context)
  710. if this.current_line_id:
  711. this.current_line_id.unlink()
  712. return self._next_screen(cr, uid, this, context)
  713. def auto_set_parent_id(self, cr, uid, ids, context=None):
  714. assert is_integer_list(ids)
  715. # select partner who have one least invoice
  716. partner_treated = ['@gmail.com']
  717. cr.execute(""" SELECT p.id, p.email
  718. FROM res_partner as p
  719. LEFT JOIN account_invoice as a
  720. ON p.id = a.partner_id AND a.state in ('open','paid')
  721. WHERE p.grade_id is NOT NULL
  722. GROUP BY p.id
  723. ORDER BY COUNT(a.id) DESC
  724. """)
  725. re_email = re.compile(r".*@")
  726. for id, email in cr.fetchall():
  727. # check email domain
  728. email = re_email.sub("@", email or "")
  729. if not email or email in partner_treated:
  730. continue
  731. partner_treated.append(email)
  732. # don't update the partners if they are more of one who have
  733. # invoice
  734. cr.execute("""
  735. SELECT *
  736. FROM res_partner as p
  737. WHERE p.id != %s AND p.email LIKE '%%%s' AND
  738. EXISTS (SELECT * FROM account_invoice as a
  739. WHERE p.id = a.partner_id
  740. AND a.state in ('open','paid'))
  741. """ % (id, email))
  742. if len(cr.fetchall()) > 1:
  743. _logger.info("%s MORE OF ONE COMPANY", email)
  744. continue
  745. # to display changed values
  746. cr.execute(""" SELECT id,email
  747. FROM res_partner
  748. WHERE parent_id != %s
  749. AND id != %s AND email LIKE '%%%s'
  750. """ % (id, id, email))
  751. _logger.info("%r", cr.fetchall())
  752. # upgrade
  753. cr.execute(""" UPDATE res_partner
  754. SET parent_id = %s
  755. WHERE id != %s AND email LIKE '%%%s'
  756. """ % (id, id, email))
  757. return False