mirror of
https://github.com/bringout/oca-ocb-core.git
synced 2026-04-21 10:52:01 +02:00
19.0 vanilla
This commit is contained in:
parent
d1963a3c3a
commit
2d3ee4855a
7430 changed files with 2687981 additions and 2965473 deletions
|
|
@ -1,28 +1,64 @@
|
|||
# -*- coding: utf-8 -*-
|
||||
# Part of Odoo. See LICENSE file for full copyright and licensing details.
|
||||
|
||||
import re
|
||||
|
||||
from odoo import _, api, fields, models, tools
|
||||
from odoo.osv import expression
|
||||
from odoo.fields import Domain
|
||||
from odoo.tools.misc import limited_field_access_token
|
||||
from odoo.addons.mail.tools.discuss import Store
|
||||
from odoo.exceptions import AccessError
|
||||
|
||||
|
||||
class Partner(models.Model):
|
||||
class ResPartner(models.Model):
|
||||
""" Update partner to add a field about notification preferences. Add a generic opt-out field that can be used
|
||||
to restrict usage of automatic email templates. """
|
||||
_name = "res.partner"
|
||||
_name = 'res.partner'
|
||||
_inherit = ['res.partner', 'mail.activity.mixin', 'mail.thread.blacklist']
|
||||
_mail_flat_thread = False
|
||||
|
||||
# override to add and order tracking
|
||||
name = fields.Char(tracking=1)
|
||||
email = fields.Char(tracking=1)
|
||||
phone = fields.Char(tracking=2)
|
||||
parent_id = fields.Many2one(tracking=3)
|
||||
user_id = fields.Many2one(tracking=4)
|
||||
vat = fields.Char(tracking=5)
|
||||
# channels
|
||||
channel_ids = fields.Many2many('mail.channel', 'mail_channel_member', 'partner_id', 'channel_id', string='Channels', copy=False)
|
||||
# tracked field used for chatter logging purposes
|
||||
# we need this to be readable inline as tracking messages use inline HTML nodes
|
||||
contact_address_inline = fields.Char(compute='_compute_contact_address_inline', string='Inlined Complete Address', tracking=True)
|
||||
# sudo: res.partner - can access presence of accessible partner
|
||||
im_status = fields.Char("IM Status", compute="_compute_im_status", compute_sudo=True)
|
||||
offline_since = fields.Datetime("Offline since", compute="_compute_im_status", compute_sudo=True)
|
||||
|
||||
@api.depends('contact_address')
|
||||
def _compute_contact_address_inline(self):
|
||||
"""Compute an inline-friendly address based on contact_address."""
|
||||
for partner in self:
|
||||
# replace any successive \n with a single comma
|
||||
partner.contact_address_inline = re.sub(r'\n(\s|\n)*', ', ', partner.contact_address).strip().strip(',')
|
||||
|
||||
@api.depends("user_ids.manual_im_status", "user_ids.presence_ids.status")
|
||||
def _compute_im_status(self):
|
||||
super()._compute_im_status()
|
||||
for partner in self:
|
||||
all_status = partner.user_ids.presence_ids.mapped(
|
||||
lambda p: "offline" if p.status == "offline" else p.user_id.manual_im_status or p.status
|
||||
)
|
||||
partner.im_status = (
|
||||
"online"
|
||||
if "online" in all_status
|
||||
else "away"
|
||||
if "away" in all_status
|
||||
else "busy"
|
||||
if "busy" in all_status
|
||||
else "offline"
|
||||
if partner.user_ids
|
||||
else "im_partner"
|
||||
)
|
||||
partner.offline_since = (
|
||||
max(partner.user_ids.presence_ids.mapped("last_poll"), default=None)
|
||||
if partner.im_status == "offline"
|
||||
else None
|
||||
)
|
||||
odoobot_id = self.env['ir.model.data']._xmlid_to_res_id('base.partner_root')
|
||||
odoobot = self.env['res.partner'].browse(odoobot_id)
|
||||
if odoobot in self:
|
||||
|
|
@ -44,25 +80,9 @@ class Partner(models.Model):
|
|||
# MESSAGING
|
||||
# ------------------------------------------------------------
|
||||
|
||||
def _mail_get_partners(self):
|
||||
def _mail_get_partners(self, introspect_fields=False):
|
||||
return dict((partner.id, partner) for partner in self)
|
||||
|
||||
def _message_get_suggested_recipients(self):
|
||||
recipients = super(Partner, self)._message_get_suggested_recipients()
|
||||
for partner in self:
|
||||
partner._message_add_suggested_recipient(recipients, partner=partner, reason=_('Partner Profile'))
|
||||
return recipients
|
||||
|
||||
def _message_get_default_recipients(self):
|
||||
return {
|
||||
r.id:
|
||||
{'partner_ids': [r.id],
|
||||
'email_to': False,
|
||||
'email_cc': False
|
||||
}
|
||||
for r in self
|
||||
}
|
||||
|
||||
# ------------------------------------------------------------
|
||||
# ORM
|
||||
# ------------------------------------------------------------
|
||||
|
|
@ -70,145 +90,241 @@ class Partner(models.Model):
|
|||
def _get_view_cache_key(self, view_id=None, view_type='form', **options):
|
||||
"""Add context variable force_email in the key as _get_view depends on it."""
|
||||
key = super()._get_view_cache_key(view_id, view_type, **options)
|
||||
return key + (self._context.get('force_email'),)
|
||||
return key + (self.env.context.get('force_email'),)
|
||||
|
||||
@api.model
|
||||
@api.returns('self', lambda value: value.id)
|
||||
def find_or_create(self, email, assert_valid_email=False):
|
||||
""" Override to use the email_normalized field. """
|
||||
if not email:
|
||||
raise ValueError(_('An email is required for find_or_create to work'))
|
||||
|
||||
parsed_name, parsed_email = self._parse_partner_name(email)
|
||||
if not parsed_email and assert_valid_email:
|
||||
parsed_name, parsed_email_normalized = tools.parse_contact_from_email(email)
|
||||
if not parsed_email_normalized and assert_valid_email:
|
||||
raise ValueError(_('%(email)s is not recognized as a valid email. This is required to create a new customer.'))
|
||||
if parsed_email:
|
||||
email_normalized = tools.email_normalize(parsed_email)
|
||||
if email_normalized:
|
||||
partners = self.search([('email_normalized', '=', email_normalized)], limit=1)
|
||||
if partners:
|
||||
return partners
|
||||
if parsed_email_normalized:
|
||||
partners = self.search([('email_normalized', '=', parsed_email_normalized)], limit=1)
|
||||
if partners:
|
||||
return partners
|
||||
|
||||
# We don't want to call `super()` to avoid searching twice on the email
|
||||
# Especially when the search `email =ilike` cannot be as efficient as
|
||||
# a search on email_normalized with a btree index
|
||||
# If you want to override `find_or_create()` your module should depend on `mail`
|
||||
create_values = {self._rec_name: parsed_name or parsed_email}
|
||||
if parsed_email: # otherwise keep default_email in context
|
||||
create_values['email'] = parsed_email
|
||||
create_values = {self._rec_name: parsed_name or parsed_email_normalized}
|
||||
if parsed_email_normalized: # otherwise keep default_email in context
|
||||
create_values['email'] = parsed_email_normalized
|
||||
return self.create(create_values)
|
||||
|
||||
@api.model
|
||||
def _find_or_create_from_emails(self, emails, ban_emails=None,
|
||||
filter_found=None, additional_values=None,
|
||||
no_create=False, sort_key=None, sort_reverse=True):
|
||||
""" Based on a list of emails, find or (optionally) create partners.
|
||||
If an email is not unique (e.g. multi-email input), only the first found
|
||||
valid email in input is considered. Filter and sort options allow to
|
||||
tweak the way we link emails to partners (e.g. share partners only, ...).
|
||||
|
||||
Optional additional values allow to customize the created partner. Data
|
||||
are given per normalized email as it the creation criterion.
|
||||
|
||||
When an email is invalid but not void, it is used for search or create.
|
||||
It allows updating it afterwards e.g. with notifications resend which
|
||||
allows fixing typos / wrong emails.
|
||||
|
||||
:param list emails: list of emails that can be formatted;
|
||||
:param list ban_emails: optional list of banished emails e.g. because
|
||||
it may interfere with master data like aliases;
|
||||
:param callable filter_found: if given, filters found partners based on emails;
|
||||
:param dict additional_values: additional values per normalized or
|
||||
raw invalid email given to partner creation. Typically used to
|
||||
propagate a company_id and customer information from related record.
|
||||
If email cannot be normalized, raw value is used as dict key instead;
|
||||
:param sort_key: an optional sorting key for sorting partners before
|
||||
finding one with matching email normalized. When several partners
|
||||
have the same email, users might want to give a preference based
|
||||
on e.g. company, being a customer or not, ... Default ordering is
|
||||
to use 'id ASC', which means older partners first as they are considered
|
||||
as more relevant compared to default 'complete_name';
|
||||
:param bool sort_reverse: given to sorted (see 'reverse' argument of sort);
|
||||
:param bool no_create: skip the 'create' part of 'find or create'. Allows
|
||||
to use tool as 'find and sort' without adding new partners in db;
|
||||
|
||||
:return: res.partner records in a list, following order of emails. Using
|
||||
a list allows to to keep Falsy values when no match;
|
||||
:rtype: list
|
||||
"""
|
||||
additional_values = additional_values or {}
|
||||
partners, tocreate_vals_list = self.env['res.partner'], []
|
||||
name_emails = [tools.parse_contact_from_email(email) for email in emails]
|
||||
|
||||
# find valid emails_normalized, filtering out false / void values, and search
|
||||
# for existing partners based on those emails
|
||||
emails_normalized = {email_normalized
|
||||
for _name, email_normalized in name_emails
|
||||
if email_normalized and email_normalized not in (ban_emails or [])}
|
||||
# find partners for invalid (but not void) emails, aka either invalid email
|
||||
# either no email and a name that will be used as email
|
||||
names = {
|
||||
name.strip()
|
||||
for name, email_normalized in name_emails
|
||||
if not email_normalized and name.strip() and name.strip() not in (ban_emails or [])
|
||||
}
|
||||
if emails_normalized or names:
|
||||
domains = []
|
||||
if emails_normalized:
|
||||
domains.append([('email_normalized', 'in', list(emails_normalized))])
|
||||
if names:
|
||||
domains.append([('email', 'in', list(names))])
|
||||
partners += self.search(Domain.OR(domains), order='id ASC')
|
||||
if filter_found:
|
||||
partners = partners.filtered(filter_found)
|
||||
|
||||
if not no_create:
|
||||
# create partners for valid email without any existing partner. Keep
|
||||
# only first found occurrence of each normalized email, aka: ('Norbert',
|
||||
# 'norbert@gmail.com'), ('Norbert With Surname', 'norbert@gmail.com')'
|
||||
# -> a single partner is created for email 'norbert@gmail.com'
|
||||
seen = set()
|
||||
notfound_emails = emails_normalized - set(partners.mapped('email_normalized'))
|
||||
notfound_name_emails = [
|
||||
name_email
|
||||
for name_email in name_emails
|
||||
if name_email[1] in notfound_emails and name_email[1] not in seen
|
||||
and not seen.add(name_email[1])
|
||||
]
|
||||
tocreate_vals_list += [
|
||||
{
|
||||
self._rec_name: name or email_normalized,
|
||||
'email': email_normalized,
|
||||
**additional_values.get(email_normalized, {}),
|
||||
}
|
||||
for name, email_normalized in notfound_name_emails
|
||||
if email_normalized not in (ban_emails or [])
|
||||
]
|
||||
# create partners for invalid emails (aka name and not email_normalized)
|
||||
# without any existing partner
|
||||
tocreate_vals_list += [
|
||||
{
|
||||
self._rec_name: name,
|
||||
'email': name,
|
||||
**additional_values.get(name, {}),
|
||||
}
|
||||
for name in names if name not in partners.mapped('email') and name not in (ban_emails or [])
|
||||
]
|
||||
# create partners once, avoid current user being followers of those
|
||||
if tocreate_vals_list:
|
||||
partners += self.with_context(mail_create_nosubscribe=True).create(tocreate_vals_list)
|
||||
|
||||
# sort partners (already ordered based on search)
|
||||
if sort_key:
|
||||
partners = partners.sorted(key=sort_key, reverse=sort_reverse)
|
||||
|
||||
return [
|
||||
next(
|
||||
(partner for partner in partners
|
||||
if (email_normalized and partner.email_normalized == email_normalized)
|
||||
or (not email_normalized and email and partner.email == email)
|
||||
or (not email_normalized and name and partner.name == name)
|
||||
),
|
||||
self.env['res.partner']
|
||||
)
|
||||
for (name, email_normalized), email in zip(name_emails, emails)
|
||||
]
|
||||
|
||||
# ------------------------------------------------------------
|
||||
# DISCUSS
|
||||
# ------------------------------------------------------------
|
||||
|
||||
def mail_partner_format(self, fields=None):
|
||||
partners_format = dict()
|
||||
if not fields:
|
||||
fields = {'id': True, 'name': True, 'email': True, 'active': True, 'im_status': True, 'user': {}}
|
||||
for partner in self:
|
||||
data = {}
|
||||
if 'id' in fields:
|
||||
data['id'] = partner.id
|
||||
if 'name' in fields:
|
||||
data['name'] = partner.name
|
||||
if 'email' in fields:
|
||||
data['email'] = partner.email
|
||||
if 'active' in fields:
|
||||
data['active'] = partner.active
|
||||
if 'im_status' in fields:
|
||||
data['im_status'] = partner.im_status
|
||||
if 'user' in fields:
|
||||
internal_users = partner.user_ids - partner.user_ids.filtered('share')
|
||||
main_user = internal_users[0] if len(internal_users) > 0 else partner.user_ids[0] if len(partner.user_ids) > 0 else self.env['res.users']
|
||||
data['user'] = {
|
||||
"id": main_user.id,
|
||||
"isInternalUser": not main_user.share,
|
||||
} if main_user else [('clear',)]
|
||||
if not self.env.user._is_internal():
|
||||
data.pop('email', None)
|
||||
partners_format[partner] = data
|
||||
return partners_format
|
||||
def _get_im_status_access_token(self):
|
||||
"""Return a scoped access token for the `im_status` field. The token is used in
|
||||
`ir_websocket._prepare_subscribe_data` to grant access to presence channels.
|
||||
|
||||
def _message_fetch_failed(self):
|
||||
"""Returns first 100 messages, sent by the current partner, that have errors, in
|
||||
the format expected by the web client."""
|
||||
self.ensure_one()
|
||||
notifications = self.env['mail.notification'].search([
|
||||
('author_id', '=', self.id),
|
||||
('notification_status', 'in', ('bounce', 'exception')),
|
||||
('mail_message_id.message_type', '!=', 'user_notification'),
|
||||
('mail_message_id.model', '!=', False),
|
||||
('mail_message_id.res_id', '!=', 0),
|
||||
], limit=100)
|
||||
return notifications.mail_message_id._message_notification_format()
|
||||
|
||||
def _get_channels_as_member(self):
|
||||
"""Returns the channels of the partner."""
|
||||
self.ensure_one()
|
||||
channels = self.env['mail.channel']
|
||||
# get the channels and groups
|
||||
channels |= self.env['mail.channel'].search([
|
||||
('channel_type', 'in', ('channel', 'group')),
|
||||
('channel_partner_ids', 'in', [self.id]),
|
||||
])
|
||||
# get the pinned direct messages
|
||||
channels |= self.env['mail.channel'].search([
|
||||
('channel_type', '=', 'chat'),
|
||||
('channel_member_ids', 'in', self.env['mail.channel.member'].sudo()._search([
|
||||
('partner_id', '=', self.id),
|
||||
('is_pinned', '=', True),
|
||||
])),
|
||||
])
|
||||
return channels
|
||||
|
||||
@api.model
|
||||
def search_for_channel_invite(self, search_term, channel_id=None, limit=30):
|
||||
""" Returns partners matching search_term that can be invited to a channel.
|
||||
If the channel_id is specified, only partners that can actually be invited to the channel
|
||||
are returned (not already members, and in accordance to the channel configuration).
|
||||
:rtype: str
|
||||
"""
|
||||
domain = expression.AND([
|
||||
expression.OR([
|
||||
[('name', 'ilike', search_term)],
|
||||
[('email', 'ilike', search_term)],
|
||||
]),
|
||||
[('active', '=', True)],
|
||||
[('type', '!=', 'private')],
|
||||
[('user_ids', '!=', False)],
|
||||
[('user_ids.active', '=', True)],
|
||||
[('user_ids.share', '=', False)],
|
||||
])
|
||||
if channel_id:
|
||||
channel = self.env['mail.channel'].search([('id', '=', int(channel_id))])
|
||||
domain = expression.AND([domain, [('channel_ids', 'not in', channel.id)]])
|
||||
if channel.group_public_id:
|
||||
domain = expression.AND([domain, [('user_ids.groups_id', 'in', channel.group_public_id.id)]])
|
||||
query = self.env['res.partner']._search(domain, order='name, id')
|
||||
query.order = 'LOWER("res_partner"."name"), "res_partner"."id"' # bypass lack of support for case insensitive order in search()
|
||||
query.limit = int(limit)
|
||||
return {
|
||||
'count': self.env['res.partner'].search_count(domain),
|
||||
'partners': list(self.env['res.partner'].browse(query).mail_partner_format().values()),
|
||||
}
|
||||
self.ensure_one()
|
||||
return limited_field_access_token(self, "im_status", scope="mail.presence")
|
||||
|
||||
def _get_mention_token(self):
|
||||
"""Return a scoped limited access token that indicates the current partner
|
||||
can be mentioned in messages.
|
||||
|
||||
:rtype: str
|
||||
"""
|
||||
self.ensure_one()
|
||||
return limited_field_access_token(self, "id", scope="mail.message_mention")
|
||||
|
||||
def _get_store_mention_fields(self):
|
||||
return [Store.Attr("mention_token", lambda p: p._get_mention_token())]
|
||||
|
||||
def _get_store_avatar_card_fields(self, target):
|
||||
fields = [
|
||||
"im_status",
|
||||
"name",
|
||||
"partner_share",
|
||||
]
|
||||
if target.is_internal(self.env):
|
||||
fields.extend(["email", "phone"])
|
||||
return fields
|
||||
|
||||
def _field_store_repr(self, field_name):
|
||||
if field_name == "avatar_128":
|
||||
return [
|
||||
Store.Attr("avatar_128_access_token", lambda p: p._get_avatar_128_access_token()),
|
||||
"write_date",
|
||||
]
|
||||
if field_name == "im_status":
|
||||
return [
|
||||
"im_status",
|
||||
Store.Attr("im_status_access_token", lambda p: p._get_im_status_access_token()),
|
||||
]
|
||||
return [field_name]
|
||||
|
||||
def _to_store_defaults(self, target: Store.Target):
|
||||
res = [
|
||||
"active",
|
||||
"avatar_128",
|
||||
"im_status",
|
||||
"is_company",
|
||||
# sudo: res.partner - to access portal user of another company in chatter
|
||||
Store.One("main_user_id", ["partner_id", "share"], sudo=True),
|
||||
"name",
|
||||
]
|
||||
if target.is_internal(self.env):
|
||||
res.append("email")
|
||||
return res
|
||||
|
||||
@api.readonly
|
||||
@api.model
|
||||
def get_mention_suggestions(self, search, limit=8, channel_id=None):
|
||||
def get_mention_suggestions(self, search, limit=8):
|
||||
""" Return 'limit'-first partners' such that the name or email matches a 'search' string.
|
||||
Prioritize partners that are also (internal) users, and then extend the research to all partners.
|
||||
If channel_id is given, only members of this channel are returned.
|
||||
The return format is a list of partner data (as per returned by `mail_partner_format()`).
|
||||
The return format is a list of partner data (as per returned by `_to_store()`).
|
||||
"""
|
||||
search_dom = expression.OR([[('name', 'ilike', search)], [('email', 'ilike', search)]])
|
||||
search_dom = expression.AND([[('active', '=', True), ('type', '!=', 'private')], search_dom])
|
||||
if channel_id:
|
||||
search_dom = expression.AND([[('channel_ids', 'in', channel_id)], search_dom])
|
||||
domain_is_user = expression.AND([[('user_ids', '!=', False), ('user_ids.active', '=', True)], search_dom])
|
||||
domain = self._get_mention_suggestions_domain(search)
|
||||
partners = self._search_mention_suggestions(domain, limit)
|
||||
store = Store().add(partners, extra_fields=partners._get_store_mention_fields())
|
||||
try:
|
||||
roles = self.env["res.role"].search([("name", "ilike", search)], limit=8)
|
||||
store.add(roles, "name")
|
||||
except AccessError:
|
||||
pass
|
||||
return store.get_result()
|
||||
|
||||
@api.model
|
||||
def _get_mention_suggestions_domain(self, search):
|
||||
return (Domain('name', 'ilike', search) | Domain('email', 'ilike', search)) & Domain('active', '=', True)
|
||||
|
||||
@api.model
|
||||
def _search_mention_suggestions(self, domain, limit, extra_domain=None):
|
||||
domain = Domain(domain)
|
||||
domain_is_user = Domain('user_ids', '!=', False) & Domain('user_ids.active', '=', True) & domain
|
||||
priority_conditions = [
|
||||
expression.AND([domain_is_user, [('partner_share', '=', False)]]), # Search partners that are internal users
|
||||
domain_is_user & Domain('partner_share', '=', False), # Search partners that are internal users
|
||||
domain_is_user, # Search partners that are users
|
||||
search_dom, # Search partners that are not users
|
||||
domain, # Search partners that are not users
|
||||
]
|
||||
if extra_domain:
|
||||
priority_conditions.append(Domain(extra_domain))
|
||||
partners = self.env['res.partner']
|
||||
for domain in priority_conditions:
|
||||
remaining_limit = limit - len(partners)
|
||||
|
|
@ -217,31 +333,12 @@ class Partner(models.Model):
|
|||
# We are using _search to avoid the default order that is
|
||||
# automatically added by the search method. "Order by" makes the query
|
||||
# really slow.
|
||||
query = self._search(expression.AND([[('id', 'not in', partners.ids)], domain]), limit=remaining_limit)
|
||||
query = self._search(Domain('id', 'not in', partners.ids) & domain, limit=remaining_limit)
|
||||
partners |= self.browse(query)
|
||||
partners_format = partners.mail_partner_format()
|
||||
if channel_id:
|
||||
member_by_partner = {member.partner_id: member for member in self.env['mail.channel.member'].search([('channel_id', '=', channel_id), ('partner_id', 'in', partners.ids)])}
|
||||
for partner in partners:
|
||||
partners_format.get(partner)['persona'] = {
|
||||
'channelMembers': [('insert', member_by_partner.get(partner)._mail_channel_member_format(fields={'id': True, 'channel': {'id'}, 'persona': {'partner': {'id'}}}).get(member_by_partner.get(partner)))],
|
||||
}
|
||||
return list(partners_format.values())
|
||||
return partners
|
||||
|
||||
@api.model
|
||||
def im_search(self, name, limit=20):
|
||||
""" Search partner with a name and return its id, name and im_status.
|
||||
Note : the user must be logged
|
||||
:param name : the partner name to search
|
||||
:param limit : the limit of result to return
|
||||
"""
|
||||
# This method is supposed to be used only in the context of channel creation or
|
||||
# extension via an invite. As both of these actions require the 'create' access
|
||||
# right, we check this specific ACL.
|
||||
users = self.env['res.users'].search([
|
||||
('id', '!=', self.env.user.id),
|
||||
('name', 'ilike', name),
|
||||
('active', '=', True),
|
||||
('share', '=', False),
|
||||
], order='name, id', limit=limit)
|
||||
return list(users.partner_id.mail_partner_format().values())
|
||||
def _get_current_persona(self):
|
||||
if not self.env.user or self.env.user._is_public():
|
||||
return (self.env["res.partner"], self.env["mail.guest"]._get_guest_from_context())
|
||||
return (self.env.user.partner_id, self.env["mail.guest"])
|
||||
|
|
|
|||
Loading…
Add table
Add a link
Reference in a new issue