[MERGE] Sync with trunk. portal_security.xml file is back, holding a custom res_partn...
[odoo/odoo.git] / addons / mail / mail_message.py
1 # -*- coding: utf-8 -*-
2 ##############################################################################
3 #
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2010-today OpenERP SA (<http://www.openerp.com>)
6 #
7 #    This program is free software: you can redistribute it and/or modify
8 #    it under the terms of the GNU Affero General Public License as
9 #    published by the Free Software Foundation, either version 3 of the
10 #    License, or (at your option) any later version
11 #
12 #    This program is distributed in the hope that it will be useful,
13 #    but WITHOUT ANY WARRANTY; without even the implied warranty of
14 #    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 #    GNU Affero General Public License for more details
16 #
17 #    You should have received a copy of the GNU Affero General Public License
18 #    along with this program.  If not, see <http://www.gnu.org/licenses/>
19 #
20 ##############################################################################
21
22 import logging
23 import tools
24
25 from email.header import decode_header
26 from openerp import SUPERUSER_ID
27 from openerp.osv import osv, orm, fields
28 from openerp.tools import html_email_clean
29 from openerp.tools.translate import _
30
31 _logger = logging.getLogger(__name__)
32
33 try:
34     from mako.template import Template as MakoTemplate
35 except ImportError:
36     _logger.warning("payment_acquirer: mako templates not available, payment acquirer will not work!")
37
38
39 """ Some tools for parsing / creating email fields """
40 def decode(text):
41     """Returns unicode() string conversion of the the given encoded smtp header text"""
42     if text:
43         text = decode_header(text.replace('\r', ''))
44         return ''.join([tools.ustr(x[0], x[1]) for x in text])
45
46
47 class mail_message(osv.Model):
48     """ Messages model: system notification (replacing res.log notifications),
49         comments (OpenChatter discussion) and incoming emails. """
50     _name = 'mail.message'
51     _description = 'Message'
52     _inherit = ['ir.needaction_mixin']
53     _order = 'id desc'
54     _rec_name = 'record_name'
55
56     _message_read_limit = 30
57     _message_read_fields = ['id', 'parent_id', 'model', 'res_id', 'body', 'subject', 'date', 'to_read', 'email_from',
58         'type', 'vote_user_ids', 'attachment_ids', 'author_id', 'partner_ids', 'record_name']
59     _message_record_name_length = 18
60     _message_read_more_limit = 1024
61
62     def default_get(self, cr, uid, fields, context=None):
63         # protection for `default_type` values leaking from menu action context (e.g. for invoices)
64         if context and context.get('default_type') and context.get('default_type') not in self._columns['type'].selection:
65             context = dict(context, default_type=None)
66         return super(mail_message, self).default_get(cr, uid, fields, context=context)
67
68     def _shorten_name(self, name):
69         if len(name) <= (self._message_record_name_length + 3):
70             return name
71         return name[:self._message_record_name_length] + '...'
72
73     def _get_record_name(self, cr, uid, ids, name, arg, context=None):
74         """ Return the related document name, using name_get. It is done using
75             SUPERUSER_ID, to be sure to have the record name correctly stored. """
76         # TDE note: regroup by model/ids, to have less queries to perform
77         result = dict.fromkeys(ids, False)
78         for message in self.read(cr, uid, ids, ['model', 'res_id'], context=context):
79             if not message.get('model') or not message.get('res_id') or not self.pool.get(message['model']):
80                 continue
81             result[message['id']] = self._shorten_name(self.pool.get(message['model']).name_get(cr, SUPERUSER_ID, [message['res_id']], context=context)[0][1])
82         return result
83
84     def _get_to_read(self, cr, uid, ids, name, arg, context=None):
85         """ Compute if the message is unread by the current user. """
86         res = dict((id, False) for id in ids)
87         partner_id = self.pool.get('res.users').read(cr, uid, uid, ['partner_id'], context=context)['partner_id'][0]
88         notif_obj = self.pool.get('mail.notification')
89         notif_ids = notif_obj.search(cr, uid, [
90             ('partner_id', 'in', [partner_id]),
91             ('message_id', 'in', ids),
92             ('read', '=', False),
93         ], context=context)
94         for notif in notif_obj.browse(cr, uid, notif_ids, context=context):
95             res[notif.message_id.id] = True
96         return res
97
98     def _search_to_read(self, cr, uid, obj, name, domain, context=None):
99         """ Search for messages to read by the current user. Condition is
100             inversed because we search unread message on a read column. """
101         return ['&', ('notification_ids.partner_id.user_ids', 'in', [uid]), ('notification_ids.read', '=', not domain[0][2])]
102
103     def _get_starred(self, cr, uid, ids, name, arg, context=None):
104         """ Compute if the message is unread by the current user. """
105         res = dict((id, False) for id in ids)
106         partner_id = self.pool.get('res.users').read(cr, uid, uid, ['partner_id'], context=context)['partner_id'][0]
107         notif_obj = self.pool.get('mail.notification')
108         notif_ids = notif_obj.search(cr, uid, [
109             ('partner_id', 'in', [partner_id]),
110             ('message_id', 'in', ids),
111             ('starred', '=', True),
112         ], context=context)
113         for notif in notif_obj.browse(cr, uid, notif_ids, context=context):
114             res[notif.message_id.id] = True
115         return res
116
117     def _search_starred(self, cr, uid, obj, name, domain, context=None):
118         """ Search for messages to read by the current user. Condition is
119             inversed because we search unread message on a read column. """
120         return ['&', ('notification_ids.partner_id.user_ids', 'in', [uid]), ('notification_ids.starred', '=', domain[0][2])]
121
122     def name_get(self, cr, uid, ids, context=None):
123         # name_get may receive int id instead of an id list
124         if isinstance(ids, (int, long)):
125             ids = [ids]
126         res = []
127         for message in self.browse(cr, uid, ids, context=context):
128             name = '%s: %s' % (message.subject or '', message.body or '')
129             res.append((message.id, self._shorten_name(name.lstrip(' :'))))
130         return res
131
132     _columns = {
133         'type': fields.selection([
134                         ('email', 'Email'),
135                         ('comment', 'Comment'),
136                         ('notification', 'System notification'),
137                         ], 'Type',
138             help="Message type: email for email message, notification for system "\
139                  "message, comment for other messages such as user replies"),
140         'email_from': fields.char('From',
141             help="Email address of the sender. This field is set when no matching partner is found for incoming emails."),
142         'author_id': fields.many2one('res.partner', 'Author', select=1,
143             ondelete='set null',
144             help="Author of the message. If not set, email_from may hold an email address that did not match any partner."),
145         'partner_ids': fields.many2many('res.partner', string='Recipients'),
146         'notified_partner_ids': fields.many2many('res.partner', 'mail_notification',
147             'message_id', 'partner_id', 'Notified partners',
148             help='Partners that have a notification pushing this message in their mailboxes'),
149         'attachment_ids': fields.many2many('ir.attachment', 'message_attachment_rel',
150             'message_id', 'attachment_id', 'Attachments'),
151         'parent_id': fields.many2one('mail.message', 'Parent Message', select=True,
152             ondelete='set null', help="Initial thread message."),
153         'child_ids': fields.one2many('mail.message', 'parent_id', 'Child Messages'),
154         'model': fields.char('Related Document Model', size=128, select=1),
155         'res_id': fields.integer('Related Document ID', select=1),
156         'record_name': fields.function(_get_record_name, type='char',
157             store=True, string='Message Record Name',
158             help="Name get of the related document."),
159         'notification_ids': fields.one2many('mail.notification', 'message_id',
160             string='Notifications', auto_join=True,
161             help='Technical field holding the message notifications. Use notified_partner_ids to access notified partners.'),
162         'subject': fields.char('Subject'),
163         'date': fields.datetime('Date'),
164         'message_id': fields.char('Message-Id', help='Message unique identifier', select=1, readonly=1),
165         'body': fields.html('Contents', help='Automatically sanitized HTML contents'),
166         'to_read': fields.function(_get_to_read, fnct_search=_search_to_read,
167             type='boolean', string='To read',
168             help='Current user has an unread notification linked to this message'),
169         'starred': fields.function(_get_starred, fnct_search=_search_starred,
170             type='boolean', string='Starred',
171             help='Current user has a starred notification linked to this message'),
172         'subtype_id': fields.many2one('mail.message.subtype', 'Subtype',
173             ondelete='set null', select=1,),
174         'vote_user_ids': fields.many2many('res.users', 'mail_vote',
175             'message_id', 'user_id', string='Votes',
176             help='Users that voted for this message'),
177     }
178
179     def _needaction_domain_get(self, cr, uid, context=None):
180         return [('to_read', '=', True)]
181
182     def _get_default_author(self, cr, uid, context=None):
183         return self.pool.get('res.users').read(cr, uid, uid, ['partner_id'], context=context)['partner_id'][0]
184
185     _defaults = {
186         'type': 'email',
187         'date': lambda *a: fields.datetime.now(),
188         'author_id': lambda self, cr, uid, ctx={}: self._get_default_author(cr, uid, ctx),
189         'body': '',
190     }
191
192     #------------------------------------------------------
193     # Vote/Like
194     #------------------------------------------------------
195
196     def vote_toggle(self, cr, uid, ids, context=None):
197         ''' Toggles vote. Performed using read to avoid access rights issues.
198             Done as SUPERUSER_ID because uid may vote for a message he cannot modify. '''
199         for message in self.read(cr, uid, ids, ['vote_user_ids'], context=context):
200             new_has_voted = not (uid in message.get('vote_user_ids'))
201             if new_has_voted:
202                 self.write(cr, SUPERUSER_ID, message.get('id'), {'vote_user_ids': [(4, uid)]}, context=context)
203             else:
204                 self.write(cr, SUPERUSER_ID, message.get('id'), {'vote_user_ids': [(3, uid)]}, context=context)
205         return new_has_voted or False
206
207     #------------------------------------------------------
208     # download an attachment
209     #------------------------------------------------------
210
211     def download_attachment(self, cr, uid, id_message, attachment_id, context=None):
212         """ Return the content of linked attachments. """
213         message = self.browse(cr, uid, id_message, context=context)
214         if attachment_id in [attachment.id for attachment in message.attachment_ids]:
215             attachment = self.pool.get('ir.attachment').browse(cr, SUPERUSER_ID, attachment_id, context=context)
216             if attachment.datas and attachment.datas_fname:
217                 return {
218                     'base64': attachment.datas,
219                     'filename': attachment.datas_fname,
220                 }
221         return False
222
223     #------------------------------------------------------
224     # Notification API
225     #------------------------------------------------------
226
227     def set_message_read(self, cr, uid, msg_ids, read, context=None):
228         """ Set messages as (un)read. Technically, the notifications related
229             to uid are set to (un)read. If for some msg_ids there are missing
230             notifications (i.e. due to load more or thread parent fetching),
231             they are created.
232
233             :param bool read: set notification as (un)read
234         """
235         notification_obj = self.pool.get('mail.notification')
236         user_pid = self.pool.get('res.users').read(cr, uid, uid, ['partner_id'], context=context)['partner_id'][0]
237         notif_ids = notification_obj.search(cr, uid, [
238             ('partner_id', '=', user_pid),
239             ('message_id', 'in', msg_ids)
240             ], context=context)
241
242         # all message have notifications: already set them as (un)read
243         if len(notif_ids) == len(msg_ids):
244             return notification_obj.write(cr, uid, notif_ids, {'read': read}, context=context)
245
246         # some messages do not have notifications: find which one, create notification, update read status
247         notified_msg_ids = [notification.message_id.id for notification in notification_obj.browse(cr, uid, notif_ids, context=context)]
248         to_create_msg_ids = list(set(msg_ids) - set(notified_msg_ids))
249         for msg_id in to_create_msg_ids:
250             notification_obj.create(cr, uid, {'partner_id': user_pid, 'read': read, 'message_id': msg_id}, context=context)
251         return notification_obj.write(cr, uid, notif_ids, {'read': read}, context=context)
252
253     def set_message_starred(self, cr, uid, msg_ids, starred, context=None):
254         """ Set messages as (un)starred. Technically, the notifications related
255             to uid are set to (un)starred. If for some msg_ids there are missing
256             notifications (i.e. due to load more or thread parent fetching),
257             they are created.
258
259             :param bool starred: set notification as (un)starred
260         """
261         notification_obj = self.pool.get('mail.notification')
262         user_pid = self.pool.get('res.users').read(cr, uid, uid, ['partner_id'], context=context)['partner_id'][0]
263         notif_ids = notification_obj.search(cr, uid, [
264             ('partner_id', '=', user_pid),
265             ('message_id', 'in', msg_ids)
266             ], context=context)
267
268         # all message have notifications: already set them as (un)starred
269         if len(notif_ids) == len(msg_ids):
270             notification_obj.write(cr, uid, notif_ids, {'starred': starred}, context=context)
271             return starred
272
273         # some messages do not have notifications: find which one, create notification, update starred status
274         notified_msg_ids = [notification.message_id.id for notification in notification_obj.browse(cr, uid, notif_ids, context=context)]
275         to_create_msg_ids = list(set(msg_ids) - set(notified_msg_ids))
276         for msg_id in to_create_msg_ids:
277             notification_obj.create(cr, uid, {'partner_id': user_pid, 'starred': starred, 'message_id': msg_id}, context=context)
278         notification_obj.write(cr, uid, notif_ids, {'starred': starred}, context=context)
279         return starred
280
281     #------------------------------------------------------
282     # Message loading for web interface
283     #------------------------------------------------------
284
285     def _message_read_dict_postprocess(self, cr, uid, messages, message_tree, context=None):
286         """ Post-processing on values given by message_read. This method will
287             handle partners in batch to avoid doing numerous queries.
288
289             :param list messages: list of message, as get_dict result
290             :param dict message_tree: {[msg.id]: msg browse record}
291         """
292         res_partner_obj = self.pool.get('res.partner')
293         ir_attachment_obj = self.pool.get('ir.attachment')
294         pid = self.pool.get('res.users').read(cr, uid, uid, ['partner_id'], context=None)['partner_id'][0]
295
296         # 1. Aggregate partners (author_id and partner_ids) and attachments
297         partner_ids = set()
298         attachment_ids = set()
299         for key, message in message_tree.iteritems():
300             if message.author_id:
301                 partner_ids |= set([message.author_id.id])
302             if message.partner_ids:
303                 partner_ids |= set([partner.id for partner in message.partner_ids])
304             if message.attachment_ids:
305                 attachment_ids |= set([attachment.id for attachment in message.attachment_ids])
306
307         # Filter author_ids uid can see
308         partners = res_partner_obj.name_get(cr, SUPERUSER_ID, list(partner_ids), context=context)
309         partner_tree = dict((partner[0], partner) for partner in partners)
310
311         # 2. Attachments
312         attachments = ir_attachment_obj.read(cr, SUPERUSER_ID, list(attachment_ids), ['id', 'datas_fname'], context=context)
313         attachments_tree = dict((attachment['id'], {'id': attachment['id'], 'filename': attachment['datas_fname']}) for attachment in attachments)
314
315         # 3. Update message dictionaries
316         for message_dict in messages:
317             message_id = message_dict.get('id')
318             message = message_tree[message_id]
319             if message.author_id:
320                 author = partner_tree[message.author_id.id]
321             else:
322                 author = (0, message.email_from)
323             partner_ids = []
324             for partner in message.partner_ids:
325                 if partner.id in partner_tree:
326                     partner_ids.append(partner_tree[partner.id])
327             attachment_ids = []
328             for attachment in message.attachment_ids:
329                 if attachment.id in attachments_tree:
330                     attachment_ids.append(attachments_tree[attachment.id])
331             message_dict.update({
332                 'is_author': pid == author[0],
333                 'author_id': author,
334                 'partner_ids': partner_ids,
335                 'attachment_ids': attachment_ids,
336                 })
337         return True
338
339     def _message_read_dict(self, cr, uid, message, parent_id=False, context=None):
340         """ Return a dict representation of the message. This representation is
341             used in the JS client code, to display the messages. Partners and
342             attachments related stuff will be done in post-processing in batch.
343
344             :param dict message: mail.message browse record
345         """
346         # private message: no model, no res_id
347         is_private = False
348         if not message.model or not message.res_id:
349             is_private = True
350         # votes and favorites: res.users ids, no prefetching should be done
351         vote_nb = len(message.vote_user_ids)
352         has_voted = uid in [user.id for user in message.vote_user_ids]
353
354         return {'id': message.id,
355                 'type': message.type,
356                 'body': html_email_clean(message.body or ''),
357                 'model': message.model,
358                 'res_id': message.res_id,
359                 'record_name': message.record_name,
360                 'subject': message.subject,
361                 'date': message.date,
362                 'to_read': message.to_read,
363                 'parent_id': parent_id,
364                 'is_private': is_private,
365                 'author_id': False,
366                 'is_author': False,
367                 'partner_ids': [],
368                 'vote_nb': vote_nb,
369                 'has_voted': has_voted,
370                 'is_favorite': message.starred,
371                 'attachment_ids': [],
372             }
373
374     def _message_read_add_expandables(self, cr, uid, messages, message_tree, parent_tree,
375             message_unload_ids=[], thread_level=0, domain=[], parent_id=False, context=None):
376         """ Create expandables for message_read, to load new messages.
377             1. get the expandable for new threads
378                 if display is flat (thread_level == 0):
379                     fetch message_ids < min(already displayed ids), because we
380                     want a flat display, ordered by id
381                 else:
382                     fetch message_ids that are not childs of already displayed
383                     messages
384             2. get the expandables for new messages inside threads if display
385                is not flat
386                 for each thread header, search for its childs
387                     for each hole in the child list based on message displayed,
388                     create an expandable
389
390             :param list messages: list of message structure for the Chatter
391                 widget to which expandables are added
392             :param dict message_tree: dict [id]: browse record of this message
393             :param dict parent_tree: dict [parent_id]: [child_ids]
394             :param list message_unload_ids: list of message_ids we do not want
395                 to load
396             :return bool: True
397         """
398         def _get_expandable(domain, message_nb, parent_id, max_limit):
399             return {
400                 'domain': domain,
401                 'nb_messages': message_nb,
402                 'type': 'expandable',
403                 'parent_id': parent_id,
404                 'max_limit':  max_limit,
405             }
406
407         if not messages:
408             return True
409         message_ids = sorted(message_tree.keys())
410
411         # 1. get the expandable for new threads
412         if thread_level == 0:
413             exp_domain = domain + [('id', '<', min(message_unload_ids + message_ids))]
414         else:
415             exp_domain = domain + ['!', ('id', 'child_of', message_unload_ids + parent_tree.keys())]
416         ids = self.search(cr, uid, exp_domain, context=context, limit=1)
417         if ids:
418             # inside a thread: prepend
419             if parent_id:
420                 messages.insert(0, _get_expandable(exp_domain, -1, parent_id, True))
421             # new threads: append
422             else:
423                 messages.append(_get_expandable(exp_domain, -1, parent_id, True))
424
425         # 2. get the expandables for new messages inside threads if display is not flat
426         if thread_level == 0:
427             return True
428         for message_id in message_ids:
429             message = message_tree[message_id]
430
431             # generate only for thread header messages (TDE note: parent_id may be False is uid cannot see parent_id, seems ok)
432             if message.parent_id:
433                 continue
434
435             # check there are message for expandable
436             child_ids = set([child.id for child in message.child_ids]) - set(message_unload_ids)
437             child_ids = sorted(list(child_ids), reverse=True)
438             if not child_ids:
439                 continue
440
441             # make groups of unread messages
442             id_min, id_max, nb = max(child_ids), 0, 0
443             for child_id in child_ids:
444                 if not child_id in message_ids:
445                     nb += 1
446                     if id_min > child_id:
447                         id_min = child_id
448                     if id_max < child_id:
449                         id_max = child_id
450                 elif nb > 0:
451                     exp_domain = [('id', '>=', id_min), ('id', '<=', id_max), ('id', 'child_of', message_id)]
452                     idx = [msg.get('id') for msg in messages].index(child_id) + 1
453                     # messages.append(_get_expandable(exp_domain, nb, message_id, False))
454                     messages.insert(idx, _get_expandable(exp_domain, nb, message_id, False))
455                     id_min, id_max, nb = max(child_ids), 0, 0
456                 else:
457                     id_min, id_max, nb = max(child_ids), 0, 0
458             if nb > 0:
459                 exp_domain = [('id', '>=', id_min), ('id', '<=', id_max), ('id', 'child_of', message_id)]
460                 idx = [msg.get('id') for msg in messages].index(message_id) + 1
461                 # messages.append(_get_expandable(exp_domain, nb, message_id, id_min))
462                 messages.insert(idx, _get_expandable(exp_domain, nb, message_id, False))
463
464         return True
465
466     def message_read(self, cr, uid, ids=None, domain=None, message_unload_ids=None,
467                         thread_level=0, context=None, parent_id=False, limit=None):
468         """ Read messages from mail.message, and get back a list of structured
469             messages to be displayed as discussion threads. If IDs is set,
470             fetch these records. Otherwise use the domain to fetch messages.
471             After having fetch messages, their ancestors will be added to obtain
472             well formed threads, if uid has access to them.
473
474             After reading the messages, expandable messages are added in the
475             message list (see ``_message_read_add_expandables``). It consists
476             in messages holding the 'read more' data: number of messages to
477             read, domain to apply.
478
479             :param list ids: optional IDs to fetch
480             :param list domain: optional domain for searching ids if ids not set
481             :param list message_unload_ids: optional ids we do not want to fetch,
482                 because i.e. they are already displayed somewhere
483             :param int parent_id: context of parent_id
484                 - if parent_id reached when adding ancestors, stop going further
485                   in the ancestor search
486                 - if set in flat mode, ancestor_id is set to parent_id
487             :param int limit: number of messages to fetch, before adding the
488                 ancestors and expandables
489             :return list: list of message structure for the Chatter widget
490         """
491         assert thread_level in [0, 1], 'message_read() thread_level should be 0 (flat) or 1 (1 level of thread); given %s.' % thread_level
492         domain = domain if domain is not None else []
493         message_unload_ids = message_unload_ids if message_unload_ids is not None else []
494         if message_unload_ids:
495             domain += [('id', 'not in', message_unload_ids)]
496         limit = limit or self._message_read_limit
497         message_tree = {}
498         message_list = []
499         parent_tree = {}
500
501         # no specific IDS given: fetch messages according to the domain, add their parents if uid has access to
502         if ids is None:
503             ids = self.search(cr, uid, domain, context=context, limit=limit)
504
505         # fetch parent if threaded, sort messages
506         for message in self.browse(cr, uid, ids, context=context):
507             message_id = message.id
508             if message_id in message_tree:
509                 continue
510             message_tree[message_id] = message
511
512             # find parent_id
513             if thread_level == 0:
514                 tree_parent_id = parent_id
515             else:
516                 tree_parent_id = message_id
517                 parent = message
518                 while parent.parent_id and parent.parent_id.id != parent_id:
519                     parent = parent.parent_id
520                     tree_parent_id = parent.id
521                 if not parent.id in message_tree:
522                     message_tree[parent.id] = parent
523             # newest messages first
524             parent_tree.setdefault(tree_parent_id, [])
525             if tree_parent_id != message_id:
526                 parent_tree[tree_parent_id].append(self._message_read_dict(cr, uid, message_tree[message_id], parent_id=tree_parent_id, context=context))
527
528         if thread_level:
529             for key, message_id_list in parent_tree.iteritems():
530                 message_id_list.sort(key=lambda item: item['id'])
531                 message_id_list.insert(0, self._message_read_dict(cr, uid, message_tree[key], context=context))
532
533         parent_list = parent_tree.items()
534         parent_list = sorted(parent_list, key=lambda item: max([msg.get('id') for msg in item[1]]) if item[1] else item[0], reverse=True)
535         message_list = [message for (key, msg_list) in parent_list for message in msg_list]
536
537         # get the child expandable messages for the tree
538         self._message_read_dict_postprocess(cr, uid, message_list, message_tree, context=context)
539         self._message_read_add_expandables(cr, uid, message_list, message_tree, parent_tree,
540             thread_level=thread_level, message_unload_ids=message_unload_ids, domain=domain, parent_id=parent_id, context=context)
541         return message_list
542
543     #------------------------------------------------------
544     # mail_message internals
545     #------------------------------------------------------
546
547     def init(self, cr):
548         cr.execute("""SELECT indexname FROM pg_indexes WHERE indexname = 'mail_message_model_res_id_idx'""")
549         if not cr.fetchone():
550             cr.execute("""CREATE INDEX mail_message_model_res_id_idx ON mail_message (model, res_id)""")
551
552     def _find_allowed_model_wise(self, cr, uid, doc_model, doc_dict, context=None):
553         doc_ids = doc_dict.keys()
554         allowed_doc_ids = self.pool.get(doc_model).search(cr, uid, [('id', 'in', doc_ids)], context=context)
555         return set([message_id for allowed_doc_id in allowed_doc_ids for message_id in doc_dict[allowed_doc_id]])
556
557     def _find_allowed_doc_ids(self, cr, uid, model_ids, context=None):
558         model_access_obj = self.pool.get('ir.model.access')
559         allowed_ids = set()
560         for doc_model, doc_dict in model_ids.iteritems():
561             if not model_access_obj.check(cr, uid, doc_model, 'read', False):
562                 continue
563             allowed_ids |= self._find_allowed_model_wise(cr, uid, doc_model, doc_dict, context=context)
564         return allowed_ids
565
566     def _search(self, cr, uid, args, offset=0, limit=None, order=None,
567         context=None, count=False, access_rights_uid=None):
568         """ Override that adds specific access rights of mail.message, to remove
569             ids uid could not see according to our custom rules. Please refer
570             to check_access_rule for more details about those rules.
571
572             After having received ids of a classic search, keep only:
573             - if author_id == pid, uid is the author, OR
574             - a notification (id, pid) exists, uid has been notified, OR
575             - uid have read access to the related document is model, res_id
576             - otherwise: remove the id
577         """
578         # Rules do not apply to administrator
579         if uid == SUPERUSER_ID:
580             return super(mail_message, self)._search(cr, uid, args, offset=offset, limit=limit, order=order,
581                 context=context, count=count, access_rights_uid=access_rights_uid)
582         # Perform a super with count as False, to have the ids, not a counter
583         ids = super(mail_message, self)._search(cr, uid, args, offset=offset, limit=limit, order=order,
584             context=context, count=False, access_rights_uid=access_rights_uid)
585         if not ids and count:
586             return 0
587         elif not ids:
588             return ids
589
590         pid = self.pool.get('res.users').read(cr, uid, uid, ['partner_id'])['partner_id'][0]
591         author_ids, partner_ids, allowed_ids = set([]), set([]), set([])
592         model_ids = {}
593
594         messages = super(mail_message, self).read(cr, uid, ids, ['author_id', 'model', 'res_id', 'notified_partner_ids'], context=context)
595         for message in messages:
596             if message.get('author_id') and message.get('author_id')[0] == pid:
597                 author_ids.add(message.get('id'))
598             elif pid in message.get('notified_partner_ids'):
599                 partner_ids.add(message.get('id'))
600             elif message.get('model') and message.get('res_id'):
601                 model_ids.setdefault(message.get('model'), {}).setdefault(message.get('res_id'), set()).add(message.get('id'))
602
603         allowed_ids = self._find_allowed_doc_ids(cr, uid, model_ids, context=context)
604
605         final_ids = author_ids | partner_ids | allowed_ids
606         if count:
607             return len(final_ids)
608         else:
609             return list(final_ids)
610
611     def check_access_rule(self, cr, uid, ids, operation, context=None):
612         """ Access rules of mail.message:
613             - read: if
614                 - author_id == pid, uid is the author, OR
615                 - mail_notification (id, pid) exists, uid has been notified, OR
616                 - uid have read access to the related document if model, res_id
617                 - otherwise: raise
618             - create: if
619                 - no model, no res_id, I create a private message OR
620                 - pid in message_follower_ids if model, res_id OR
621                 - mail_notification (parent_id.id, pid) exists, uid has been notified of the parent, OR
622                 - uid have write access on the related document if model, res_id, OR
623                 - otherwise: raise
624             - write: if
625                 - author_id == pid, uid is the author, OR
626                 - uid has write access on the related document if model, res_id
627                 - otherwise: raise
628             - unlink: if
629                 - uid has write access on the related document if model, res_id
630                 - otherwise: raise
631         """
632         def _generate_model_record_ids(msg_val, msg_ids=[]):
633             """ :param model_record_ids: {'model': {'res_id': (msg_id, msg_id)}, ... }
634                 :param message_values: {'msg_id': {'model': .., 'res_id': .., 'author_id': ..}}
635             """
636             model_record_ids = {}
637             for id in msg_ids:
638                 if msg_val[id]['model'] and msg_val[id]['res_id']:
639                     model_record_ids.setdefault(msg_val[id]['model'], dict()).setdefault(msg_val[id]['res_id'], set()).add(msg_val[id]['res_id'])
640             return model_record_ids
641
642         if uid == SUPERUSER_ID:
643             return
644         if isinstance(ids, (int, long)):
645             ids = [ids]
646         not_obj = self.pool.get('mail.notification')
647         fol_obj = self.pool.get('mail.followers')
648         partner_id = self.pool.get('res.users').read(cr, uid, uid, ['partner_id'], context=None)['partner_id'][0]
649
650         # Read mail_message.ids to have their values
651         message_values = dict.fromkeys(ids)
652         cr.execute('SELECT DISTINCT id, model, res_id, author_id, parent_id FROM "%s" WHERE id = ANY (%%s)' % self._table, (ids,))
653         for id, rmod, rid, author_id, parent_id in cr.fetchall():
654             message_values[id] = {'model': rmod, 'res_id': rid, 'author_id': author_id, 'parent_id': parent_id}
655
656         # Author condition (READ, WRITE, CREATE (private)) -> could become an ir.rule ?
657         author_ids = []
658         if operation == 'read' or operation == 'write':
659             author_ids = [mid for mid, message in message_values.iteritems()
660                 if message.get('author_id') and message.get('author_id') == partner_id]
661         elif operation == 'create':
662             author_ids = [mid for mid, message in message_values.iteritems()
663                 if not message.get('model') and not message.get('res_id')]
664
665         # Parent condition, for create (check for received notifications for the created message parent)
666         notified_ids = []
667         if operation == 'create':
668             parent_ids = [message.get('parent_id') for mid, message in message_values.iteritems()
669                 if message.get('parent_id')]
670             not_ids = not_obj.search(cr, SUPERUSER_ID, [('message_id.id', 'in', parent_ids), ('partner_id', '=', partner_id)], context=context)
671             not_parent_ids = [notif.message_id.id for notif in not_obj.browse(cr, SUPERUSER_ID, not_ids, context=context)]
672             notified_ids += [mid for mid, message in message_values.iteritems()
673                 if message.get('parent_id') in not_parent_ids]
674
675         # Notification condition, for read (check for received notifications and create (in message_follower_ids)) -> could become an ir.rule, but not till we do not have a many2one variable field
676         other_ids = set(ids).difference(set(author_ids), set(notified_ids))
677         model_record_ids = _generate_model_record_ids(message_values, other_ids)
678         if operation == 'read':
679             not_ids = not_obj.search(cr, SUPERUSER_ID, [
680                 ('partner_id', '=', partner_id),
681                 ('message_id', 'in', ids),
682             ], context=context)
683             notified_ids = [notification.message_id.id for notification in not_obj.browse(cr, SUPERUSER_ID, not_ids, context=context)]
684         elif operation == 'create':
685             for doc_model, doc_dict in model_record_ids.items():
686                 fol_ids = fol_obj.search(cr, SUPERUSER_ID, [
687                     ('res_model', '=', doc_model),
688                     ('res_id', 'in', list(doc_dict.keys())),
689                     ('partner_id', '=', partner_id),
690                     ], context=context)
691                 fol_mids = [follower.res_id for follower in fol_obj.browse(cr, SUPERUSER_ID, fol_ids, context=context)]
692                 notified_ids += [mid for mid, message in message_values.iteritems()
693                     if message.get('model') == doc_model and message.get('res_id') in fol_mids]
694
695         # CRUD: Access rights related to the document
696         other_ids = other_ids.difference(set(notified_ids))
697         model_record_ids = _generate_model_record_ids(message_values, other_ids)
698         document_related_ids = []
699         for model, doc_dict in model_record_ids.items():
700             model_obj = self.pool.get(model)
701             mids = model_obj.exists(cr, uid, doc_dict.keys())
702             if operation in ['create', 'write', 'unlink']:
703                 model_obj.check_access_rights(cr, uid, 'write')
704                 model_obj.check_access_rule(cr, uid, mids, 'write', context=context)
705             else:
706                 model_obj.check_access_rights(cr, uid, operation)
707                 model_obj.check_access_rule(cr, uid, mids, operation, context=context)
708             document_related_ids += [mid for mid, message in message_values.iteritems()
709                 if message.get('model') == model and message.get('res_id') in mids]
710
711         # Calculate remaining ids: if not void, raise an error
712         other_ids = other_ids.difference(set(document_related_ids))
713         if not other_ids:
714             return
715         raise orm.except_orm(_('Access Denied'),
716                             _('The requested operation cannot be completed due to security restrictions. Please contact your system administrator.\n\n(Document type: %s, Operation: %s)') % \
717                             (self._description, operation))
718
719     def create(self, cr, uid, values, context=None):
720         if context is None:
721             context = {}
722         default_starred = context.pop('default_starred', False)
723         if not values.get('message_id') and values.get('res_id') and values.get('model'):
724             values['message_id'] = tools.generate_tracking_message_id('%(res_id)s-%(model)s' % values)
725         elif not values.get('message_id'):
726             values['message_id'] = tools.generate_tracking_message_id('private')
727         newid = super(mail_message, self).create(cr, uid, values, context)
728         self._notify(cr, uid, newid, context=context)
729         # TDE FIXME: handle default_starred. Why not setting an inv on starred ?
730         # Because starred will call set_message_starred, that looks for notifications.
731         # When creating a new mail_message, it will create a notification to a message
732         # that does not exist, leading to an error (key not existing). Also this
733         # this means unread notifications will be created, yet we can not assure
734         # this is what we want.
735         if default_starred:
736             self.set_message_starred(cr, uid, [newid], True, context=context)
737         return newid
738
739     def read(self, cr, uid, ids, fields=None, context=None, load='_classic_read'):
740         """ Override to explicitely call check_access_rule, that is not called
741             by the ORM. It instead directly fetches ir.rules and apply them. """
742         self.check_access_rule(cr, uid, ids, 'read', context=context)
743         res = super(mail_message, self).read(cr, uid, ids, fields=fields, context=context, load=load)
744         return res
745
746     def unlink(self, cr, uid, ids, context=None):
747         # cascade-delete attachments that are directly attached to the message (should only happen
748         # for mail.messages that act as parent for a standalone mail.mail record).
749         self.check_access_rule(cr, uid, ids, 'unlink', context=context)
750         attachments_to_delete = []
751         for message in self.browse(cr, uid, ids, context=context):
752             for attach in message.attachment_ids:
753                 if attach.res_model == self._name and attach.res_id == message.id:
754                     attachments_to_delete.append(attach.id)
755         if attachments_to_delete:
756             self.pool.get('ir.attachment').unlink(cr, uid, attachments_to_delete, context=context)
757         return super(mail_message, self).unlink(cr, uid, ids, context=context)
758
759     def copy(self, cr, uid, id, default=None, context=None):
760         """ Overridden to avoid duplicating fields that are unique to each email """
761         if default is None:
762             default = {}
763         default.update(message_id=False, headers=False)
764         return super(mail_message, self).copy(cr, uid, id, default=default, context=context)
765
766     #------------------------------------------------------
767     # Messaging API
768     #------------------------------------------------------
769
770     # TDE note: this code is not used currently, will be improved in a future merge, when quoted context
771     # will be added to email send for notifications. Currently only WIP.
772     MAIL_TEMPLATE = """<div>
773     % if message:
774         ${display_message(message)}
775     % endif
776     % for ctx_msg in context_messages:
777         ${display_message(ctx_msg)}
778     % endfor
779     % if add_expandable:
780         ${display_expandable()}
781     % endif
782     ${display_message(header_message)}
783     </div>
784
785     <%def name="display_message(message)">
786         <div>
787             Subject: ${message.subject}<br />
788             Body: ${message.body}
789         </div>
790     </%def>
791
792     <%def name="display_expandable()">
793         <div>This is an expandable.</div>
794     </%def>
795     """
796
797     def message_quote_context(self, cr, uid, id, context=None, limit=3, add_original=False):
798         """
799             1. message.parent_id = False: new thread, no quote_context
800             2. get the lasts messages in the thread before message
801             3. get the message header
802             4. add an expandable between them
803
804             :param dict quote_context: options for quoting
805             :return string: html quote
806         """
807         add_expandable = False
808
809         message = self.browse(cr, uid, id, context=context)
810         if not message.parent_id:
811             return ''
812         context_ids = self.search(cr, uid, [
813             ('parent_id', '=', message.parent_id.id),
814             ('id', '<', message.id),
815             ], limit=limit, context=context)
816
817         if len(context_ids) >= limit:
818             add_expandable = True
819             context_ids = context_ids[0:-1]
820
821         context_ids.append(message.parent_id.id)
822         context_messages = self.browse(cr, uid, context_ids, context=context)
823         header_message = context_messages.pop()
824
825         try:
826             if not add_original:
827                 message = False
828             result = MakoTemplate(self.MAIL_TEMPLATE).render_unicode(message=message,
829                                                         context_messages=context_messages,
830                                                         header_message=header_message,
831                                                         add_expandable=add_expandable,
832                                                         # context kw would clash with mako internals
833                                                         ctx=context,
834                                                         format_exceptions=True)
835             result = result.strip()
836             return result
837         except Exception:
838             _logger.exception("failed to render mako template for quoting message")
839             return ''
840         return result
841
842     def _notify(self, cr, uid, newid, context=None):
843         """ Add the related record followers to the destination partner_ids if is not a private message.
844             Call mail_notification.notify to manage the email sending
845         """
846         notification_obj = self.pool.get('mail.notification')
847         message = self.browse(cr, uid, newid, context=context)
848
849         partners_to_notify = set([])
850         # message has no subtype_id: pure log message -> no partners, no one notified
851         if not message.subtype_id:
852             return True
853         # all partner_ids of the mail.message have to be notified
854         if message.partner_ids:
855             partners_to_notify |= set(message.partner_ids)
856         # all followers of the mail.message document have to be added as partners and notified
857         if message.model and message.res_id:
858             fol_obj = self.pool.get("mail.followers")
859             fol_ids = fol_obj.search(cr, SUPERUSER_ID, [
860                 ('res_model', '=', message.model),
861                 ('res_id', '=', message.res_id),
862                 ('subtype_ids', 'in', message.subtype_id.id)
863                 ], context=context)
864             partners_to_notify |= set(fo.partner_id for fo in fol_obj.browse(cr, SUPERUSER_ID, fol_ids, context=context))
865         # remove me from notified partners, unless the message is written on my own wall
866         if message.author_id and message.model == "res.partner" and message.res_id == message.author_id.id:
867             partners_to_notify |= set([message.author_id])
868         elif message.author_id:
869             partners_to_notify = partners_to_notify - set([message.author_id])
870
871         if partners_to_notify:
872             self.write(cr, SUPERUSER_ID, [newid], {'notified_partner_ids': [(4, p.id) for p in partners_to_notify]}, context=context)
873
874         notification_obj._notify(cr, uid, newid, context=context)
875
876         # An error appear when a user receive a notify to a message without notify to his parent message.
877         # Add a notification with read = true to the parented message if there are no notification
878         if message.parent_id:
879             # all notified_partner_ids of the mail.message have to be notified for the parented messages
880             if message.notified_partner_ids:
881                 partners_to_notify |= set(message.notified_partner_ids)
882             partners_to_parent_notify = set(partners_to_notify) - set(message.parent_id.notified_partner_ids)
883             for partner in partners_to_parent_notify:
884                 notification_obj.create(cr, uid, {
885                         'message_id': message.parent_id.id,
886                         'partner_id': partner.id,
887                         'read': True,
888                     }, context=context)
889
890     #------------------------------------------------------
891     # Tools
892     #------------------------------------------------------
893
894     def check_partners_email(self, cr, uid, partner_ids, context=None):
895         """ Verify that selected partner_ids have an email_address defined.
896             Otherwise throw a warning. """
897         partner_wo_email_lst = []
898         for partner in self.pool.get('res.partner').browse(cr, uid, partner_ids, context=context):
899             if not partner.email:
900                 partner_wo_email_lst.append(partner)
901         if not partner_wo_email_lst:
902             return {}
903         warning_msg = _('The following partners chosen as recipients for the email have no email address linked :')
904         for partner in partner_wo_email_lst:
905             warning_msg += '\n- %s' % (partner.name)
906         return {'warning': {
907                     'title': _('Partners email addresses not found'),
908                     'message': warning_msg,
909                     }
910                 }