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.

316 lines
12 KiB

  1. # -*- coding: utf-8 -*-
  2. # © 2016 Antonio Espinosa - <antonio.espinosa@tecnativa.com>
  3. # License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html).
  4. import logging
  5. import urlparse
  6. import time
  7. import re
  8. from datetime import datetime
  9. from odoo import models, api, fields, tools
  10. import odoo.addons.decimal_precision as dp
  11. _logger = logging.getLogger(__name__)
  12. EVENT_OPEN_DELTA = 10 # seconds
  13. EVENT_CLICK_DELTA = 5 # seconds
  14. class MailTrackingEmail(models.Model):
  15. _name = "mail.tracking.email"
  16. _order = 'time desc'
  17. _rec_name = 'display_name'
  18. _description = 'MailTracking email'
  19. # This table is going to grow fast and to infinite, so we index:
  20. # - name: Search in tree view
  21. # - time: default order fields
  22. # - recipient_address: Used for email_store calculation (non-store)
  23. # - state: Search and group_by in tree view
  24. name = fields.Char(string="Subject", readonly=True, index=True)
  25. display_name = fields.Char(
  26. string="Display name", readonly=True, store=True,
  27. compute="_compute_tracking_display_name")
  28. timestamp = fields.Float(
  29. string='UTC timestamp', readonly=True,
  30. digits=dp.get_precision('MailTracking Timestamp'))
  31. time = fields.Datetime(string="Time", readonly=True, index=True)
  32. date = fields.Date(
  33. string="Date", readonly=True, compute="_compute_date", store=True)
  34. mail_message_id = fields.Many2one(
  35. string="Message", comodel_name='mail.message', readonly=True)
  36. mail_id = fields.Many2one(
  37. string="Email", comodel_name='mail.mail', readonly=True)
  38. partner_id = fields.Many2one(
  39. string="Partner", comodel_name='res.partner', readonly=True)
  40. recipient = fields.Char(string='Recipient email', readonly=True)
  41. recipient_address = fields.Char(
  42. string='Recipient email address', readonly=True, store=True,
  43. compute='_compute_recipient_address', index=True)
  44. sender = fields.Char(string='Sender email', readonly=True)
  45. state = fields.Selection([
  46. ('error', 'Error'),
  47. ('deferred', 'Deferred'),
  48. ('sent', 'Sent'),
  49. ('delivered', 'Delivered'),
  50. ('opened', 'Opened'),
  51. ('rejected', 'Rejected'),
  52. ('spam', 'Spam'),
  53. ('unsub', 'Unsubscribed'),
  54. ('bounced', 'Bounced'),
  55. ('soft-bounced', 'Soft bounced'),
  56. ], string='State', index=True, readonly=True, default=False,
  57. help=" * The 'Error' status indicates that there was an error "
  58. "when trying to sent the email, for example, "
  59. "'No valid recipient'\n"
  60. " * The 'Sent' status indicates that message was succesfully "
  61. "sent via outgoing email server (SMTP).\n"
  62. " * The 'Delivered' status indicates that message was "
  63. "succesfully delivered to recipient Mail Exchange (MX) server.\n"
  64. " * The 'Opened' status indicates that message was opened or "
  65. "clicked by recipient.\n"
  66. " * The 'Rejected' status indicates that recipient email "
  67. "address is blacklisted by outgoing email server (SMTP). "
  68. "It is recomended to delete this email address.\n"
  69. " * The 'Spam' status indicates that outgoing email "
  70. "server (SMTP) consider this message as spam.\n"
  71. " * The 'Unsubscribed' status indicates that recipient has "
  72. "requested to be unsubscribed from this message.\n"
  73. " * The 'Bounced' status indicates that message was bounced "
  74. "by recipient Mail Exchange (MX) server.\n"
  75. " * The 'Soft bounced' status indicates that message was soft "
  76. "bounced by recipient Mail Exchange (MX) server.\n")
  77. error_smtp_server = fields.Char(string='Error SMTP server', readonly=True)
  78. error_type = fields.Char(string='Error type', readonly=True)
  79. error_description = fields.Char(
  80. string='Error description', readonly=True)
  81. bounce_type = fields.Char(string='Bounce type', readonly=True)
  82. bounce_description = fields.Char(
  83. string='Bounce description', readonly=True)
  84. tracking_event_ids = fields.One2many(
  85. string="Tracking events", comodel_name='mail.tracking.event',
  86. inverse_name='tracking_email_id', readonly=True)
  87. @api.model
  88. def _email_score_tracking_filter(self, domain, order='time desc',
  89. limit=10):
  90. """Default tracking search. Ready to be inherited."""
  91. return self.search(domain, limit=limit, order=order)
  92. @api.model
  93. def email_is_bounced(self, email):
  94. if email:
  95. return len(self._email_score_tracking_filter([
  96. ('recipient_address', '=', email.lower()),
  97. ('state', 'in', ('error', 'rejected', 'spam', 'bounced')),
  98. ])) > 0
  99. return False
  100. @api.model
  101. def email_score_from_email(self, email):
  102. if email:
  103. return self._email_score_tracking_filter([
  104. ('recipient_address', '=', email.lower())
  105. ]).email_score()
  106. return 0.
  107. @api.model
  108. def _email_score_weights(self):
  109. """Default email score weights. Ready to be inherited"""
  110. return {
  111. 'error': -50.0,
  112. 'rejected': -25.0,
  113. 'spam': -25.0,
  114. 'bounced': -25.0,
  115. 'soft-bounced': -10.0,
  116. 'unsub': -10.0,
  117. 'delivered': 1.0,
  118. 'opened': 5.0,
  119. }
  120. def email_score(self):
  121. """Default email score algorimth. Ready to be inherited
  122. Must return a value beetwen 0.0 and 100.0
  123. - Bad reputation: Value between 0 and 50.0
  124. - Unknown reputation: Value 50.0
  125. - Good reputation: Value between 50.0 and 100.0
  126. """
  127. weights = self._email_score_weights()
  128. score = 50.0
  129. for tracking in self:
  130. score += weights.get(tracking.state, 0.0)
  131. if score > 100.0:
  132. score = 100.0
  133. elif score < 0.0:
  134. score = 0.0
  135. return score
  136. @api.depends('recipient')
  137. def _compute_recipient_address(self):
  138. for email in self:
  139. if email.recipient:
  140. matches = re.search(r'<(.*@.*)>', email.recipient)
  141. if matches:
  142. email.recipient_address = matches.group(1).lower()
  143. else:
  144. email.recipient_address = email.recipient.lower()
  145. else:
  146. email.recipient_address = False
  147. @api.depends('name', 'recipient')
  148. def _compute_tracking_display_name(self):
  149. for email in self:
  150. parts = [email.name or '']
  151. if email.recipient:
  152. parts.append(email.recipient)
  153. email.display_name = ' - '.join(parts)
  154. @api.depends('time')
  155. def _compute_date(self):
  156. for email in self:
  157. email.date = fields.Date.to_string(
  158. fields.Date.from_string(email.time))
  159. def _get_mail_tracking_img(self):
  160. m_config = self.env['ir.config_parameter']
  161. base_url = (m_config.get_param('mail_tracking.base.url') or
  162. m_config.get_param('web.base.url'))
  163. path_url = (
  164. 'mail/tracking/open/%(db)s/%(tracking_email_id)s/blank.gif' % {
  165. 'db': self.env.cr.dbname,
  166. 'tracking_email_id': self.id,
  167. })
  168. track_url = urlparse.urljoin(base_url, path_url)
  169. return (
  170. '<img src="%(url)s" alt="" '
  171. 'data-odoo-tracking-email="%(tracking_email_id)s"/>' % {
  172. 'url': track_url,
  173. 'tracking_email_id': self.id,
  174. })
  175. @api.multi
  176. def _partners_email_bounced_set(self, reason, event=None):
  177. recipients = []
  178. if event and event.recipient_address:
  179. recipients.append(event.recipient_address)
  180. else:
  181. recipients = list(filter(None, self.mapped('recipient_address')))
  182. for recipient in recipients:
  183. self.env['res.partner'].search([
  184. ('email', '=ilike', recipient)
  185. ]).email_bounced_set(self, reason, event=event)
  186. @api.multi
  187. def smtp_error(self, mail_server, smtp_server, exception):
  188. self.sudo().write({
  189. 'error_smtp_server': tools.ustr(smtp_server),
  190. 'error_type': exception.__class__.__name__,
  191. 'error_description': tools.ustr(exception),
  192. 'state': 'error',
  193. })
  194. self.sudo()._partners_email_bounced_set('error')
  195. return True
  196. @api.multi
  197. def tracking_img_add(self, email):
  198. self.ensure_one()
  199. tracking_url = self._get_mail_tracking_img()
  200. if tracking_url:
  201. body = tools.append_content_to_html(
  202. email.get('body', ''), tracking_url, plaintext=False,
  203. container_tag='div')
  204. email['body'] = body
  205. return email
  206. def _message_partners_check(self, message, message_id):
  207. if not self.mail_message_id.exists(): # pragma: no cover
  208. return True
  209. mail_message = self.mail_message_id
  210. partners = (
  211. mail_message.needaction_partner_ids | mail_message.partner_ids)
  212. if (self.partner_id and self.partner_id not in partners):
  213. # If mail_message haven't tracking partner, then
  214. # add it in order to see his tracking status in chatter
  215. if mail_message.subtype_id:
  216. mail_message.sudo().write({
  217. 'needaction_partner_ids': [(4, self.partner_id.id)],
  218. })
  219. else:
  220. mail_message.sudo().write({
  221. 'partner_ids': [(4, self.partner_id.id)],
  222. })
  223. return True
  224. @api.multi
  225. def _tracking_sent_prepare(self, mail_server, smtp_server, message,
  226. message_id):
  227. self.ensure_one()
  228. ts = time.time()
  229. dt = datetime.utcfromtimestamp(ts)
  230. self._message_partners_check(message, message_id)
  231. self.sudo().write({'state': 'sent'})
  232. return {
  233. 'recipient': message['To'],
  234. 'timestamp': '%.6f' % ts,
  235. 'time': fields.Datetime.to_string(dt),
  236. 'tracking_email_id': self.id,
  237. 'event_type': 'sent',
  238. 'smtp_server': smtp_server,
  239. }
  240. def _event_prepare(self, event_type, metadata):
  241. self.ensure_one()
  242. m_event = self.env['mail.tracking.event']
  243. method = getattr(m_event, 'process_' + event_type, None)
  244. if method and hasattr(method, '__call__'):
  245. return method(self, metadata)
  246. else: # pragma: no cover
  247. _logger.info('Unknown event type: %s' % event_type)
  248. return False
  249. def _concurrent_events(self, event_type, metadata):
  250. m_event = self.env['mail.tracking.event']
  251. self.ensure_one()
  252. concurrent_event_ids = False
  253. if event_type in {'open', 'click'}:
  254. ts = metadata.get('timestamp', time.time())
  255. delta = EVENT_OPEN_DELTA if event_type == 'open' \
  256. else EVENT_CLICK_DELTA
  257. domain = [
  258. ('timestamp', '>=', ts - delta),
  259. ('timestamp', '<=', ts + delta),
  260. ('tracking_email_id', '=', self.id),
  261. ('event_type', '=', event_type),
  262. ]
  263. if event_type == 'click':
  264. domain.append(('url', '=', metadata.get('url', False)))
  265. concurrent_event_ids = m_event.search(domain)
  266. return concurrent_event_ids
  267. @api.multi
  268. def event_create(self, event_type, metadata):
  269. event_ids = self.env['mail.tracking.event']
  270. for tracking_email in self:
  271. other_ids = tracking_email._concurrent_events(event_type, metadata)
  272. if not other_ids:
  273. vals = tracking_email._event_prepare(event_type, metadata)
  274. if vals:
  275. events = event_ids.sudo().create(vals)
  276. if event_type in {'hard_bounce', 'spam', 'reject'}:
  277. for event in events:
  278. self.sudo()._partners_email_bounced_set(
  279. event_type, event=event)
  280. event_ids += events
  281. else:
  282. _logger.debug("Concurrent event '%s' discarded", event_type)
  283. return event_ids
  284. @api.model
  285. def event_process(self, request, post, metadata, event_type=None):
  286. # Generic event process hook, inherit it and
  287. # - return 'OK' if processed
  288. # - return 'NONE' if this request is not for you
  289. # - return 'ERROR' if any error
  290. return 'NONE' # pragma: no cover