diff --git a/addons/account/models/account.py b/addons/account/models/account.py
index bf1a2aa5d692d019cf563a27b4c6b043ee8f8bdc..5f591c991b9542f04444b9fcca26fadb2e41eab5 100644
--- a/addons/account/models/account.py
+++ b/addons/account/models/account.py
@@ -173,14 +173,12 @@ class AccountAccount(models.Model):
     _description = "Account"
     _order = "code"
 
-    @api.multi
     @api.constrains('internal_type', 'reconcile')
     def _check_reconcile(self):
         for account in self:
             if account.internal_type in ('receivable', 'payable') and account.reconcile == False:
                 raise ValidationError(_('You cannot have a receivable/payable account that is not reconcilable. (account code: %s)') % account.code)
 
-    @api.multi
     @api.constrains('user_type_id')
     def _check_user_type_id(self):
         data_unaffected_earnings = self.env.ref('account.data_unaffected_earnings')
@@ -340,7 +338,6 @@ class AccountAccount(models.Model):
             code_prefix = code_prefix[:-1]
         self.group_id = group
 
-    @api.multi
     def name_get(self):
         result = []
         for account in self:
@@ -348,7 +345,6 @@ class AccountAccount(models.Model):
             result.append((account.id, name))
         return result
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         default = dict(default or {})
@@ -421,7 +417,6 @@ class AccountAccount(models.Model):
         """
         self.env.cr.execute(query, [tuple(self.ids)])
 
-    @api.multi
     def write(self, vals):
         # Do not allow changing the company_id when account_move_line already exist
         if vals.get('company_id', False):
@@ -442,7 +437,6 @@ class AccountAccount(models.Model):
 
         return super(AccountAccount, self).write(vals)
 
-    @api.multi
     def unlink(self):
         if self.env['account.move.line'].search([('account_id', 'in', self.ids)], limit=1):
             raise UserError(_('You cannot perform this action on an account that contains journal items.'))
@@ -453,7 +447,6 @@ class AccountAccount(models.Model):
             raise UserError(_('You cannot remove/deactivate an account which is set on a customer or vendor.'))
         return super(AccountAccount, self).unlink()
 
-    @api.multi
     def action_open_reconcile(self):
         self.ensure_one()
         # Open reconciliation view for this account
@@ -613,13 +606,11 @@ class AccountJournal(models.Model):
         ('code_company_uniq', 'unique (code, name, company_id)', 'The code and name of the journal must be unique per company !'),
     ]
 
-    @api.multi
     def _compute_alias_domain(self):
         alias_domain = self.env["ir.config_parameter"].sudo().get_param("mail.catchall.domain")
         for record in self:
             record.alias_domain = alias_domain
 
-    @api.multi
     # do not depend on 'sequence_id.date_range_ids', because
     # sequence_id._get_current_sequence() may invalidate it!
     @api.depends('sequence_id.use_date_range', 'sequence_id.number_next_actual')
@@ -634,7 +625,6 @@ class AccountJournal(models.Model):
             else:
                 journal.sequence_number_next = 1
 
-    @api.multi
     def _inverse_seq_number_next(self):
         '''Inverse 'sequence_number_next' to edit the current sequence next number.
         '''
@@ -643,7 +633,6 @@ class AccountJournal(models.Model):
                 sequence = journal.sequence_id._get_current_sequence()
                 sequence.sudo().number_next = journal.sequence_number_next
 
-    @api.multi
     # do not depend on 'refund_sequence_id.date_range_ids', because
     # refund_sequence_id._get_current_sequence() may invalidate it!
     @api.depends('refund_sequence_id.use_date_range', 'refund_sequence_id.number_next_actual')
@@ -658,7 +647,6 @@ class AccountJournal(models.Model):
             else:
                 journal.refund_sequence_number_next = 1
 
-    @api.multi
     def _inverse_refund_seq_number_next(self):
         '''Inverse 'refund_sequence_number_next' to edit the current sequence next number.
         '''
@@ -697,7 +685,6 @@ class AccountJournal(models.Model):
         if not self.default_debit_account_id:
             self.default_debit_account_id = self.default_credit_account_id
 
-    @api.multi
     def _get_alias_values(self, type, alias_name=None):
         if not alias_name:
             alias_name = self.name
@@ -709,7 +696,6 @@ class AccountJournal(models.Model):
             'alias_name': re.sub(r'[^\w]+', '-', alias_name)
         }
 
-    @api.multi
     def unlink(self):
         bank_accounts = self.env['res.partner.bank'].browse()
         for bank_account in self.mapped('bank_account_id'):
@@ -721,7 +707,6 @@ class AccountJournal(models.Model):
         bank_accounts.unlink()
         return ret
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         default = dict(default or {})
@@ -743,7 +728,6 @@ class AccountJournal(models.Model):
             # remove alias_name to avoid useless write on alias
             del(vals['alias_name'])
 
-    @api.multi
     def write(self, vals):
         for journal in self:
             company = journal.company_id
@@ -922,7 +906,6 @@ class AccountJournal(models.Model):
             'partner_id': self.company_id.partner_id.id,
         }).id
 
-    @api.multi
     def name_get(self):
         res = []
         for journal in self:
@@ -943,13 +926,11 @@ class AccountJournal(models.Model):
         journal_ids = self._search(expression.AND([domain, args]), limit=limit, access_rights_uid=name_get_uid)
         return self.browse(journal_ids).name_get()
 
-    @api.multi
     @api.depends('company_id')
     def _belong_to_company(self):
         for journal in self:
             journal.belong_to_company = (journal.company_id.id == self.env.company.id)
 
-    @api.multi
     def _search_company_journals(self, operator, value):
         if value:
             recs = self.search([('company_id', operator, self.env.company.id)])
@@ -959,7 +940,6 @@ class AccountJournal(models.Model):
             recs = self.search([('company_id', operator, self.env.company.id)])
         return [('id', 'in', [x.id for x in recs])]
 
-    @api.multi
     @api.depends('inbound_payment_method_ids', 'outbound_payment_method_ids')
     def _methods_compute(self):
         for journal in self:
@@ -1119,7 +1099,6 @@ class AccountTax(models.Model):
             if not all(child.type_tax_use in ('none', tax.type_tax_use) for child in tax.children_tax_ids):
                 raise ValidationError(_('The application scope of taxes in a group must be either the same as the group or left empty.'))
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         default = dict(default or {}, name=_("%s (Copy)") % self.name)
@@ -1212,7 +1191,6 @@ class AccountTax(models.Model):
         if self.amount_type == 'division' and price_include:
             return base_amount - (base_amount * (self.amount / 100))
 
-    @api.multi
     def json_friendly_compute_all(self, price_unit, currency_id=None, quantity=1.0, product_id=None, partner_id=None, is_refund=False):
         """ Just converts parameters in browse records and calls for compute_all, because js widgets can't serialize browse records """
         if currency_id:
@@ -1240,7 +1218,6 @@ class AccountTax(models.Model):
         rep_lines = self.mapped(is_refund and 'refund_repartition_line_ids' or 'invoice_repartition_line_ids')
         return rep_lines.filtered(lambda x: x.repartition_type == repartition_type).mapped('tag_ids')
 
-    @api.multi
     def compute_all(self, price_unit, currency=None, quantity=1.0, product=None, partner=None, is_refund=False, handle_price_include=True):
         """ Returns all information required to apply taxes (in self + their children in case of a tax group).
             We consider the sequence of the parent for group of taxes.
diff --git a/addons/account/models/account_bank_statement.py b/addons/account/models/account_bank_statement.py
index 5f2ee1702dc6baa7bd708a3832de3d8462223e76..25797b50edf02123b393cb33af316e60f487f2c0 100644
--- a/addons/account/models/account_bank_statement.py
+++ b/addons/account/models/account_bank_statement.py
@@ -38,7 +38,6 @@ class AccountBankStmtCashWizard(models.Model):
 
     cashbox_lines_ids = fields.One2many('account.cashbox.line', 'cashbox_id', string='Cashbox Lines')
 
-    @api.multi
     def validate(self):
         bnk_stmt_id = self.env.context.get('bank_statement_id', False) or self.env.context.get('active_id', False)
         bnk_stmt = self.env['account.bank.statement'].browse(bnk_stmt_id)
@@ -61,7 +60,6 @@ class AccountBankStmtCloseCheck(models.TransientModel):
     _name = 'account.bank.statement.closebalance'
     _description = 'Bank Statement Closing Balance'
 
-    @api.multi
     def validate(self):
         bnk_stmt_id = self.env.context.get('active_id', False)
         if bnk_stmt_id:
@@ -78,7 +76,6 @@ class AccountBankStatement(models.Model):
             statement.balance_end = statement.balance_start + statement.total_entry_encoding
             statement.difference = statement.balance_end_real - statement.balance_end
 
-    @api.multi
     def _is_difference_zero(self):
         for bank_stmt in self:
             bank_stmt.is_difference_zero = float_is_zero(bank_stmt.difference, precision_digits=bank_stmt.currency_id.decimal_places)
@@ -112,14 +109,12 @@ class AccountBankStatement(models.Model):
                 return journals[0]
         return self.env['account.journal']
 
-    @api.multi
     def _get_opening_balance(self, journal_id):
         last_bnk_stmt = self.search([('journal_id', '=', journal_id)], limit=1)
         if last_bnk_stmt:
             return last_bnk_stmt.balance_end
         return 0
 
-    @api.multi
     def _set_opening_balance(self, journal_id):
         self.balance_start = self._get_opening_balance(journal_id)
 
@@ -169,7 +164,6 @@ class AccountBankStatement(models.Model):
     def onchange_journal_id(self):
         self._set_opening_balance(self.journal_id.id)
 
-    @api.multi
     def _balance_check(self):
         for stmt in self:
             if not stmt.currency_id.is_zero(stmt.difference):
@@ -198,7 +192,6 @@ class AccountBankStatement(models.Model):
                         % (balance_end_real, balance_end))
         return True
 
-    @api.multi
     def unlink(self):
         for statement in self:
             if statement.state != 'open':
@@ -207,7 +200,6 @@ class AccountBankStatement(models.Model):
             statement.line_ids.unlink()
         return super(AccountBankStatement, self).unlink()
 
-    @api.multi
     def open_cashbox_id(self):
         context = dict(self.env.context or {})
         if context.get('cashbox_id'):
@@ -223,7 +215,6 @@ class AccountBankStatement(models.Model):
                 'target': 'new'
             }
 
-    @api.multi
     def check_confirm_bank(self):
         if self.journal_type == 'cash' and not self.currency_id.is_zero(self.difference):
             action_rec = self.env['ir.model.data'].xmlid_to_object('account.action_view_account_bnk_stmt_check')
@@ -232,7 +223,6 @@ class AccountBankStatement(models.Model):
                 return action
         return self.button_confirm_bank()
 
-    @api.multi
     def button_confirm_bank(self):
         self._balance_check()
         statements = self.filtered(lambda r: r.state == 'open')
@@ -255,7 +245,6 @@ class AccountBankStatement(models.Model):
             statement.message_post(body=_('Statement %s confirmed, journal items were created.') % (statement.name,))
         statements.write({'state': 'confirm', 'date_done': time.strftime("%Y-%m-%d %H:%M:%S")})
 
-    @api.multi
     def button_journal_entries(self):
         context = dict(self._context or {})
         context['journal_id'] = self.journal_id.id
@@ -269,7 +258,6 @@ class AccountBankStatement(models.Model):
             'context': context,
         }
 
-    @api.multi
     def button_open(self):
         """ Changes statement state to Running."""
         for statement in self:
@@ -283,7 +271,6 @@ class AccountBankStatement(models.Model):
                 statement.name = st_number
             statement.state = 'open'
             
-    @api.multi
     def action_bank_reconcile_bank_statements(self):
         self.ensure_one()
         bank_stmt_lines = self.mapped('line_ids')
@@ -365,14 +352,12 @@ class AccountBankStatementLine(models.Model):
         line.amount = line.amount
         return line
 
-    @api.multi
     def unlink(self):
         for line in self:
             if line.journal_entry_ids.ids:
                 raise UserError(_('In order to delete a bank statement line, you must first cancel it to delete related journal items.'))
         return super(AccountBankStatementLine, self).unlink()
 
-    @api.multi
     def button_cancel_reconciliation(self):
         aml_to_unbind = self.env['account.move.line']
         aml_to_cancel = self.env['account.move.line']
@@ -500,7 +485,6 @@ class AccountBankStatementLine(models.Model):
             aml_dict['move_id'] = move.id
         return aml_dict
 
-    @api.multi
     def fast_counterpart_creation(self):
         """This function is called when confirming a bank statement and will allow to automatically process lines without
         going in the bank reconciliation widget. By setting an account_id on bank statement lines, it will create a journal
@@ -766,7 +750,6 @@ class AccountBankStatementLine(models.Model):
         counterpart_moves._check_balanced()
         return counterpart_moves
 
-    @api.multi
     def _prepare_move_line_for_currency(self, aml_dict, date):
         self.ensure_one()
         company_currency = self.journal_id.company_id.currency_id
diff --git a/addons/account/models/account_cash_rounding.py b/addons/account/models/account_cash_rounding.py
index 091874074e4df1aae625a5e87e0fc2f707e489b0..d1ea973191348b6198aebb5f633db65fc96129e8 100644
--- a/addons/account/models/account_cash_rounding.py
+++ b/addons/account/models/account_cash_rounding.py
@@ -25,7 +25,6 @@ class AccountCashRounding(models.Model):
         selection=[('UP', 'UP'), ('DOWN', 'DOWN'), ('HALF-UP', 'HALF-UP')],
         default='HALF-UP', help='The tie-breaking rule used for float rounding operations')
 
-    @api.multi
     def round(self, amount):
         """Compute the rounding on the amount passed as parameter.
 
@@ -34,7 +33,6 @@ class AccountCashRounding(models.Model):
         """
         return float_round(amount, precision_rounding=self.rounding, rounding_method=self.rounding_method)
 
-    @api.multi
     def compute_difference(self, currency, amount):
         """Compute the difference between the base_amount and the amount after rounding.
         For example, base_amount=23.91, after rounding=24.00, the result will be 0.09.
diff --git a/addons/account/models/account_journal_dashboard.py b/addons/account/models/account_journal_dashboard.py
index dc760b842da58674f9e29ee3004a2ceb801d3fac..ee4235a2cce71dee580ebc9917534027a64be974 100644
--- a/addons/account/models/account_journal_dashboard.py
+++ b/addons/account/models/account_journal_dashboard.py
@@ -73,7 +73,6 @@ class account_journal(models.Model):
             return ['', _('Bank: Balance')]
 
     # Below method is used to get data of bank and cash statemens
-    @api.multi
     def get_line_graph_datas(self):
         """Computes the data used to display the graph for bank and cash journals in the accounting dashboard"""
 
@@ -133,7 +132,6 @@ class account_journal(models.Model):
 
         return [{'values': data, 'title': graph_title, 'key': graph_key, 'area': True, 'color': color, 'is_sample_data': is_sample_data}]
 
-    @api.multi
     def get_bar_graph_datas(self):
         data = []
         today = fields.Datetime.now(self)
@@ -205,7 +203,6 @@ class account_journal(models.Model):
             AND move.type IN ('out_invoice', 'out_refund', 'in_invoice', 'in_refund', 'out_receipt', 'in_receipt')
         ''', {'journal_id': self.id})
 
-    @api.multi
     def get_journal_dashboard_datas(self):
         currency = self.currency_id or self.company_id.currency_id
         number_to_reconcile = number_to_check = last_balance = account_sum = 0
@@ -368,7 +365,6 @@ class account_journal(models.Model):
             rslt_sum += target_currency.round(amount)
         return (rslt_count, rslt_sum)
 
-    @api.multi
     def action_create_new(self):
         ctx = self._context.copy()
         ctx['default_journal_id'] = self.id
@@ -388,7 +384,6 @@ class account_journal(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     def create_cash_statement(self):
         ctx = self._context.copy()
         ctx.update({'journal_id': self.id, 'default_journal_id': self.id, 'default_journal_type': 'cash'})
@@ -400,7 +395,6 @@ class account_journal(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     def action_open_reconcile(self):
         if self.type in ['bank', 'cash']:
             # Open reconciliation view for bank statements belonging to this journal
@@ -423,7 +417,6 @@ class account_journal(models.Model):
                 'context': action_context,
             }
 
-    @api.multi
     def action_open_to_check(self):
         self.ensure_one()
         ids = self.to_check_ids().ids
@@ -443,7 +436,6 @@ class account_journal(models.Model):
         statement_line_ids = self.env['account.move.line'].search(domain).mapped('statement_line_id')
         return statement_line_ids
 
-    @api.multi
     def open_action(self):
         """return action based on type for related journals"""
         action_name = self._context.get('action_name')
@@ -484,19 +476,15 @@ class account_journal(models.Model):
 
         return action
 
-    @api.multi
     def open_spend_money(self):
         return self.open_payments_action('outbound')
 
-    @api.multi
     def open_collect_money(self):
         return self.open_payments_action('inbound')
 
-    @api.multi
     def open_transfer_money(self):
         return self.open_payments_action('transfer')
 
-    @api.multi
     def open_payments_action(self, payment_type, mode='tree'):
         if payment_type == 'outbound':
             action_ref = 'account.action_account_payments_payable'
@@ -510,7 +498,6 @@ class account_journal(models.Model):
             action['views'] = [[False, 'form']]
         return action
 
-    @api.multi
     def open_action_with_context(self):
         action_name = self.env.context.get('action_name', False)
         if not action_name:
@@ -528,7 +515,6 @@ class account_journal(models.Model):
             action['name'] += ' for journal ' + self.name
         return action
 
-    @api.multi
     def create_bank_statement(self):
         """return action to create a bank statements. This button should be called only on journals with type =='bank'"""
         action = self.env.ref('account.action_bank_statement_tree').read()[0]
@@ -538,17 +524,14 @@ class account_journal(models.Model):
         })
         return action
 
-    @api.multi
     def create_customer_payment(self):
         """return action to create a customer payment"""
         return self.open_payments_action('inbound', mode='form')
 
-    @api.multi
     def create_supplier_payment(self):
         """return action to create a supplier payment"""
         return self.open_payments_action('outbound', mode='form')
 
-    @api.multi
     def create_internal_transfer(self):
         """return action to create a internal transfer"""
         return self.open_payments_action('transfer', mode='form')
diff --git a/addons/account/models/account_move.py b/addons/account/models/account_move.py
index c9adf0ba7f0c3ab816302f3e67d6bd4ed5bae55a..7fb0597aaffa92010691b3596e389accebb0198c 100644
--- a/addons/account/models/account_move.py
+++ b/addons/account/models/account_move.py
@@ -409,7 +409,6 @@ class AccountMove(models.Model):
             'tag_ids': [(6, 0, tax_vals['tag_ids'])],
         }
 
-    @api.multi
     def _recompute_tax_lines(self):
         ''' Compute the dynamic tax lines of the journal entry.
 
@@ -554,7 +553,6 @@ class AccountMove(models.Model):
                 tax_line._onchange_amount_currency()
                 tax_line._onchange_balance()
 
-    @api.multi
     def _recompute_cash_rounding_lines(self):
         ''' Handle the cash rounding feature on invoices.
 
@@ -676,7 +674,6 @@ class AccountMove(models.Model):
 
         _apply_cash_rounding(self, diff_balance, diff_amount_currency, existing_cash_rounding_line)
 
-    @api.multi
     def _recompute_payment_terms_lines(self):
         ''' Compute the dynamic payment term lines of the journal entry.'''
         self.ensure_one()
@@ -803,7 +800,6 @@ class AccountMove(models.Model):
             self.invoice_payment_ref = new_terms_lines[-1].name or ''
             self.invoice_date_due = new_terms_lines[-1].date_maturity
 
-    @api.multi
     def _recompute_dynamic_lines(self, recompute_all_taxes=False):
         ''' Recompute all lines that depend of others.
 
@@ -838,7 +834,6 @@ class AccountMove(models.Model):
             if self != self._origin:
                 self.invoice_line_ids = self.line_ids.filtered(lambda line: not line.exclude_from_invoice_tab)
 
-    @api.multi
     def onchange(self, values, field_name, field_onchange):
         # OVERRIDE
         # As the dynamic lines in this model are quite complex, we need to ensure some computations are done exactly
@@ -962,7 +957,6 @@ class AccountMove(models.Model):
             else:
                 move.invoice_payment_state = 'not_paid'
 
-    @api.multi
     def _inverse_amount_total(self):
         for move in self:
             if len(move.line_ids) != 2 or move.type != 'entry':
@@ -986,7 +980,6 @@ class AccountMove(models.Model):
 
             move.write({'line_ids': to_write})
 
-    @api.multi
     def _get_domain_matching_supsense_moves(self):
         self.ensure_one()
         domain = self.env['account.move.line']._get_suspense_moves_domain()
@@ -1063,7 +1056,6 @@ class AccountMove(models.Model):
                 move.invoice_sequence_number_next_prefix = prefix
                 move.invoice_sequence_number_next = '%%0%sd' % sequence.padding % number_next
 
-    @api.multi
     def _inverse_invoice_sequence_number_next(self):
         ''' Set the number_next on the sequence related to the invoice/bill/refund'''
         # Check user group.
@@ -1081,7 +1073,6 @@ class AccountMove(models.Model):
                 date_sequence = sequence._get_current_sequence()
                 date_sequence.number_next_actual = int(result.group(2))
 
-    @api.multi
     def _compute_payments_widget_to_reconcile_info(self):
         for move in self:
             move.invoice_outstanding_credits_debits_widget = json.dumps(False)
@@ -1128,7 +1119,6 @@ class AccountMove(models.Model):
                 move.invoice_outstanding_credits_debits_widget = json.dumps(info)
                 move.invoice_has_outstanding = True
 
-    @api.multi
     def _get_reconciled_info_JSON_values(self):
         self.ensure_one()
         foreign_currency = self.currency_id if self.currency_id != self.company_id.currency_id else False
@@ -1258,7 +1248,6 @@ class AccountMove(models.Model):
         if self._cr.fetchone():
             raise ValidationError(_('Duplicated vendor reference detected. You probably encoded twice the same vendor bill/credit note.'))
 
-    @api.multi
     def _check_balanced(self):
         ''' Assert the move is fully balanced debit = credit.
         An error is raised if it's not the case.
@@ -1287,7 +1276,6 @@ class AccountMove(models.Model):
             ids = [res[0] for res in query_res]
             raise UserError(_("Cannot create unbalanced journal entry. Ids: %s") % str(ids))
 
-    @api.multi
     def _check_fiscalyear_lock_date(self):
         for move in self:
             lock_date = max(move.company_id.period_lock_date or date.min, move.company_id.fiscalyear_lock_date or date.min)
@@ -1301,7 +1289,6 @@ class AccountMove(models.Model):
                 raise UserError(message)
         return True
 
-    @api.multi
     def _check_tax_lock_date(self):
         if not self:
             return
@@ -1322,7 +1309,6 @@ class AccountMove(models.Model):
                 Please change the journal entry date or the tax lock date set in the settings (%s) to proceed
             ''' % query_res[1]))
 
-    @api.multi
     def _check_move_consistency(self):
         for move in self:
             if move.line_ids:
@@ -1336,7 +1322,6 @@ class AccountMove(models.Model):
     # LOW-LEVEL METHODS
     # -------------------------------------------------------------------------
 
-    @api.multi
     def _move_autocomplete_invoice_lines_values(self):
         ''' This method recomputes dynamic lines on the current journal entry that include taxes, cash rounding
         and payment terms lines.
@@ -1414,7 +1399,6 @@ class AccountMove(models.Model):
             new_vals_list.append(move._move_autocomplete_invoice_lines_values())
         return new_vals_list
 
-    @api.multi
     def _move_autocomplete_invoice_lines_write(self, vals):
         ''' During the write of an account.move with only 'invoice_line_ids' set and not 'line_ids', this method is called
         to auto compute accounting lines of the invoice. In that case, accounts will be retrieved and taxes, cash rounding
@@ -1450,7 +1434,6 @@ class AccountMove(models.Model):
 
         return moves
 
-    @api.multi
     def write(self, vals):
         not_paid_invoices = self.filtered(lambda move: move.is_invoice(include_receipts=True) and move.invoice_payment_state not in ('paid', 'in_payment'))
 
@@ -1470,7 +1453,6 @@ class AccountMove(models.Model):
 
         return res
 
-    @api.multi
     def unlink(self):
         for move in self:
             # check the lock date + check if some entries are reconciled
@@ -1478,7 +1460,6 @@ class AccountMove(models.Model):
             move.line_ids.unlink()
         return super(AccountMove, self).unlink()
 
-    @api.multi
     @api.depends('name', 'state')
     def name_get(self):
         result = []
@@ -1497,7 +1478,6 @@ class AccountMove(models.Model):
             result.append((move.id, name))
         return result
 
-    @api.multi
     def _track_subtype(self, init_values):
         # OVERRIDE to add custom subtype depending of the state.
         self.ensure_one()
@@ -1552,7 +1532,6 @@ class AccountMove(models.Model):
     def is_outbound(self, include_receipts=True):
         return self.type in self.get_outbound_types(include_receipts)
 
-    @api.multi
     def _get_invoice_reference_euro_invoice(self):
         """ This computes the reference based on the RF Creditor Reference.
             The data of the reference is the database id number of the invoice.
@@ -1565,7 +1544,6 @@ class AccountMove(models.Model):
         reference = 'RF{} {}'.format(check_digits, " ".join(["".join(x) for x in zip_longest(*[iter(str(base))]*4, fillvalue="")]))
         return reference
 
-    @api.multi
     def _get_invoice_reference_euro_partner(self):
         """ This computes the reference based on the RF Creditor Reference.
             The data of the reference is the user defined reference of the
@@ -1585,7 +1563,6 @@ class AccountMove(models.Model):
         reference = 'RF{} {}'.format(check_digits, " ".join(["".join(x) for x in zip_longest(*[iter(partner_ref_nr)]*4, fillvalue="")]))
         return reference
 
-    @api.multi
     def _get_invoice_reference_odoo_invoice(self):
         """ This computes the reference based on the Odoo format.
             We simply return the number of the invoice, defined on the journal
@@ -1594,7 +1571,6 @@ class AccountMove(models.Model):
         self.ensure_one()
         return self.name
 
-    @api.multi
     def _get_invoice_reference_odoo_partner(self):
         """ This computes the reference based on the Odoo format.
             The data used is the reference set on the partner or its database
@@ -1605,7 +1581,6 @@ class AccountMove(models.Model):
         prefix = _('CUST')
         return '%s/%s' % (prefix, ref)
 
-    @api.multi
     def _get_invoice_computed_reference(self):
         self.ensure_one()
         if self.journal_id.invoice_reference_type == 'none':
@@ -1617,7 +1592,6 @@ class AccountMove(models.Model):
             else:
                 raise UserError(_('The combination of reference model and reference type on the journal is not implemented'))
 
-    @api.multi
     def _get_sequence(self):
         ''' Return the sequence to be used during the post of the current move.
         :return: An ir.sequence record or False.
@@ -1631,7 +1605,6 @@ class AccountMove(models.Model):
             return
         return journal.refund_sequence_id
 
-    @api.multi
     def _get_invoice_display_name(self, show_ref=False):
         ''' Helper to get the display name of an invoice depending of its type.
         :param show_ref:    A flag indicating of the display name must include or not the journal entry reference.
@@ -1650,7 +1623,6 @@ class AccountMove(models.Model):
         else:
             return ('%s' % self.name) + (show_ref and self.ref and '(%s)' % self.ref or '')
 
-    @api.multi
     def _get_invoice_delivery_partner_id(self):
         ''' Hook allowing to retrieve the right delivery address depending of installed modules.
         :return: A res.partner record's id representing the delivery address.
@@ -1658,7 +1630,6 @@ class AccountMove(models.Model):
         self.ensure_one()
         return self.partner_id.address_get(['delivery'])['delivery']
 
-    @api.multi
     def _get_invoice_intrastat_country_id(self):
         ''' Hook allowing to retrieve the intrastat country depending of installed modules.
         :return: A res.country record's id.
@@ -1666,7 +1637,6 @@ class AccountMove(models.Model):
         self.ensure_one()
         return self.partner_id.country_id.id
 
-    @api.multi
     def _get_cash_basis_matched_percentage(self):
         """Compute the percentage to apply for cash basis method. This value is relevant only for moves that
         involve journal items on receivable or payable accounts.
@@ -1701,7 +1671,6 @@ class AccountMove(models.Model):
         else:
             return abs(total_reconciled / total_amount)
 
-    @api.multi
     def _reverse_move_vals(self, default_values, cancel=True):
         ''' Reverse values passed as parameter being the copied values of the original journal entry.
         For example, debit / credit must be switched. The tax lines must be edited in case of refunds.
@@ -1794,7 +1763,6 @@ class AccountMove(models.Model):
                 })
         return move_vals
 
-    @api.multi
     def _reverse_moves(self, default_values_list=None, cancel=False):
         ''' Reverse a recordset of account.move.
         If cancel parameter is true, the reconcilable or liquidity lines
@@ -1844,11 +1812,9 @@ class AccountMove(models.Model):
 
         return reverse_moves
 
-    @api.multi
     def open_reconcile_view(self):
         return self.line_ids.open_reconcile_view()
 
-    @api.multi
     def post(self):
         for move in self:
             if move.auto_post and move.date > fields.Date.today():
@@ -1910,7 +1876,6 @@ class AccountMove(models.Model):
                 # installing Accounting- with bank statements)
                 move.company_id.account_bank_reconciliation_start = move.date
 
-    @api.multi
     def action_reverse(self):
         action = self.env.ref('account.action_view_account_move_reversal').read()[0]
 
@@ -1919,26 +1884,22 @@ class AccountMove(models.Model):
 
         return action
 
-    @api.multi
     def action_post(self):
         if self.mapped('line_ids.payment_id') and any(self.mapped('journal_id.post_at_bank_rec')):
             raise UserError(_("A payment journal entry generated in a journal configured to post entries only when payments are reconciled with a bank statement cannot be manually posted. Those will be posted automatically after performing the bank reconciliation."))
         return self.post()
 
-    @api.multi
     def js_assign_outstanding_line(self, line_id):
         self.ensure_one()
         lines = self.env['account.move.line'].browse(line_id)
         lines += self.line_ids.filtered(lambda line: line.account_id == lines[0].account_id and not line.reconciled)
         return lines.reconcile()
 
-    @api.multi
     def button_draft(self):
         if any(move.state != 'cancel' for move in self):
             raise UserError(_('Only cancelled journal entries can be reset to draft.'))
         self.write({'state': 'draft'})
 
-    @api.multi
     def button_cancel(self):
         AccountMoveLine = self.env['account.move.line']
         excluded_move_ids = []
@@ -1961,7 +1922,6 @@ class AccountMove(models.Model):
         self.mapped('line_ids').remove_move_reconcile()
         return True
 
-    @api.multi
     def action_invoice_sent(self):
         """ Open a window to compose an email, with the edi invoice template
             message loaded by default
@@ -1991,7 +1951,6 @@ class AccountMove(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     def action_invoice_print(self):
         """ Print the invoice and mark it as sent, so that we can see more
             easily the next step of the workflow
@@ -2005,12 +1964,10 @@ class AccountMove(models.Model):
         else:
             return self.env.ref('account.account_invoices_without_payment').report_action(self)
 
-    @api.multi
     def action_invoice_paid(self):
         ''' Hook to be overrided called when the invoice moves to the paid state. '''
         pass
 
-    @api.multi
     def action_open_matching_suspense_moves(self):
         self.ensure_one()
         domain = self._get_domain_matching_supsense_moves()
@@ -2026,19 +1983,16 @@ class AccountMove(models.Model):
             'context': action_context,
         }
 
-    @api.multi
     def action_invoice_register_payment(self):
         return self.env['account.payment']\
             .with_context(active_ids=self.ids, active_model='account.move', active_id=self.id)\
             .action_register_payment()
 
-    @api.multi
     def _get_report_base_filename(self):
         if any(not move.is_invoice() for move in self):
             raise UserError(_("Only invoices could be printed."))
         return self._get_invoice_display_name()
 
-    @api.multi
     def preview_invoice(self):
         self.ensure_one()
         return {
@@ -2047,7 +2001,6 @@ class AccountMove(models.Model):
             'url': self.get_portal_url(),
         }
 
-    @api.multi
     def _compute_access_url(self):
         super(AccountMove, self)._compute_access_url()
         for move in self.filtered(lambda move: move.is_invoice()):
@@ -2058,7 +2011,6 @@ class AccountMove(models.Model):
         for move in self:
             move.has_reconciled_entries = len(move.line_ids._reconciled_lines()) > 1
 
-    @api.multi
     def action_view_reverse_entry(self):
         self.ensure_one()
 
@@ -2095,7 +2047,6 @@ class AccountMove(models.Model):
         records.post()
 
     # offer the possibility to duplicate thanks to a button instead of a hidden menu, which is more visible
-    @api.multi
     def action_duplicate(self):
         self.ensure_one()
         action = self.env.ref('account.action_move_journal_line').read()[0]
@@ -2269,7 +2220,6 @@ class AccountMoveLine(models.Model):
             account = repartition_line.account_id
         return account
 
-    @api.multi
     def _get_computed_name(self):
         self.ensure_one()
 
@@ -2292,7 +2242,6 @@ class AccountMoveLine(models.Model):
                 values.append(product.description_purchase)
         return '\n'.join(values)
 
-    @api.multi
     def _get_computed_price_unit(self):
         self.ensure_one()
 
@@ -2316,7 +2265,6 @@ class AccountMoveLine(models.Model):
                 price_unit, self.move_id.currency_id, company, self.move_id.date)
         return price_unit
 
-    @api.multi
     def _get_computed_account(self):
         self.ensure_one()
 
@@ -2332,7 +2280,6 @@ class AccountMoveLine(models.Model):
             # In invoice.
             return accounts['expense']
 
-    @api.multi
     def _get_computed_taxes(self):
         self.ensure_one()
 
@@ -2369,14 +2316,12 @@ class AccountMoveLine(models.Model):
         else:
             return tax_ids
 
-    @api.multi
     def _get_computed_uom(self):
         self.ensure_one()
         if self.product_id:
             return self.product_id.uom_id
         return False
 
-    @api.multi
     def _get_price_total_and_subtotal(self, price_unit=None, quantity=None, discount=None, currency=None, product=None, partner=None, taxes=None, move_type=None):
         self.ensure_one()
         return self._get_price_total_and_subtotal_model(
@@ -2420,7 +2365,6 @@ class AccountMoveLine(models.Model):
             res['price_total'] = res['price_subtotal'] = subtotal
         return res
 
-    @api.multi
     def _get_fields_onchange_subtotal(self, price_subtotal=None, move_type=None, currency=None, company=None, date=None):
         self.ensure_one()
         return self._get_fields_onchange_subtotal_model(
@@ -2467,7 +2411,6 @@ class AccountMoveLine(models.Model):
                 'credit': price_subtotal < 0.0 and -price_subtotal or 0.0,
             }
 
-    @api.multi
     def _get_fields_onchange_balance(self, quantity=None, discount=None, balance=None, move_type=None, currency=None, taxes=None):
         self.ensure_one()
         return self._get_fields_onchange_balance_model(
@@ -2584,7 +2527,6 @@ class AccountMoveLine(models.Model):
         if not self.display_type in ('line_section', 'line_note'):
             self.tax_ids = self._get_computed_taxes()
 
-    @api.multi
     def _onchange_balance(self):
         for line in self:
             if line.currency_id:
@@ -2775,7 +2717,6 @@ class AccountMoveLine(models.Model):
                       "Please change the journal entry date or the tax lock date set in the settings ({}) to proceed").format(
                         line.company_id.tax_lock_date or date.min))
 
-    @api.multi
     def _update_check(self):
         """ Raise Warning to cause rollback if the move is posted, some entries are reconciled or the move is older than the lock date"""
         move_ids = set()
@@ -2886,7 +2827,6 @@ class AccountMoveLine(models.Model):
 
         return lines
 
-    @api.multi
     def write(self, vals):
         # OVERRIDE
         ACCOUNTING_FIELDS = ('debit', 'credit', 'amount_currency')
@@ -2942,7 +2882,6 @@ class AccountMoveLine(models.Model):
 
         return result
 
-    @api.multi
     def unlink(self):
         self._update_check()
         self._check_tax_lock_date2()
@@ -2997,7 +2936,6 @@ class AccountMoveLine(models.Model):
                     values['account_id'] = accounts.id
         return values
 
-    @api.multi
     @api.depends('ref', 'move_id')
     def name_get(self):
         result = []
@@ -3012,7 +2950,6 @@ class AccountMoveLine(models.Model):
     # RECONCILIATION
     # -------------------------------------------------------------------------
 
-    @api.multi
     def check_full_reconcile(self):
         """
         This method check if a move is totally reconciled and if we need to create exchange rate entries for the move.
@@ -3110,7 +3047,6 @@ class AccountMoveLine(models.Model):
                 'exchange_move_id': exchange_move_id,
             })
 
-    @api.multi
     def _reconcile_lines(self, debit_moves, credit_moves, field):
         """ This function loops on the 2 recordsets given as parameter as long as it
             can find a debit and a credit to reconcile together. It returns the recordset of the
@@ -3188,7 +3124,6 @@ class AccountMoveLine(models.Model):
 
         return debit_moves+credit_moves
 
-    @api.multi
     def auto_reconcile_lines(self):
         # Create list of debit and list of credit move ordered by date-currency
         debit_moves = self.filtered(lambda r: r.debit != 0 or r.amount_currency > 0)
@@ -3223,7 +3158,6 @@ class AccountMoveLine(models.Model):
         if not (all_accounts[0].reconcile or all_accounts[0].internal_type == 'liquidity'):
             raise UserError(_('Account %s (%s) does not allow reconciliation. First change the configuration of this account to allow it.') % (all_accounts[0].name, all_accounts[0].code))
 
-    @api.multi
     def reconcile(self, writeoff_acc_id=False, writeoff_journal_id=False):
         # Empty self can happen if the user tries to reconcile entries which are already reconciled.
         # The calling method might have filtered out reconciled lines.
@@ -3342,19 +3276,16 @@ class AccountMoveLine(models.Model):
         # Return the writeoff move.line which is to be reconciled
         return line_to_reconcile
 
-    @api.multi
     def remove_move_reconcile(self):
         """ Undo a reconciliation """
         (self.mapped('matched_debit_ids') + self.mapped('matched_credit_ids')).unlink()
 
-    @api.multi
     def _copy_data_extend_business_fields(self, values):
         ''' Hook allowing copying business fields under certain conditions.
         E.g. The link to the sale order lines must be preserved in case of a refund.
         '''
         self.ensure_one()
 
-    @api.multi
     def copy_data(self, default=None):
         res = super(AccountMoveLine, self).copy_data(default=default)
         if self._context.get('include_business_fields'):
@@ -3409,7 +3340,6 @@ class AccountMoveLine(models.Model):
         self.ensure_one()
         return self.analytic_tag_ids.filtered(lambda r: not r.active_analytic_distribution).ids
 
-    @api.multi
     def create_analytic_lines(self):
         """ Create analytic items upon validation of an account.move.line having an analytic account or an analytic distribution.
         """
@@ -3427,7 +3357,6 @@ class AccountMoveLine(models.Model):
             values_list = lines_to_create_analytic_entries._prepare_analytic_line()
             self.env['account.analytic.line'].create(values_list)
 
-    @api.multi
     def _prepare_analytic_line(self):
         """ Prepare the values used to create() an account.analytic.line upon validation of an account.move.line having
             an analytic account. This method is intended to be extended in other modules.
@@ -3558,7 +3487,6 @@ class AccountMoveLine(models.Model):
             ids.append(aml.id)
         return ids
 
-    @api.multi
     def open_reconcile_view(self):
         [action] = self.env.ref('account.action_account_moves_all_a').read()
         ids = self._reconciled_lines()
@@ -3591,7 +3519,6 @@ class AccountPartialReconcile(models.Model):
         readonly=True, copy=False, store=True,
         help='Technical field used to determine at which date this reconciliation needs to be shown on the aged receivable/payable reports.')
 
-    @api.multi
     @api.depends('debit_move_id.date', 'credit_move_id.date')
     def _compute_max_date(self):
         for rec in self:
@@ -3794,7 +3721,6 @@ class AccountPartialReconcile(models.Model):
         }
         return self.env['account.move'].create(move_vals)
 
-    @api.multi
     def unlink(self):
         """ When removing a partial reconciliation, also unlink its full reconciliation if it exists """
         full_to_unlink = self.env['account.full.reconcile']
@@ -3822,7 +3748,6 @@ class AccountFullReconcile(models.Model):
     reconciled_line_ids = fields.One2many('account.move.line', 'full_reconcile_id', string='Matched Journal Items')
     exchange_move_id = fields.Many2one('account.move')
 
-    @api.multi
     def unlink(self):
         """ When removing a full reconciliation, we need to revert the eventual journal entries we created to book the
             fluctuation of the foreign currency's exchange rate.
diff --git a/addons/account/models/account_payment.py b/addons/account/models/account_payment.py
index 7a96e707be9615f67101777f3e29bd3e3d4827df..5b272f5d551d3cdf52350658d91f1eebefb85201 100644
--- a/addons/account/models/account_payment.py
+++ b/addons/account/models/account_payment.py
@@ -145,7 +145,6 @@ class account_payment(models.Model):
             payment.show_partner_bank_account = payment.payment_method_code in self._get_method_codes_using_bank_account()
             payment.require_partner_bank_account = payment.payment_method_code in self._get_method_codes_needing_bank_account()
 
-    @api.multi
     @api.depends('payment_type', 'journal_id')
     def _compute_hide_payment_method(self):
         for payment in self:
@@ -324,11 +323,9 @@ class account_payment(models.Model):
                 total += move_currency._convert(res['amount_residual'], currency, company, date)
         return total
 
-    @api.multi
     def name_get(self):
         return [(payment.id, payment.name or _('Draft Payment')) for payment in self]
 
-    @api.multi
     @api.depends('move_line_ids.reconciled')
     def _get_move_reconciled(self):
         for payment in self:
@@ -392,7 +389,6 @@ class account_payment(models.Model):
             record.reconciled_invoice_ids = reconciled_moves.filtered(lambda move: move.is_invoice())
             record.has_invoices = bool(record.reconciled_invoice_ids)
 
-    @api.multi
     def action_register_payment(self):
         active_ids = self.env.context.get('active_ids')
         if not active_ids:
@@ -408,7 +404,6 @@ class account_payment(models.Model):
             'type': 'ir.actions.act_window',
         }
 
-    @api.multi
     def button_journal_entries(self):
         return {
             'name': _('Journal Items'),
@@ -419,7 +414,6 @@ class account_payment(models.Model):
             'domain': [('payment_id', 'in', self.ids)],
         }
 
-    @api.multi
     def button_invoices(self):
         return {
             'name': _('Paid Invoices'),
@@ -431,7 +425,6 @@ class account_payment(models.Model):
             'domain': [('id', 'in', [x.id for x in self.reconciled_invoice_ids])],
         }
 
-    @api.multi
     def unreconcile(self):
         """ Set back the payments in 'posted' or 'sent' state, without deleting the journal entries.
             Called when cancelling a bank statement line linked to a pre-registered payment.
@@ -442,7 +435,6 @@ class account_payment(models.Model):
             else:
                 payment.write({'state': 'posted'})
 
-    @api.multi
     def cancel(self):
         for rec in self:
             for move in rec.move_line_ids.mapped('move_id'):
@@ -452,7 +444,6 @@ class account_payment(models.Model):
                 move.unlink()
             rec.state = 'cancelled'
 
-    @api.multi
     def unlink(self):
         if any(bool(rec.move_line_ids) for rec in self):
             raise UserError(_("You cannot delete a payment that is already posted."))
@@ -460,7 +451,6 @@ class account_payment(models.Model):
             raise UserError(_('It is not allowed to delete a payment that already created a journal entry since it would create a gap in the numbering. You should create the journal entry again and cancel it thanks to a regular revert.'))
         return super(account_payment, self).unlink()
 
-    @api.multi
     def _prepare_payment_moves(self):
         ''' Prepare the creation of journal entries (account.move) by creating a list of python dictionary to be passed
         to the 'create' method.
@@ -640,7 +630,6 @@ class account_payment(models.Model):
                 all_move_vals.append(transfer_move_vals)
         return all_move_vals
 
-    @api.multi
     def post(self):
         """ Create the journal items for the payment and update the payment's state to 'posted'.
             A journal entry is created containing an item in the source liquidity account (selected journal's default_debit or default_credit)
@@ -697,11 +686,9 @@ class account_payment(models.Model):
 
         return True
 
-    @api.multi
     def action_draft(self):
         return self.write({'state': 'draft'})
 
-    @api.multi
     def _get_invoice_payment_amount(self, inv):
         """
         Computes the amount covered by the current payment in the given invoice.
@@ -769,7 +756,6 @@ class payment_register(models.TransientModel):
             return {'domain': {'payment_method_id': domain}}
         return {}
 
-    @api.multi
     def _prepare_payment_vals(self, invoice):
         '''Create the payment values.
 
@@ -792,7 +778,6 @@ class payment_register(models.TransientModel):
         }
         return values
 
-    @api.multi
     def get_payments_vals(self):
         '''Compute the values for payments.
 
@@ -800,7 +785,6 @@ class payment_register(models.TransientModel):
         '''
         return [self._prepare_payment_vals(invoice) for invoice in self.invoice_ids]
 
-    @api.multi
     def create_payments(self):
         '''Create payments according to the invoices.
         Having invoices with different commercial_partner_id or different type
diff --git a/addons/account/models/account_payment_term.py b/addons/account/models/account_payment_term.py
index ff757ae9c781fe376bd45a1fa09734bb676a4d42..824e3dd216fa464d123e2430fd1df5a7b624133e 100644
--- a/addons/account/models/account_payment_term.py
+++ b/addons/account/models/account_payment_term.py
@@ -31,7 +31,6 @@ class AccountPaymentTerm(models.Model):
             if len(lines) > 1:
                 raise ValidationError(_('A Payment Term should have only one line of type Balance.'))
 
-    @api.multi
     def compute(self, value, date_ref=False, currency=None):
         self.ensure_one()
         date_ref = date_ref or fields.Date.today()
@@ -68,7 +67,6 @@ class AccountPaymentTerm(models.Model):
             result.append((last_date, dist))
         return result
 
-    @api.multi
     def unlink(self):
         for terms in self:
             if self.env['account.move'].search([('payment_term_id', 'in', terms.ids)]):
diff --git a/addons/account/models/account_reconcile_model.py b/addons/account/models/account_reconcile_model.py
index 2834791ec388ec9e0316d62efc75e37adddcad7e..af21f257f140624858631adec64d86cfe4fff86a 100644
--- a/addons/account/models/account_reconcile_model.py
+++ b/addons/account/models/account_reconcile_model.py
@@ -105,7 +105,6 @@ class AccountReconcileModel(models.Model):
 
     number_entries = fields.Integer(string='Number of entries related to this model', compute='_compute_number_entries')
 
-    @api.multi
     def action_reconcile_stat(self):
         self.ensure_one()
         action = self.env.ref('account.action_move_journal_line').read()[0]
@@ -121,7 +120,6 @@ class AccountReconcileModel(models.Model):
         })
         return action
 
-    @api.multi
     def _compute_number_entries(self):
         data = self.env['account.move.line'].read_group([('reconcile_model_id', 'in', self.ids)], ['reconcile_model_ids'], 'reconcile_model_id')
         mapped_data = dict([(d['reconcile_model_id'][0], d['reconcile_model_id_count']) for d in data])
@@ -193,7 +191,6 @@ class AccountReconcileModel(models.Model):
         base_line_dict['tag_ids'] = [(6, 0, res['base_tags'])]
         return new_aml_dicts
 
-    @api.multi
     def _get_write_off_move_lines_dict(self, st_line, move_lines=None):
         ''' Get move.lines dict (to be passed to the create()) corresponding to the reconciliation model's write-off lines.
         :param st_line:     An account.bank.statement.line record.
@@ -265,7 +262,6 @@ class AccountReconcileModel(models.Model):
 
         return new_aml_dicts
 
-    @api.multi
     def _prepare_reconciliation(self, st_line, move_lines=None, partner=None):
         ''' Reconcile the statement line with some move lines using this reconciliation model.
         :param st_line:     An account.bank.statement.line record.
@@ -324,7 +320,6 @@ class AccountReconcileModel(models.Model):
     # RECONCILIATION CRITERIA
     ####################################################
 
-    @api.multi
     def _apply_conditions(self, query, params):
         self.ensure_one()
         rule = self
@@ -382,7 +377,6 @@ class AccountReconcileModel(models.Model):
 
         return query, params
 
-    @api.multi
     def _get_with_tables(self, st_lines, partner_map=None):
         with_tables = '''
             WITH jnl_precision AS (
@@ -403,7 +397,6 @@ class AccountReconcileModel(models.Model):
         with_tables += ', partners_table AS (' + partners_table + ')'
         return with_tables
 
-    @api.multi
     def _get_invoice_matching_query(self, st_lines, excluded_ids=None, partner_map=None):
         ''' Get the query applying all rules trying to match existing entries with the given statement lines.
         :param st_lines:        Account.bank.statement.lines recordset.
@@ -534,7 +527,6 @@ class AccountReconcileModel(models.Model):
         full_query += ' ORDER BY aml_date_maturity, aml_id'
         return full_query, all_params
 
-    @api.multi
     def _get_writeoff_suggestion_query(self, st_lines, excluded_ids=None, partner_map=None):
         ''' Get the query applying all reconciliation rules.
         :param st_lines:        Account.bank.statement.lines recordset.
@@ -570,7 +562,6 @@ class AccountReconcileModel(models.Model):
         full_query += ' UNION ALL '.join(queries)
         return full_query, all_params
 
-    @api.multi
     def _check_rule_propositions(self, statement_line, candidates):
         ''' Check restrictions that can't be handled for each move.line separately.
         /!\ Only used by models having a type equals to 'invoice_matching'.
@@ -601,7 +592,6 @@ class AccountReconcileModel(models.Model):
             amount_percentage = (line_residual / total_residual) * 100 if total_residual else 0
         return amount_percentage >= self.match_total_amount_param
 
-    @api.multi
     def _apply_rules(self, st_lines, excluded_ids=None, partner_map=None):
         ''' Apply criteria to get candidates for all reconciliation models.
         :param st_lines:        Account.bank.statement.lines recordset.
diff --git a/addons/account/models/chart_template.py b/addons/account/models/chart_template.py
index bcd8d8c8d7be745f4cfc7d0abe8fdb324e59e722..8265620ef4727c5019bdf698c5d00ceea636c6d3 100644
--- a/addons/account/models/chart_template.py
+++ b/addons/account/models/chart_template.py
@@ -78,7 +78,6 @@ class AccountAccountTemplate(models.Model):
     tag_ids = fields.Many2many('account.account.tag', 'account_account_template_account_tag', string='Account tag', help="Optional tags you may want to assign for custom reporting")
     group_id = fields.Many2one('account.group')
 
-    @api.multi
     @api.depends('name', 'code')
     def name_get(self):
         res = []
@@ -346,7 +345,6 @@ class AccountChartTemplate(models.Model):
         """
         return [{'acc_name': _('Cash'), 'account_type': 'cash'}, {'acc_name': _('Bank'), 'account_type': 'bank'}]
 
-    @api.multi
     def open_select_template_wizard(self):
         # Add action to open wizard to select between several templates
         if not self.company_id.chart_template_id:
@@ -397,7 +395,6 @@ class AccountChartTemplate(models.Model):
                 company.write({'tax_cash_basis_journal_id': journal.id})
         return True
 
-    @api.multi
     def _prepare_all_journals(self, acc_template_ref, company, journals_dict=None):
         def _get_default_account(journal_vals, type='debit'):
             # Get the default accounts
@@ -438,7 +435,6 @@ class AccountChartTemplate(models.Model):
             journal_data.append(vals)
         return journal_data
 
-    @api.multi
     def generate_properties(self, acc_template_ref, company):
         """
         This method used for creating properties.
@@ -490,7 +486,6 @@ class AccountChartTemplate(models.Model):
                 company.write({stock_property: value})
         return True
 
-    @api.multi
     def _install_template(self, company, code_digits=None, obj_wizard=None, acc_ref=None, taxes_ref=None):
         """ Recursively load the template objects and create the real objects from them.
 
@@ -520,7 +515,6 @@ class AccountChartTemplate(models.Model):
         taxes_ref.update(tmp2)
         return acc_ref, taxes_ref
 
-    @api.multi
     def _load_template(self, company, code_digits=None, account_ref=None, taxes_ref=None):
         """ Generate all the objects from the templates
 
@@ -581,7 +575,6 @@ class AccountChartTemplate(models.Model):
 
         return account_ref, taxes_ref
 
-    @api.multi
     def create_record_with_xmlid(self, company, template, model, vals):
         return self._create_records_with_xmlid(model, [(template, vals)], company).id
 
@@ -647,7 +640,6 @@ class AccountChartTemplate(models.Model):
             }
         return val
 
-    @api.multi
     def generate_account(self, tax_template_ref, acc_template_ref, code_digits, company):
         """ This method generates accounts from account templates.
 
@@ -713,7 +705,6 @@ class AccountChartTemplate(models.Model):
                 'second_tax_ids': [[4, tax_template_ref[tax.id], 0] for tax in account_reconcile_model.second_tax_ids],
             }
 
-    @api.multi
     def generate_account_reconcile_model(self, tax_template_ref, acc_template_ref, company):
         """ This method creates account reconcile models
 
@@ -732,7 +723,6 @@ class AccountChartTemplate(models.Model):
             self.create_record_with_xmlid(company, account_reconcile_model, 'account.reconcile.model', vals)
         return True
 
-    @api.multi
     def _get_fp_vals(self, company, position):
         return {
             'company_id': company.id,
@@ -748,7 +738,6 @@ class AccountChartTemplate(models.Model):
             'zip_to': position.zip_to,
         }
 
-    @api.multi
     def generate_fiscal_position(self, tax_template_ref, acc_template_ref, company):
         """ This method generates Fiscal Position, Fiscal Position Accounts
         and Fiscal Position Taxes from templates.
@@ -838,7 +827,6 @@ class AccountTaxTemplate(models.Model):
         ('name_company_uniq', 'unique(name, type_tax_use, chart_template_id)', 'Tax names must be unique !'),
     ]
 
-    @api.multi
     @api.depends('name', 'description')
     def name_get(self):
         res = []
@@ -883,7 +871,6 @@ class AccountTaxTemplate(models.Model):
             val['tax_group_id'] = self.tax_group_id.id
         return val
 
-    @api.multi
     def _generate_tax(self, company):
         """ This method generate taxes from templates.
 
diff --git a/addons/account/models/company.py b/addons/account/models/company.py
index 42bb719afec00152e6fbf403fbef2120e41fa71a..bd0b1dbdd7f49386285ac3b368480f24d2ef3b8c 100644
--- a/addons/account/models/company.py
+++ b/addons/account/models/company.py
@@ -145,7 +145,6 @@ Best Regards,'''))
             'account_setup_coa_state',
         ])
 
-    @api.multi
     def _check_lock_dates(self, vals):
         '''Check the lock dates for the current companies. This can't be done in a api.constrains because we need
         to perform some comparison between new/old values. This method forces the lock dates to be irreversible.
@@ -199,7 +198,6 @@ Best Regards,'''))
             if period_lock_date < fiscalyear_lock_date:
                 raise ValidationError(_('You cannot define stricter conditions on advisors than on users. Please make sure that the lock date on advisor is set before the lock date for users.'))
 
-    @api.multi
     def compute_fiscalyear_dates(self, current_date):
         '''Computes the start and end dates of the fiscal year where the given 'date' belongs to.
 
@@ -266,7 +264,6 @@ Best Regards,'''))
             if account.code.startswith(old_code):
                 account.write({'code': self.get_new_account_code(account.code, old_code, new_code)})
 
-    @api.multi
     def _validate_fiscalyear_lock(self, values):
         if values.get('fiscalyear_lock_date'):
             nb_draft_entries = self.env['account.move'].search([
@@ -276,7 +273,6 @@ Best Regards,'''))
             if nb_draft_entries:
                 raise ValidationError(_('There are still unposted entries in the period you want to lock. You should either post or delete them.'))
 
-    @api.multi
     def write(self, values):
         #restrict the closing of FY if there are still unposted entries
         self._validate_fiscalyear_lock(values)
@@ -538,13 +534,11 @@ Best Regards,'''))
         }
         return action
 
-    @api.multi
     def action_save_onboarding_invoice_layout(self):
         """ Set the onboarding step as done """
         if bool(self.logo) and self.logo != self._get_logo():
             self.set_onboarding_step_done('account_onboarding_invoice_layout_state')
 
-    @api.multi
     def action_save_onboarding_sale_tax(self):
         """ Set the onboarding step as done """
         self.set_onboarding_step_done('account_onboarding_sale_tax_state')
diff --git a/addons/account/models/ir_actions_report.py b/addons/account/models/ir_actions_report.py
index a9df7eebb4114e450a2fc5cdbdc0d4904dc68cf5..b3e4ecf72080b92a608fb730c64b93a9490e9927 100644
--- a/addons/account/models/ir_actions_report.py
+++ b/addons/account/models/ir_actions_report.py
@@ -6,7 +6,6 @@ from odoo.exceptions import UserError
 class IrActionsReport(models.Model):
     _inherit = 'ir.actions.report'
 
-    @api.multi
     def retrieve_attachment(self, record):
         # get the original bills through the message_main_attachment_id field of the record
         if self.report_name == 'account.report_original_vendor_bill' and record.message_main_attachment_id:
@@ -15,7 +14,6 @@ class IrActionsReport(models.Model):
                 return record.message_main_attachment_id
         return super(IrActionsReport, self).retrieve_attachment(record)
 
-    @api.multi
     def _post_pdf(self, save_in_attachment, pdf_content=None, res_ids=None):
         # don't include the generated dummy report
         if self.report_name == 'account.report_original_vendor_bill':
@@ -25,7 +23,6 @@ class IrActionsReport(models.Model):
                 raise UserError(_("No original vendor bills could be found for any of the selected vendor bills."))
         return super(IrActionsReport, self)._post_pdf(save_in_attachment, pdf_content=pdf_content, res_ids=res_ids)
 
-    @api.multi
     def postprocess_pdf_report(self, record, buffer):
         # don't save the 'account.report_original_vendor_bill' report as it's just a mean to print existing attachments
         if self.report_name == 'account.report_original_vendor_bill':
diff --git a/addons/account/models/partner.py b/addons/account/models/partner.py
index cdd9a916dd1e93df8aededc1acc526e07520a8b4..e47598aec292c4e79f01254c21d79ea5aec0d674 100644
--- a/addons/account/models/partner.py
+++ b/addons/account/models/partner.py
@@ -107,7 +107,6 @@ class AccountFiscalPosition(models.Model):
             vals['zip_from'], vals['zip_to'] = self._convert_zip_values(zip_from, zip_to)
         return super(AccountFiscalPosition, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         zip_from = vals.get('zip_from')
         zip_to = vals.get('zip_to')
@@ -224,7 +223,6 @@ class ResPartner(models.Model):
     _name = 'res.partner'
     _inherit = 'res.partner'
 
-    @api.multi
     def _credit_debit_get(self):
         tables, where_clause, where_params = self.env['account.move.line'].with_context(company_id=self.env.company.id)._query_get()
         where_params = [tuple(self.ids)] + where_params
@@ -247,7 +245,6 @@ class ResPartner(models.Model):
             elif type == 'payable':
                 partner.debit = -val
 
-    @api.multi
     def _asset_difference_search(self, account_type, operator, operand):
         if operator not in ('<', '=', '>', '>=', '<='):
             return []
@@ -278,7 +275,6 @@ class ResPartner(models.Model):
     def _debit_search(self, operator, operand):
         return self._asset_difference_search('payable', operator, operand)
 
-    @api.multi
     def _invoice_total(self):
         account_invoice_report = self.env['account.invoice.report']
         if not self.ids:
@@ -317,13 +313,11 @@ class ResPartner(models.Model):
         for partner, child_ids in all_partners_and_children.items():
             partner.total_invoiced = sum(price['total'] for price in price_totals if price['partner_id'] in child_ids)
 
-    @api.multi
     def _compute_journal_item_count(self):
         AccountMoveLine = self.env['account.move.line']
         for partner in self:
             partner.journal_item_count = AccountMoveLine.search_count([('partner_id', '=', partner.id)])
 
-    @api.multi
     def _compute_contracts_count(self):
         AccountAnalyticAccount = self.env['account.analytic.account']
         for partner in self:
@@ -380,7 +374,6 @@ class ResPartner(models.Model):
                 """, (partner.id,))
             partner.has_unreconciled_entries = self.env.cr.rowcount == 1
 
-    @api.multi
     def mark_as_reconciled(self):
         self.env['account.partial.reconcile'].check_access_rights('write')
         return self.sudo().with_context(company_id=self.env.company.id).write({'last_time_entries_checked': time.strftime(DEFAULT_SERVER_DATETIME_FORMAT)})
@@ -438,7 +431,6 @@ class ResPartner(models.Model):
     invoice_warn = fields.Selection(WARNING_MESSAGE, 'Invoice', help=WARNING_HELP, default="no-message")
     invoice_warn_msg = fields.Text('Message for Invoice')
 
-    @api.multi
     def _compute_bank_count(self):
         bank_data = self.env['res.partner.bank'].read_group([('partner_id', 'in', self.ids)], ['partner_id'], ['partner_id'])
         mapped_data = dict([(bank['partner_id'][0], bank['partner_id_count']) for bank in bank_data])
@@ -455,7 +447,6 @@ class ResPartner(models.Model):
             ['debit_limit', 'property_account_payable_id', 'property_account_receivable_id', 'property_account_position_id',
              'property_payment_term_id', 'property_supplier_payment_term_id', 'last_time_entries_checked']
 
-    @api.multi
     def action_view_partner_invoices(self):
         self.ensure_one()
         action = self.env.ref('account.action_move_out_invoice_type').read()[0]
diff --git a/addons/account/models/product.py b/addons/account/models/product.py
index 2282da699c4fe7e27285822adac3ce7d388fed44..8fd979b3e7f7966ad9f0e5853e27216548712296 100644
--- a/addons/account/models/product.py
+++ b/addons/account/models/product.py
@@ -35,21 +35,18 @@ class ProductTemplate(models.Model):
         domain=[('deprecated', '=', False)],
         help="Keep this field empty to use the default value from the product category. If anglo-saxon accounting with automated valuation method is configured, the expense account on the product category will be used.")
 
-    @api.multi
     def _get_product_accounts(self):
         return {
             'income': self.property_account_income_id or self.categ_id.property_account_income_categ_id,
             'expense': self.property_account_expense_id or self.categ_id.property_account_expense_categ_id
         }
 
-    @api.multi
     def _get_asset_accounts(self):
         res = {}
         res['stock_input'] = False
         res['stock_output'] = False
         return res
 
-    @api.multi
     def get_product_accounts(self, fiscal_pos=None):
         accounts = self._get_product_accounts()
         if not fiscal_pos:
diff --git a/addons/account/models/res_config_settings.py b/addons/account/models/res_config_settings.py
index bda144283150435c907bf6d38df4de342cb2b71f..27d175a6777a3497362b0d10b4ed088c9708f9b8 100644
--- a/addons/account/models/res_config_settings.py
+++ b/addons/account/models/res_config_settings.py
@@ -91,7 +91,6 @@ class ResConfigSettings(models.TransientModel):
         oldname='default_use_sale_note',
         config_parameter='account.use_invoice_terms')
 
-    @api.multi
     def set_values(self):
         super(ResConfigSettings, self).set_values()
         if self.group_multi_currency:
diff --git a/addons/account/models/res_users.py b/addons/account/models/res_users.py
index 8030423e74d3be5ec200db0d06529702fd7c30a8..1bc6ee1c8135b79ab6c62278c1628aa017c2136d 100644
--- a/addons/account/models/res_users.py
+++ b/addons/account/models/res_users.py
@@ -8,7 +8,6 @@ from odoo.exceptions import ValidationError
 class Users(models.Model):
     _inherit = "res.users"
 
-    @api.multi
     @api.constrains('groups_id')
     def _check_one_user_type(self):
         super(Users, self)._check_one_user_type()
diff --git a/addons/account/wizard/account_invoice_import.py b/addons/account/wizard/account_invoice_import.py
index ed67308a1bfdf3ada0d1321c526d74128b56bcde..3de4672ef0a2ca7b59a4fc586aa5750e899f7e4d 100644
--- a/addons/account/wizard/account_invoice_import.py
+++ b/addons/account/wizard/account_invoice_import.py
@@ -10,18 +10,15 @@ class ImportInvoiceImportWizard(models.TransientModel):
 
     attachment_ids = fields.Many2many('ir.attachment', string='Files')
 
-    @api.multi
     def _create_invoice_from_file(self, attachment):
         invoice = self.env['account.move'].create({})
         attachment.write({'res_model': 'account.move', 'res_id': invoice.id})
         invoice.message_post(attachment_ids=[attachment.id])
         return invoice
 
-    @api.multi
     def _create_invoice(self, attachment):
         return self._create_invoice_from_file(attachment)
 
-    @api.multi
     def create_invoices(self):
         ''' Create the invoices from files.
          :return: A action redirecting to account.invoice tree/form view.
diff --git a/addons/account/wizard/account_invoice_send.py b/addons/account/wizard/account_invoice_send.py
index 812ed0ec2973dbde4e605943276d6ad49ed25f5c..f33aac088074dedf7e8a215c3e64cbd0c2f83bfa 100644
--- a/addons/account/wizard/account_invoice_send.py
+++ b/addons/account/wizard/account_invoice_send.py
@@ -40,7 +40,6 @@ class AccountInvoiceSend(models.TransientModel):
         })
         return res
 
-    @api.multi
     @api.onchange('invoice_ids')
     def _compute_composition_mode(self):
         for wizard in self:
@@ -68,14 +67,12 @@ class AccountInvoiceSend(models.TransientModel):
                 else:
                     wizard.invoice_without_email = False
 
-    @api.multi
     def _send_email(self):
         if self.is_email:
             self.composer_id.send_mail()
             if self.env.context.get('mark_invoice_as_sent'):
                 self.mapped('invoice_ids').write({'invoice_sent': True})
 
-    @api.multi
     def _print_document(self):
         """ to override for each type of models that will use this composer."""
         self.ensure_one()
@@ -83,7 +80,6 @@ class AccountInvoiceSend(models.TransientModel):
         action.update({'close_on_report_download': True})
         return action
 
-    @api.multi
     def send_and_print_action(self):
         self.ensure_one()
         self._send_email()
@@ -91,7 +87,6 @@ class AccountInvoiceSend(models.TransientModel):
             return self._print_document()
         return {'type': 'ir.actions.act_window_close'}
 
-    @api.multi
     def save_as_template(self):
         self.ensure_one()
         self.composer_id.save_as_template()
diff --git a/addons/account/wizard/account_move_reversal.py b/addons/account/wizard/account_move_reversal.py
index a6888c8b2a4385435e99010a6de71afe15ed711d..14d2a81257ac1605f5fb1e73820264ccba1ec3d8 100644
--- a/addons/account/wizard/account_move_reversal.py
+++ b/addons/account/wizard/account_move_reversal.py
@@ -43,7 +43,6 @@ class AccountMoveReversal(models.TransientModel):
     currency_id = fields.Many2one(related='move_id.currency_id')
     move_type = fields.Selection(related='move_id.type')
 
-    @api.multi
     def reverse_moves(self):
         moves = self.move_id or self.env['account.move'].browse(self._context['active_ids'])
 
diff --git a/addons/account/wizard/account_report_common.py b/addons/account/wizard/account_report_common.py
index dad0acd868d57bc32de428b673db488103befc52..3d113ff58bfe02ab53893a9613844b5d14d61943 100644
--- a/addons/account/wizard/account_report_common.py
+++ b/addons/account/wizard/account_report_common.py
@@ -36,7 +36,6 @@ class AccountCommonReport(models.TransientModel):
     def _print_report(self, data):
         raise NotImplementedError()
 
-    @api.multi
     def check_report(self):
         self.ensure_one()
         data = {}
diff --git a/addons/account/wizard/account_report_common_journal.py b/addons/account/wizard/account_report_common_journal.py
index 448561f1d67ad370ca6714ed348e4f1053395c8d..c00de454b768a4d3cb2c9457682e06165caef543 100644
--- a/addons/account/wizard/account_report_common_journal.py
+++ b/addons/account/wizard/account_report_common_journal.py
@@ -10,7 +10,6 @@ class AccountCommonJournalReport(models.TransientModel):
 
     amount_currency = fields.Boolean('With Currency', help="Print Report with the currency column if the currency differs from the company currency.")
 
-    @api.multi
     def pre_print_report(self, data):
         data['form'].update({'amount_currency': self.amount_currency})
         return data
diff --git a/addons/account/wizard/account_unreconcile.py b/addons/account/wizard/account_unreconcile.py
index 10ccb7bd1c0133a8e236faaa77e3ffb3dfc0beba..790e9b280fc1a0afde58e16d883f1eb73f4659cd 100644
--- a/addons/account/wizard/account_unreconcile.py
+++ b/addons/account/wizard/account_unreconcile.py
@@ -5,7 +5,6 @@ class AccountUnreconcile(models.TransientModel):
     _name = "account.unreconcile"
     _description = "Account Unreconcile"
 
-    @api.multi
     def trans_unrec(self):
         context = dict(self._context or {})
         if context.get('active_ids', False):
diff --git a/addons/account/wizard/account_validate_account_move.py b/addons/account/wizard/account_validate_account_move.py
index f74b7aefb5c8e941ee78626ce8e15a8860d642cf..cc19c724e885d68cb86691fcdb323f1fb63d009f 100644
--- a/addons/account/wizard/account_validate_account_move.py
+++ b/addons/account/wizard/account_validate_account_move.py
@@ -6,7 +6,6 @@ class ValidateAccountMove(models.TransientModel):
     _name = "validate.account.move"
     _description = "Validate Account Move"
 
-    @api.multi
     def validate_move(self):
         context = dict(self._context or {})
         moves = self.env['account.move'].browse(context.get('active_ids'))
diff --git a/addons/account/wizard/pos_box.py b/addons/account/wizard/pos_box.py
index 776d5ad512cbf0a1d4e46b479dde1ee7fc80484a..14c12d32dee467b3b0ec4a5008bb1786dfc4c40c 100644
--- a/addons/account/wizard/pos_box.py
+++ b/addons/account/wizard/pos_box.py
@@ -9,7 +9,6 @@ class CashBox(models.TransientModel):
     # in the context of the action
     amount = fields.Float(string='Amount', digits=0, required=True)
 
-    @api.multi
     def run(self):
         context = dict(self._context or {})
         active_model = context.get('active_model', False)
@@ -19,7 +18,6 @@ class CashBox(models.TransientModel):
 
         return self._run(records)
 
-    @api.multi
     def _run(self, records):
         for box in self:
             for record in records:
@@ -44,7 +42,6 @@ class CashBoxIn(CashBox):
 
     ref = fields.Char('Reference')
 
-    @api.multi
     def _calculate_values_for_statement_line(self, record):
         if not record.journal_id.company_id.transfer_account_id:
             raise UserError(_("You have to define an 'Internal Transfer Account' in your cash register's journal."))
@@ -63,7 +60,6 @@ class CashBoxOut(CashBox):
     _name = 'cash.box.out'
     _description = 'Cash Box Out'
 
-    @api.multi
     def _calculate_values_for_statement_line(self, record):
         if not record.journal_id.company_id.transfer_account_id:
             raise UserError(_("You have to define an 'Internal Transfer Account' in your cash register's journal."))
diff --git a/addons/account/wizard/setup_wizards.py b/addons/account/wizard/setup_wizards.py
index 13a700587415b39b6905c646873a55fac4596b14..bfa7ea07ddc1e0f9772946a595bcf16d82d4c440 100644
--- a/addons/account/wizard/setup_wizards.py
+++ b/addons/account/wizard/setup_wizards.py
@@ -40,7 +40,6 @@ class FinancialYearOpeningWizard(models.TransientModel):
                     (wiz.fiscalyear_last_month, wiz.fiscalyear_last_day)
                 )
 
-    @api.multi
     def write(self, vals):
         # Amazing workaround: non-stored related fields on company are a BAD idea since the 3 fields
         # must follow the constraint '_check_fiscalyear_last_day'. The thing is, in case of related
@@ -57,7 +56,6 @@ class FinancialYearOpeningWizard(models.TransientModel):
         vals.pop('fiscalyear_last_month', None)
         return super().write(vals)
 
-    @api.multi
     def action_save_onboarding_fiscal_year(self):
         self.env.company.set_onboarding_step_done('account_setup_fy_data_state')
 
diff --git a/addons/account/wizard/wizard_tax_adjustments.py b/addons/account/wizard/wizard_tax_adjustments.py
index 736396531fb040f86e8a6522dc7364692807ab7d..f2caa043ba8c211520cfa962885f0740ed5ace06 100644
--- a/addons/account/wizard/wizard_tax_adjustments.py
+++ b/addons/account/wizard/wizard_tax_adjustments.py
@@ -8,7 +8,6 @@ class TaxAdjustments(models.TransientModel):
     _name = 'tax.adjustments.wizard'
     _description = 'Tax Adjustments Wizard'
 
-    @api.multi
     def _get_default_journal(self):
         return self.env['account.journal'].search([('type', '=', 'general')], limit=1).id
 
diff --git a/addons/account_bank_statement_import/account_bank_statement_import.py b/addons/account_bank_statement_import/account_bank_statement_import.py
index d88bfd6bae79acbddc59da01e144b500e3a57a1c..e908c6a505e28ab3eb2fe9470d290604628af76e 100644
--- a/addons/account_bank_statement_import/account_bank_statement_import.py
+++ b/addons/account_bank_statement_import/account_bank_statement_import.py
@@ -28,7 +28,6 @@ class AccountBankStatementImport(models.TransientModel):
     data_file = fields.Binary(string='Bank Statement File', attachment=False, required=True, help='Get you bank statements in electronic format from your bank and select them here.')
     filename = fields.Char()
 
-    @api.multi
     def import_file(self):
         """ Process the file chosen in the wizard, create bank statement(s) and go to reconciliation. """
         self.ensure_one()
diff --git a/addons/account_bank_statement_import/account_journal.py b/addons/account_bank_statement_import/account_journal.py
index 0c9046ba4443d12d85f6017f6d121ad0f3c6c827..120206bf2db5318f6bc97f7eb376f029ec881b3e 100644
--- a/addons/account_bank_statement_import/account_journal.py
+++ b/addons/account_bank_statement_import/account_journal.py
@@ -20,7 +20,6 @@ class AccountJournal(models.Model):
             rslt.append(("file_import", _("Import") + "(" + import_formats_str + ")"))
         return rslt
 
-    @api.multi
     def import_statement(self):
         """return action to import bank/cash statements. This button should be called only on journals with type =='bank'"""
         action_name = 'action_account_bank_statement_import'
diff --git a/addons/account_bank_statement_import/wizard/journal_creation.py b/addons/account_bank_statement_import/wizard/journal_creation.py
index 32c2464bc50f935cb2433d35521173f24e122f89..28654a46ccdd6dcd77dab2f28c1b75467b2b2f41 100644
--- a/addons/account_bank_statement_import/wizard/journal_creation.py
+++ b/addons/account_bank_statement_import/wizard/journal_creation.py
@@ -9,7 +9,6 @@ class AccountBankStatementImportJounalCreation(models.TransientModel):
 
     journal_id = fields.Many2one('account.journal', delegate=True, required=True, ondelete='cascade')
 
-    @api.multi
     def create_journal(self):
         """ Create the journal (the record is automatically created in the process of calling this method) and reprocess the statement """
         statement_import_transient = self.env['account.bank.statement.import'].browse(self.env.context['statement_import_transient_id'])
diff --git a/addons/account_cancel/models/account_bank_statement.py b/addons/account_cancel/models/account_bank_statement.py
index f5e23e0b4795e549c02d40e377e1e0e94f2f5e79..e6673fe9de4f6304bf2eb1d1e1e42e6221ab706e 100644
--- a/addons/account_cancel/models/account_bank_statement.py
+++ b/addons/account_cancel/models/account_bank_statement.py
@@ -8,7 +8,6 @@ from odoo.exceptions import UserError
 class BankStatement(models.Model):
     _inherit = 'account.bank.statement'
 
-    @api.multi
     def button_draft(self):
         self.state = 'open'
 
diff --git a/addons/account_check_printing/models/account_journal.py b/addons/account_check_printing/models/account_journal.py
index 76bcef6412adf9ef91a058b67ac757d435fe306d..433e00c55e8810f358350cd7797e5a8b8ab97c68 100644
--- a/addons/account_check_printing/models/account_journal.py
+++ b/addons/account_check_printing/models/account_journal.py
@@ -47,7 +47,6 @@ class AccountJournal(models.Model):
             rec._create_check_sequence()
         return rec
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         rec = super(AccountJournal, self).copy(default)
@@ -82,7 +81,6 @@ class AccountJournal(models.Model):
                 'outbound_payment_method_ids': [(4, check_printing.id, None)],
             })
 
-    @api.multi
     def get_journal_dashboard_datas(self):
         domain_checks_to_print = [
             ('journal_id', '=', self.id),
@@ -94,7 +92,6 @@ class AccountJournal(models.Model):
             num_checks_to_print=len(self.env['account.payment'].search(domain_checks_to_print))
         )
 
-    @api.multi
     def action_checks_to_print(self):
         return {
             'name': _('Checks to Print'),
diff --git a/addons/account_check_printing/models/account_payment.py b/addons/account_check_printing/models/account_payment.py
index 3ba1be801f5d55e88d31afc986322e4b8251d492..fdf0ecdf7264debae46702ad03b8b9b0d82b389a 100644
--- a/addons/account_check_printing/models/account_payment.py
+++ b/addons/account_check_printing/models/account_payment.py
@@ -50,7 +50,6 @@ class AccountPayment(models.Model):
             if len(communication) > 60:
                 raise ValidationError(_("A check memo cannot exceed 60 characters."))
 
-    @api.multi
     def post(self):
         res = super(AccountPayment, self).post()
         payment_method_check = self.env.ref('account_check_printing.account_payment_method_check')
@@ -59,7 +58,6 @@ class AccountPayment(models.Model):
             payment.check_number = sequence.next_by_id()
         return res
 
-    @api.multi
     def print_checks(self):
         """ Check that the recordset is valid, set the payments state to sent and call print_checks() """
         # Since this method can be called via a client_action_multi, we need to make sure the received records are what we expect
@@ -94,11 +92,9 @@ class AccountPayment(models.Model):
             self.filtered(lambda r: r.state == 'draft').post()
             return self.do_print_checks()
 
-    @api.multi
     def unmark_sent(self):
         self.write({'state': 'posted'})
 
-    @api.multi
     def do_print_checks(self):
         """ This method is a hook for l10n_xx_check_printing modules to implement actual check printing capabilities """
         raise UserError(_("You have to choose a check layout. For this, go in Apps, search for 'Checks layout' and install one."))
diff --git a/addons/account_check_printing/models/chart_template.py b/addons/account_check_printing/models/chart_template.py
index 708c2d8249ecd9253b0dd5309b0c4a02a15e56a0..35c101873fbd6881fbae7dfd1229ec967c87f392 100644
--- a/addons/account_check_printing/models/chart_template.py
+++ b/addons/account_check_printing/models/chart_template.py
@@ -6,7 +6,6 @@ from odoo import api, models
 class AccountChartTemplate(models.Model):
     _inherit = 'account.chart.template'
 
-    @api.multi
     def _create_bank_journals(self, company, acc_template_ref):
         '''
         When system automatically creates journals of bank and cash type when CoA is being installed
diff --git a/addons/account_check_printing/wizard/print_prenumbered_checks.py b/addons/account_check_printing/wizard/print_prenumbered_checks.py
index f76cd6d98476171b94599b186a1b1c5ee4ddaff3..1af58dd11a588d613c143c153f3f8b615f9281d9 100644
--- a/addons/account_check_printing/wizard/print_prenumbered_checks.py
+++ b/addons/account_check_printing/wizard/print_prenumbered_checks.py
@@ -18,7 +18,6 @@ class PrintPreNumberedChecks(models.TransientModel):
             if check.next_check_number and not re.match(r'^[0-9]+$', check.next_check_number):
                 raise ValidationError(_('Next Check Number should only contains numbers.'))
 
-    @api.multi
     def print_checks(self):
         check_number = int(self.next_check_number)
         payments = self.env['account.payment'].browse(self.env.context['payment_ids'])
diff --git a/addons/account_facturx/models/account_move.py b/addons/account_facturx/models/account_move.py
index 109537e96fb9ba406e77647fb0e2292b54f79741..844068b684e3082f3a194a9cd7657acc9772c659 100644
--- a/addons/account_facturx/models/account_move.py
+++ b/addons/account_facturx/models/account_move.py
@@ -22,7 +22,6 @@ DEFAULT_FACTURX_DATE_FORMAT = '%Y%m%d'
 class AccountMove(models.Model):
     _inherit = 'account.move'
 
-    @api.multi
     def _export_as_facturx_xml(self):
         ''' Create the Factur-x xml file content.
         :return: The XML content as str.
@@ -47,7 +46,6 @@ class AccountMove(models.Model):
         content = self.env.ref('account_facturx.account_invoice_facturx_export').render(template_values)
         return b"<?xml version='1.0' encoding='UTF-8'?>" + content
 
-    @api.multi
     def _import_facturx_invoice(self, tree):
         ''' Extract invoice values from the Factur-x xml tree passed as parameter.
 
@@ -217,7 +215,6 @@ class AccountMove(models.Model):
 
         return invoice_form.save()
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, **kwargs):
         # OVERRIDE
@@ -302,7 +299,6 @@ class AccountMove(models.Model):
         # TO BE OVERWRITTEN
         return []
 
-    @api.multi
     def _create_invoice_from_xml(self, attachment):
         decoders = self._get_xml_decoders()
 
diff --git a/addons/account_facturx/models/ir_actions_report.py b/addons/account_facturx/models/ir_actions_report.py
index fbea5820266841cb2180566bff17a7cf87f4a1ee..72244d8e2418175c1b3643dc478d7df8548073fb 100644
--- a/addons/account_facturx/models/ir_actions_report.py
+++ b/addons/account_facturx/models/ir_actions_report.py
@@ -10,7 +10,6 @@ import io
 class IrActionsReport(models.Model):
     _inherit = 'ir.actions.report'
 
-    @api.multi
     def _post_pdf(self, save_in_attachment, pdf_content=None, res_ids=None):
         # OVERRIDE
         if self.model == 'account.move' and res_ids and len(res_ids) == 1:
diff --git a/addons/account_lock/models/res_company.py b/addons/account_lock/models/res_company.py
index 5a01046f36bbb0a09533840ad9a304bb1205fcb0..d54679e5dce5aa081230adf105250d513f6af787 100644
--- a/addons/account_lock/models/res_company.py
+++ b/addons/account_lock/models/res_company.py
@@ -6,7 +6,6 @@ from odoo import models, api
 class ResCompany(models.Model):
     _inherit = 'res.company'
 
-    @api.multi
     def write(self, vals):
         # fiscalyear_lock_date can't be set to a prior date
         if 'fiscalyear_lock_date' in vals or 'period_lock_date' in vals:
diff --git a/addons/account_tax_python/models/account_tax.py b/addons/account_tax_python/models/account_tax.py
index 0b559fb836068061ae5117a7cb34498bde09e456..1870ea6b55e94e60a3046e760bf7ccb5bd4cf17c 100644
--- a/addons/account_tax_python/models/account_tax.py
+++ b/addons/account_tax_python/models/account_tax.py
@@ -35,7 +35,6 @@ class AccountTaxPython(models.Model):
             return localdict['result']
         return super(AccountTaxPython, self)._compute_amount(base_amount, price_unit, quantity, product, partner)
 
-    @api.multi
     def compute_all(self, price_unit, currency=None, quantity=1.0, product=None, partner=None, is_refund=False, handle_price_include=True):
         taxes = self.filtered(lambda r: r.amount_type != 'code')
         company = self.env.company
diff --git a/addons/analytic/models/analytic_account.py b/addons/analytic/models/analytic_account.py
index cddd3c61295876581c629c83986c03e7c439a90a..1b4196f0dc0b55ef8ad6784d19ca255e1025a02b 100644
--- a/addons/analytic/models/analytic_account.py
+++ b/addons/analytic/models/analytic_account.py
@@ -78,7 +78,6 @@ class AccountAnalyticAccount(models.Model):
                 line['credit'] = sum(accounts.mapped('credit'))
         return res
 
-    @api.multi
     def _compute_debit_credit_balance(self):
         Curr = self.env['res.currency']
         analytic_line_obj = self.env['account.analytic.line']
@@ -140,7 +139,6 @@ class AccountAnalyticAccount(models.Model):
 
     currency_id = fields.Many2one(related="company_id.currency_id", string="Currency", readonly=True)
 
-    @api.multi
     def name_get(self):
         res = []
         for analytic in self:
@@ -190,7 +188,6 @@ class AccountAnalyticLine(models.Model):
     currency_id = fields.Many2one(related="company_id.currency_id", string="Currency", readonly=True, store=True, compute_sudo=True)
     group_id = fields.Many2one('account.analytic.group', related='account_id.group_id', store=True, readonly=True, compute_sudo=True)
 
-    @api.multi
     @api.constrains('company_id', 'account_id')
     def _check_company_id(self):
         for line in self:
diff --git a/addons/auth_signup/models/res_config_settings.py b/addons/auth_signup/models/res_config_settings.py
index c9ea615e827dd405c7ca881a1795c584442b5449..662152c29592f34ee6d02747956cd48c7bb5d29e 100644
--- a/addons/auth_signup/models/res_config_settings.py
+++ b/addons/auth_signup/models/res_config_settings.py
@@ -17,7 +17,6 @@ class ResConfigSettings(models.TransientModel):
     auth_signup_template_user_id = fields.Many2one('res.users', string='Template user for new users created through signup',
                                                    config_parameter='base.template_portal_user_id')
 
-    @api.multi
     def open_template_user(self):
         action = self.env.ref('base.action_res_users').read()[0]
         action['res_id'] = literal_eval(self.env['ir.config_parameter'].sudo().get_param('base.template_portal_user_id', 'False'))
diff --git a/addons/auth_signup/models/res_partner.py b/addons/auth_signup/models/res_partner.py
index c041ffd3ccf2c054a35a84c2429ec09e2a1a2686..b92e5dc55f5c94f2b5d770fff5dd49c5f46983dc 100644
--- a/addons/auth_signup/models/res_partner.py
+++ b/addons/auth_signup/models/res_partner.py
@@ -30,7 +30,6 @@ class ResPartner(models.Model):
     signup_valid = fields.Boolean(compute='_compute_signup_valid', string='Signup Token is Valid')
     signup_url = fields.Char(compute='_compute_signup_url', string='Signup URL')
 
-    @api.multi
     @api.depends('signup_token', 'signup_expiration')
     def _compute_signup_valid(self):
         dt = now()
@@ -38,7 +37,6 @@ class ResPartner(models.Model):
             partner.signup_valid = bool(partner_sudo.signup_token) and \
             (not partner_sudo.signup_expiration or dt <= partner_sudo.signup_expiration)
 
-    @api.multi
     def _compute_signup_url(self):
         """ proxy for function field towards actual implementation """
         result = self.sudo()._get_signup_url_for_action()
@@ -47,7 +45,6 @@ class ResPartner(models.Model):
                 self.env['res.users'].check_access_rights('write')
             partner.signup_url = result.get(partner.id, False)
 
-    @api.multi
     def _get_signup_url_for_action(self, url=None, action=None, view_type=None, menu_id=None, res_id=None, model=None):
         """ generate a signup url for the given partner ids and action, possibly overriding
             the url state components (menu_id, id, view_type) """
@@ -101,7 +98,6 @@ class ResPartner(models.Model):
 
         return res
 
-    @api.multi
     def action_signup_prepare(self):
         return self.signup_prepare()
 
@@ -121,11 +117,9 @@ class ResPartner(models.Model):
                 res[partner.id]['auth_login'] = partner.user_ids[0].login
         return res
 
-    @api.multi
     def signup_cancel(self):
         return self.write({'signup_token': False, 'signup_type': False, 'signup_expiration': False})
 
-    @api.multi
     def signup_prepare(self, signup_type="signup", expiration=False):
         """ generate a new token for the partners with the given validity, if necessary
             :param expiration: the expiration datetime of the token (string, optional)
diff --git a/addons/auth_signup/models/res_users.py b/addons/auth_signup/models/res_users.py
index 559f92f9fb5c2b2c0daa99d6d89be6c61bf45175..d2f40693f24c111274b6a0d8a21ca4a27b775ecd 100644
--- a/addons/auth_signup/models/res_users.py
+++ b/addons/auth_signup/models/res_users.py
@@ -48,7 +48,6 @@ class ResUsers(models.Model):
 
         return expression.TRUE_DOMAIN
 
-    @api.multi
     def _compute_state(self):
         for user in self:
             user.state = 'active' if user.login_date else 'new'
@@ -119,7 +118,6 @@ class ResUsers(models.Model):
                 raise SignupError(_('Signup is not allowed for uninvited users'))
         return self._create_user_from_template(values)
 
-    @api.multi
     def _notify_inviter(self):
         for user in self:
             invite_partner = user.create_uid.partner_id
@@ -165,7 +163,6 @@ class ResUsers(models.Model):
             raise Exception(_('Reset password: invalid username or email'))
         return users.action_reset_password()
 
-    @api.multi
     def action_reset_password(self):
         """ create signup token for each user, and send their signup url by email """
         # prepare reset password signup
@@ -203,7 +200,6 @@ class ResUsers(models.Model):
                 template.with_context(lang=user.lang).send_mail(user.id, force_send=True, raise_exception=True)
             _logger.info("Password reset email sent for user <%s> to <%s>", user.login, user.email)
 
-    @api.multi
     def send_unregistered_user_reminder(self, after_days=5):
         datetime_min = fields.Datetime.today() - relativedelta(days=after_days)
         datetime_max = datetime_min + relativedelta(hours=23, minutes=59, seconds=59)
@@ -245,7 +241,6 @@ class ResUsers(models.Model):
                 user.partner_id.with_context(create_user=True).signup_cancel()
         return user
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         self.ensure_one()
diff --git a/addons/base_address_extended/models/base_address_extended.py b/addons/base_address_extended/models/base_address_extended.py
index ec788882d0919b39d8de2b412cf330fae8f8e855..1ada529a8f1742f0f37335c5041826f395b28e90 100644
--- a/addons/base_address_extended/models/base_address_extended.py
+++ b/addons/base_address_extended/models/base_address_extended.py
@@ -42,7 +42,6 @@ class Partner(models.Model):
         Overwrite this function if you want to add your own fields."""
         return STREET_FIELDS
 
-    @api.multi
     def _set_street(self):
         """Updates the street field.
         Writes the `street` field on the partners when one of the sub-fields in STREET_FIELDS
@@ -121,7 +120,6 @@ class Partner(models.Model):
         return vals
 
 
-    @api.multi
     @api.depends('street')
     def _split_street(self):
         """Splits street value into sub-fields.
diff --git a/addons/base_automation/models/base_automation.py b/addons/base_automation/models/base_automation.py
index ea7c204a1a5ed84264ebcba5001f8219ca95c0d0..1e2b2915d0de44c6f7c29966e2c5c17100555e90 100644
--- a/addons/base_automation/models/base_automation.py
+++ b/addons/base_automation/models/base_automation.py
@@ -102,7 +102,6 @@ class BaseAutomation(models.Model):
         self._update_registry()
         return base_automation
 
-    @api.multi
     def write(self, vals):
         res = super(BaseAutomation, self).write(vals)
         if set(vals).intersection(self.CRITICAL_FIELDS):
@@ -110,7 +109,6 @@ class BaseAutomation(models.Model):
             self._update_registry()
         return res
 
-    @api.multi
     def unlink(self):
         res = super(BaseAutomation, self).unlink()
         self._update_cron()
@@ -265,7 +263,6 @@ class BaseAutomation(models.Model):
             # Note: we patch method _write() instead of write() in order to
             # catch updates made by field recomputations.
             #
-            @api.multi
             def _write(self, vals, **kw):
                 # retrieve the action rules to possibly execute
                 actions = self.env['base.automation']._get_actions(self, ['on_write', 'on_create_or_write'])
@@ -289,7 +286,6 @@ class BaseAutomation(models.Model):
 
         def make_unlink():
             """ Instanciate an unlink method that processes action rules. """
-            @api.multi
             def unlink(self, **kwargs):
                 # retrieve the action rules to possibly execute
                 actions = self.env['base.automation']._get_actions(self, ['on_unlink'])
diff --git a/addons/base_gengo/wizard/base_gengo_translations.py b/addons/base_gengo/wizard/base_gengo_translations.py
index 71d9c61c1a05e099e7b4481ceebb2b4ced2faa76..285bf2819386b4f3ab88c272ca7ecce8e8717faa 100644
--- a/addons/base_gengo/wizard/base_gengo_translations.py
+++ b/addons/base_gengo/wizard/base_gengo_translations.py
@@ -54,7 +54,6 @@ class BaseGengoTranslations(models.TransientModel):
         icp = self.env['ir.config_parameter'].sudo()
         return icp.get_param(self.GENGO_KEY, default="Undefined")
 
-    @api.multi
     def open_company(self):
         self.ensure_one()
         return {
@@ -92,7 +91,6 @@ class BaseGengoTranslations(models.TransientModel):
             _logger.exception('Gengo connection failed')
             return (False, _("Gengo connection failed with this message:\n``%s``") % e)
 
-    @api.multi
     def act_update(self):
         '''
         Function called by the wizard.
diff --git a/addons/base_geolocalize/models/res_partner.py b/addons/base_geolocalize/models/res_partner.py
index a0c887a1adba6a739af340811588f91b28b81944..0367c3e07e2bbc001d94f457fed20227a0e1c2e3 100644
--- a/addons/base_geolocalize/models/res_partner.py
+++ b/addons/base_geolocalize/models/res_partner.py
@@ -16,7 +16,6 @@ class ResPartner(models.Model):
             result = geo_obj.geo_find(search, force_country=country)
         return result
 
-    @api.multi
     def geo_localize(self):
         # We need country names in English below
         for partner in self.with_context(lang='en_US'):
diff --git a/addons/base_iban/models/res_partner_bank.py b/addons/base_iban/models/res_partner_bank.py
index b818e5742b52d511cdcd799282c0df86430a6893..190e430baba8826d29fb0597d05d5f13ebbe7e2f 100644
--- a/addons/base_iban/models/res_partner_bank.py
+++ b/addons/base_iban/models/res_partner_bank.py
@@ -77,7 +77,6 @@ class ResPartnerBank(models.Model):
                 pass
         return super(ResPartnerBank, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         if vals.get('acc_number'):
             try:
diff --git a/addons/base_import/models/base_import.py b/addons/base_import/models/base_import.py
index 8626d76acb9541664049105b715a92ccc322bd4b..76ad4683e284016499184c07aeafd96547dd1b3a 100644
--- a/addons/base_import/models/base_import.py
+++ b/addons/base_import/models/base_import.py
@@ -223,7 +223,6 @@ class Import(models.TransientModel):
         # TODO: cache on model?
         return importable_fields
 
-    @api.multi
     def _read_file(self, options):
         """ Dispatch to specific method to read file content, according to its mimetype or file type
             :param options : dict of reading options (quoting, separator, ...)
@@ -261,7 +260,6 @@ class Import(models.TransientModel):
             raise ImportError(_("Unable to load \"{extension}\" file: requires Python module \"{modname}\"").format(extension=file_extension, modname=req))
         raise ValueError(_("Unsupported file format \"{}\", import only supports CSV, ODS, XLS and XLSX").format(self.file_type))
 
-    @api.multi
     def _read_xls(self, options):
         """ Read file content, using xlrd lib """
         book = xlrd.open_workbook(file_contents=self.file or b'')
@@ -307,7 +305,6 @@ class Import(models.TransientModel):
     # use the same method for xlsx and xls files
     _read_xlsx = _read_xls
 
-    @api.multi
     def _read_ods(self, options):
         """ Read file content using ODSReader custom lib """
         doc = odf_ods_reader.ODSReader(file=io.BytesIO(self.file or b''))
@@ -318,7 +315,6 @@ class Import(models.TransientModel):
             if any(x for x in row if x.strip())
         )
 
-    @api.multi
     def _read_csv(self, options):
         """ Returns a CSV-parsed iterator of all non-empty lines in the file
             :throws csv.Error: if an error is detected during CSV parsing
@@ -561,7 +557,6 @@ class Import(models.TransientModel):
             matches[index] = match_field or None
         return headers, matches
 
-    @api.multi
     def parse_preview(self, options, count=10):
         """ Generates a preview of the uploaded files, and performs
             fields-matching between the import's file data and the model's
@@ -737,7 +732,6 @@ class Import(models.TransientModel):
         decimal_separator = options.get('float_decimal_separator', '.')
         return thousand_separator, decimal_separator
 
-    @api.multi
     def _parse_import_data(self, data, import_fields, options):
         """ Lauch first call to _parse_import_data_recursive with an
         empty prefix. _parse_import_data_recursive will be run
@@ -745,7 +739,6 @@ class Import(models.TransientModel):
         """
         return self._parse_import_data_recursive(self.res_model, '', data, import_fields, options)
 
-    @api.multi
     def _parse_import_data_recursive(self, model, prefix, data, import_fields, options):
         # Get fields of type date/datetime
         all_fields = self.env[model].fields_get()
@@ -845,7 +838,6 @@ class Import(models.TransientModel):
                 'error': e
             })
 
-    @api.multi
     def do(self, fields, columns, options, dryrun=False):
         """ Actual execution of the import
 
diff --git a/addons/base_import_module/models/base_import_module.py b/addons/base_import_module/models/base_import_module.py
index 205791cc76a61c5f96c1187b07380f8660d2a37c..84510330ab64ce49c7ba3ab912a99c9b72d402db 100644
--- a/addons/base_import_module/models/base_import_module.py
+++ b/addons/base_import_module/models/base_import_module.py
@@ -14,7 +14,6 @@ class BaseImportModule(models.TransientModel):
     import_message = fields.Text()
     force = fields.Boolean(string='Force init', help="Force init mode even if installed. (will update `noupdate='1'` records)")
 
-    @api.multi
     def import_module(self):
         self.ensure_one()
         IrModule = self.env['ir.module.module']
@@ -35,7 +34,6 @@ class BaseImportModule(models.TransientModel):
             'context': context,
         }
 
-    @api.multi
     def action_module_open(self):
         self.ensure_one()
         return {
diff --git a/addons/base_import_module/models/ir_module.py b/addons/base_import_module/models/ir_module.py
index 8ac8e59b92b1a864df832bd09dcc6e12982c9f02..ce1499941a9da088f9177ec41952f6cf58055228 100644
--- a/addons/base_import_module/models/ir_module.py
+++ b/addons/base_import_module/models/ir_module.py
@@ -31,7 +31,6 @@ class IrModule(models.Model):
             module.installed_version = module.latest_version
         super(IrModule, self - imported_modules)._get_latest_version()
 
-    @api.multi
     def _import_module(self, module, path, force=False):
         known_mods = self.search([])
         known_mods_names = {m.name: m for m in known_mods}
diff --git a/addons/base_setup/models/res_config_settings.py b/addons/base_setup/models/res_config_settings.py
index 39651b11c161998833be9b2eff57296555e7cc0c..9cd9289a92948e0b5c9ffe280ab0f7fd455be51e 100644
--- a/addons/base_setup/models/res_config_settings.py
+++ b/addons/base_setup/models/res_config_settings.py
@@ -53,12 +53,10 @@ class ResConfigSettings(models.TransientModel):
         )
         return res
 
-    @api.multi
     def set_values(self):
         super(ResConfigSettings, self).set_values()
         self.env.ref('base.res_partner_rule').write({'active': not self.company_share_partner})
 
-    @api.multi
     def open_company(self):
         return {
             'type': 'ir.actions.act_window',
@@ -68,7 +66,6 @@ class ResConfigSettings(models.TransientModel):
             'res_id': self.env.company.id,
             'target': 'current',
         }
-    @api.multi
     def open_default_user(self):
         action = self.env.ref('base.action_res_users').read()[0]
         action['res_id'] = self.env.ref('base.default_user').id
@@ -85,13 +82,11 @@ class ResConfigSettings(models.TransientModel):
             'res_id': template_id.id,
         }
 
-    @api.multi
     def edit_external_header(self):
         if not self.external_report_layout_id:
             return False
         return self._prepare_report_view_action(self.external_report_layout_id.key)
 
-    @api.multi
     def change_report_template(self):
         self.ensure_one()
         template = self.env.ref('base.view_company_document_template_form')
diff --git a/addons/base_sparse_field/models/models.py b/addons/base_sparse_field/models/models.py
index c9e79a6fbb883f288d1707473f810ac15e65f20a..c47d17eb5a5066f908f818d36fa9e5ffb6d4c2f6 100644
--- a/addons/base_sparse_field/models/models.py
+++ b/addons/base_sparse_field/models/models.py
@@ -15,7 +15,6 @@ class IrModelFields(models.Model):
              "This cannot be changed after creation.",
     )
 
-    @api.multi
     def write(self, vals):
         # Limitation: renaming a sparse field or changing the storing system is
         # currently not allowed
diff --git a/addons/base_vat/models/res_partner.py b/addons/base_vat/models/res_partner.py
index c747452526f81c2ecf8c774489e6b7a299d2a685..e35843606ee7d0a67cf0ef240026629d8a43a623 100644
--- a/addons/base_vat/models/res_partner.py
+++ b/addons/base_vat/models/res_partner.py
@@ -414,7 +414,6 @@ class ResPartner(models.Model):
             values['vat'] = self._fix_vat_number(values['vat'])
         return super(ResPartner, self).create(values)
 
-    @api.multi
     def write(self, values):
         if values.get('vat'):
             values['vat'] = self._fix_vat_number(values['vat'])
diff --git a/addons/bus/models/res_partner.py b/addons/bus/models/res_partner.py
index 3f67d2d1c9f80ad5eda0d7a92a7bf3af6a158b67..71f2f8fbb1f3d722fefd295f9076f79ce172fc98 100644
--- a/addons/bus/models/res_partner.py
+++ b/addons/bus/models/res_partner.py
@@ -10,7 +10,6 @@ class ResPartner(models.Model):
 
     im_status = fields.Char('IM Status', compute='_compute_im_status')
 
-    @api.multi
     def _compute_im_status(self):
         self.env.cr.execute("""
             SELECT
diff --git a/addons/bus/models/res_users.py b/addons/bus/models/res_users.py
index e89f6ddd35ffdc71915989abc726a2c594275d2a..8e40c1b13f3561391c6ac39fd6bcc8578e70f33c 100644
--- a/addons/bus/models/res_users.py
+++ b/addons/bus/models/res_users.py
@@ -11,7 +11,6 @@ class ResUsers(models.Model):
 
     im_status = fields.Char('IM Status', compute='_compute_im_status')
 
-    @api.multi
     def _compute_im_status(self):
         """ Compute the im_status of the users """
         self.env.cr.execute("""
diff --git a/addons/calendar/models/calendar.py b/addons/calendar/models/calendar.py
index 7355600e6010027b58fa4f257049bcb5daf1629a..5498759f5505f3af5b6f7810d506d0eae9c78895 100644
--- a/addons/calendar/models/calendar.py
+++ b/addons/calendar/models/calendar.py
@@ -154,12 +154,10 @@ class Attendee(models.Model):
                 values['common_name'] = values.get("common_name")
         return super(Attendee, self).create(vals_list)
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         raise UserError(_('You cannot duplicate a calendar attendee.'))
 
-    @api.multi
     def _send_mail_to_attendees(self, template_xmlid, force_send=False):
         """ Send mail for event invitation to event attendees.
             :param template_xmlid: xml id of the email template to use to send the invitation
@@ -216,12 +214,10 @@ class Attendee(models.Model):
 
         return res
 
-    @api.multi
     def do_tentative(self):
         """ Makes event invitation as Tentative. """
         return self.write({'state': 'tentative'})
 
-    @api.multi
     def do_accept(self):
         """ Marks event invitation as Accepted. """
         result = self.write({'state': 'accepted'})
@@ -230,7 +226,6 @@ class Attendee(models.Model):
                 attendee.event_id.message_post(body=_("%s has accepted invitation") % (attendee.common_name), subtype="calendar.subtype_invitation")
         return result
 
-    @api.multi
     def do_decline(self):
         """ Marks event invitation as Declined. """
         res = self.write({'state': 'declined'})
@@ -519,13 +514,11 @@ class Alarm(models.Model):
         self._update_cron()
         return result
 
-    @api.multi
     def write(self, values):
         result = super(Alarm, self).write(values)
         self._update_cron()
         return result
 
-    @api.multi
     def unlink(self):
         result = super(Alarm, self).unlink()
         self._update_cron()
@@ -588,14 +581,12 @@ class Meeting(models.Model):
                 partners |= self.env['res.partner'].browse(active_id)
         return partners
 
-    @api.multi
     def _get_recurrent_dates_by_event(self):
         """ Get recurrent start and stop dates based on Rule string"""
         start_dates = self._get_recurrent_date_by_event(date_field='start')
         stop_dates = self._get_recurrent_date_by_event(date_field='stop')
         return list(zip(start_dates, stop_dates))
 
-    @api.multi
     def _get_recurrent_date_by_event(self, date_field='start'):
         """ Get recurrent dates based on Rule string and all event where recurrent_id is child
 
@@ -648,7 +639,6 @@ class Meeting(models.Model):
             return timezone.localize(d.replace(tzinfo=None), is_dst=True).astimezone(pytz.UTC)
         return [naive_tz_to_utc(d) if not use_naive_datetime else d for d in rset1 if d.year < MAXYEAR]
 
-    @api.multi
     def _get_recurrency_end_date(self):
         """ Return the last date a recurring event happens, according to its end_type. """
         self.ensure_one()
@@ -678,7 +668,6 @@ class Meeting(models.Model):
             return computed_final_date or deadline
         return final_date
 
-    @api.multi
     def _find_my_attendee(self):
         """ Return the first attendee where the user connected has been invited
             from all the meeting_ids in parameters.
@@ -860,25 +849,21 @@ class Meeting(models.Model):
     alarm_ids = fields.Many2many('calendar.alarm', 'calendar_alarm_calendar_event_rel', string='Reminders', ondelete="restrict", copy=False)
     is_highlighted = fields.Boolean(compute='_compute_is_highlighted', string='Is the Event Highlighted')
 
-    @api.multi
     def _compute_attendee(self):
         for meeting in self:
             attendee = meeting._find_my_attendee()
             meeting.is_attendee = bool(attendee)
             meeting.attendee_status = attendee.state if attendee else 'needsAction'
 
-    @api.multi
     def _compute_display_time(self):
         for meeting in self:
             meeting.display_time = self._get_display_time(meeting.start, meeting.stop, meeting.duration, meeting.allday)
 
-    @api.multi
     @api.depends('allday', 'start_date', 'start_datetime')
     def _compute_display_start(self):
         for meeting in self:
             meeting.display_start = meeting.start_date if meeting.allday else meeting.start_datetime
 
-    @api.multi
     @api.depends('allday', 'start', 'stop')
     def _compute_dates(self):
         """ Adapt the value of start_date(time)/stop_date(time) according to start/stop fields and allday. Also, compute
@@ -900,7 +885,6 @@ class Meeting(models.Model):
 
                 meeting.duration = self._get_duration(meeting.start, meeting.stop)
 
-    @api.multi
     def _inverse_dates(self):
         for meeting in self:
             if meeting.allday:
@@ -935,7 +919,6 @@ class Meeting(models.Model):
             else:
                 meeting.rrule = ''
 
-    @api.multi
     def _inverse_rrule(self):
         for meeting in self:
             if meeting.rrule:
@@ -983,7 +966,6 @@ class Meeting(models.Model):
     # Calendar Business, Reccurency, ...
     ####################################################
 
-    @api.multi
     def _get_ics_file(self):
         """ Returns iCalendar file for the event invitation.
             :returns a dict of .ics file content for each meeting
@@ -1044,7 +1026,6 @@ class Meeting(models.Model):
 
         return result
 
-    @api.multi
     def create_attendees(self):
         current_user = self.env.user
         result = {}
@@ -1095,7 +1076,6 @@ class Meeting(models.Model):
             }
         return result
 
-    @api.multi
     def get_search_fields(self, order_fields, r_date=None):
         sort_fields = {}
         for field in order_fields:
@@ -1113,7 +1093,6 @@ class Meeting(models.Model):
             sort_fields['sort_start'] = display_start.replace(' ', '').replace('-', '') if display_start else False
         return sort_fields
 
-    @api.multi
     def get_recurrent_ids(self, domain, order=None):
         """ Gives virtual event ids for recurring events. This method gives ids of dates
             that comes between start date and end date of calendar views
@@ -1240,7 +1219,6 @@ class Meeting(models.Model):
             ]
         return [r['id'] for r in sorted(result_data, key=key)]
 
-    @api.multi
     def _rrule_serialize(self):
         """ Compute rule string according to value type RECUR of iCalendar
             :return: string containing recurring rule (empty if no rule)
@@ -1351,7 +1329,6 @@ class Meeting(models.Model):
             data['end_type'] = 'end_date'
         return data
 
-    @api.multi
     def get_interval(self, interval, tz=None):
         """ Format and localize some dates to be used in email templates
             :param string interval: Among 'day', 'month', 'dayname' and 'time' indicating the desired formatting
@@ -1385,7 +1362,6 @@ class Meeting(models.Model):
 
         return result
 
-    @api.multi
     def get_display_time_tz(self, tz=False):
         """ get the display_time of the meeting, forcing the timezone. This method is called from email template, to not use sudo(). """
         self.ensure_one()
@@ -1393,7 +1369,6 @@ class Meeting(models.Model):
             self = self.with_context(tz=tz)
         return self._get_display_time(self.start, self.stop, self.duration, self.allday)
 
-    @api.multi
     def detach_recurring_event(self, values=None):
         """ Detach a virtual recurring event by duplicating the original and change reccurent values
             :param values : dict of value to override on the detached event
@@ -1422,7 +1397,6 @@ class Meeting(models.Model):
                 del data['id']
             return meeting_origin.copy(default=data)
 
-    @api.multi
     def action_detach_recurring_event(self):
         meeting = self.detach_recurring_event()
         return {
@@ -1434,13 +1408,11 @@ class Meeting(models.Model):
             'flags': {'form': {'action_buttons': True, 'options': {'mode': 'edit'}}}
         }
 
-    @api.multi
     def action_open_calendar_event(self):
         if self.res_model and self.res_id:
             return self.env[self.res_model].browse(self.res_id).get_formview_action()
         return False
 
-    @api.multi
     def action_sendmail(self):
         email = self.env.user.email
         if email:
@@ -1452,7 +1424,6 @@ class Meeting(models.Model):
     # Messaging
     ####################################################
 
-    @api.multi
     def _get_message_unread(self):
         id_map = {x: calendar_id2real_id(x) for x in self.ids}
         real = self.browse(set(id_map.values()))
@@ -1464,7 +1435,6 @@ class Meeting(models.Model):
             event.message_unread_counter = rec.message_unread_counter
             event.message_unread = rec.message_unread
 
-    @api.multi
     def _get_message_needaction(self):
         id_map = {x: calendar_id2real_id(x) for x in self.ids}
         real = self.browse(set(id_map.values()))
@@ -1476,7 +1446,6 @@ class Meeting(models.Model):
             event.message_needaction_counter = rec.message_needaction_counter
             event.message_needaction = rec.message_needaction
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, **kwargs):
         thread_id = self.id
@@ -1488,17 +1457,14 @@ class Meeting(models.Model):
             self = self.with_context(context)
         return super(Meeting, self.browse(thread_id)).message_post(**kwargs)
 
-    @api.multi
     def message_subscribe(self, partner_ids=None, channel_ids=None, subtype_ids=None):
         records = self.browse(get_real_ids(self.ids))
         return super(Meeting, records).message_subscribe(partner_ids=partner_ids, channel_ids=channel_ids, subtype_ids=subtype_ids)
 
-    @api.multi
     def _message_subscribe(self, partner_ids=None, channel_ids=None, subtype_ids=None, customer_ids=None):
         records = self.browse(get_real_ids(self.ids))
         return super(Meeting, records)._message_subscribe(partner_ids=partner_ids, channel_ids=channel_ids, subtype_ids=subtype_ids, customer_ids=customer_ids)
 
-    @api.multi
     def message_unsubscribe(self, partner_ids=None, channel_ids=None):
         records = self.browse(get_real_ids(self.ids))
         return super(Meeting, records).message_unsubscribe(partner_ids=partner_ids, channel_ids=channel_ids)
@@ -1507,7 +1473,6 @@ class Meeting(models.Model):
     # ORM Overrides
     ####################################################
 
-    @api.multi
     def get_metadata(self):
         real = self.browse({calendar_id2real_id(x) for x in self.ids})
         return super(Meeting, real).get_metadata()
@@ -1521,7 +1486,6 @@ class Meeting(models.Model):
                         arg[2][n] = calendar_id.split('-')[0]
         return super(Meeting, self)._name_search(name=name, args=args, operator=operator, limit=limit, name_get_uid=name_get_uid)
 
-    @api.multi
     def write(self, values):
         # FIXME: neverending recurring events
         if 'rrule' in values:
@@ -1640,7 +1604,6 @@ class Meeting(models.Model):
                 self.env['calendar.alarm_manager']._notify_next_alarm(meeting.partner_ids.ids)
         return meeting
 
-    @api.multi
     def export_data(self, fields_to_export, raw_data=False):
         """ Override to convert virtual ids to ids """
         records = self.browse(set(get_real_ids(self.ids)))
@@ -1652,7 +1615,6 @@ class Meeting(models.Model):
             raise UserError(_('Group by date is not supported, use the calendar view instead.'))
         return super(Meeting, self.with_context(virtual_id=False)).read_group(domain, fields, groupby, offset=offset, limit=limit, orderby=orderby, lazy=lazy)
 
-    @api.multi
     def read(self, fields=None, load='_classic_read'):
         if not fields:
             fields = list(self._fields)
@@ -1714,7 +1676,6 @@ class Meeting(models.Model):
                     del r[k]
         return result
 
-    @api.multi
     def unlink(self, can_be_deleted=True):
         # Get concerned attendees to notify them if there is an alarm on the unlinked events,
         # as it might have changed their next event notification
@@ -1784,7 +1745,6 @@ class Meeting(models.Model):
             return events[offset: offset + limit].ids
         return events.ids
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         self.ensure_one()
diff --git a/addons/calendar/models/ir_attachment.py b/addons/calendar/models/ir_attachment.py
index ae1fe6aafb9dfcf500eef8dacd2a7dca686234a5..dd81fd35e916fe24fe44d503f8239b6c194ef7aa 100644
--- a/addons/calendar/models/ir_attachment.py
+++ b/addons/calendar/models/ir_attachment.py
@@ -20,7 +20,6 @@ class Attachment(models.Model):
                     args[index] = (args[index][0], args[index][1], get_real_ids(args[index][2]))
         return super(Attachment, self)._search(args, offset=offset, limit=limit, order=order, count=count, access_rights_uid=access_rights_uid)
 
-    @api.multi
     def write(self, vals):
         """ When posting an attachment (new or not), convert the virtual ids in real ids. """
         if isinstance(vals.get('res_id'), str):
diff --git a/addons/calendar/models/mail_activity.py b/addons/calendar/models/mail_activity.py
index 2bd33f2c6c966df011341476352a20f1be86ebe2..71d7bf0fadb18507a19c4a3f8b9d6160a6fef7e8 100644
--- a/addons/calendar/models/mail_activity.py
+++ b/addons/calendar/models/mail_activity.py
@@ -15,7 +15,6 @@ class MailActivity(models.Model):
 
     calendar_event_id = fields.Many2one('calendar.event', string="Calendar Meeting", ondelete='cascade')
 
-    @api.multi
     def action_create_calendar_event(self):
         self.ensure_one()
         action = self.env.ref('calendar.action_calendar_event').read()[0]
diff --git a/addons/calendar/models/res_partner.py b/addons/calendar/models/res_partner.py
index 261b955fc8f6d58f4c2ef9aebebec12995360b21..d43bea89ac1998ab779ffbe2ff14df589ce74a6a 100644
--- a/addons/calendar/models/res_partner.py
+++ b/addons/calendar/models/res_partner.py
@@ -13,7 +13,6 @@ class Partner(models.Model):
 
     calendar_last_notif_ack = fields.Datetime('Last notification marked as read from base Calendar', default=fields.Datetime.now)
 
-    @api.multi
     def get_attendee_detail(self, meeting_id):
         """ Return a list of tuple (id, name, status)
             Used by base_calendar.js : Many2ManyAttendee
diff --git a/addons/crm/models/crm_lead.py b/addons/crm/models/crm_lead.py
index 7e383027400117242f1394bbd26b7d70b014e926..5cd47b96f83101e40f7dbf0e224d9612b75c6d03 100644
--- a/addons/crm/models/crm_lead.py
+++ b/addons/crm/models/crm_lead.py
@@ -167,7 +167,6 @@ class Lead(models.Model):
         stage_ids = stages._search(search_domain, order=order, access_rights_uid=SUPERUSER_ID)
         return stages.browse(stage_ids)
 
-    @api.multi
     def _compute_kanban_state(self):
         today = date.today()
         for lead in self:
@@ -234,7 +233,6 @@ class Lead(models.Model):
                         break
             lead.email_state = email_state
 
-    @api.multi
     def _compute_meeting_count(self):
         meeting_data = self.env['calendar.event'].read_group([('opportunity_id', 'in', self.ids)], ['opportunity_id'], ['opportunity_id'])
         mapped_data = {m['opportunity_id'][0]: m['opportunity_id_count'] for m in meeting_data}
@@ -335,7 +333,6 @@ class Lead(models.Model):
         self._onchange_compute_probability(optional_field_name='email_state')
 
     @api.constrains('user_id')
-    @api.multi
     def _valid_team(self):
         for lead in self:
             if lead.user_id:
@@ -396,7 +393,6 @@ class Lead(models.Model):
         result._write_probability(vals)
         return result
 
-    @api.multi
     def write(self, vals):
         # stage change:
         if 'stage_id' in vals:
@@ -441,7 +437,6 @@ class Lead(models.Model):
                 super(Lead, lead).write(proba_vals)
         return
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         self.ensure_one()
@@ -473,13 +468,11 @@ class Lead(models.Model):
     # Actions Methods
     # ----------------------------------------
 
-    @api.multi
     def action_set_lost(self):
         """ Lost semantic: probability = 0 or active = False """
         result = self.write({'active': False, 'probability': 0})
         return result
 
-    @api.multi
     def action_set_won(self):
         """ Won semantic: probability = 100 (active untouched) """
         for lead in self:
@@ -490,7 +483,6 @@ class Lead(models.Model):
     def action_set_automated_probability(self):
         self.write({'probability': self.automated_probability})
 
-    @api.multi
     def action_set_won_rainbowman(self):
         self.ensure_one()
         self.action_set_won()
@@ -542,7 +534,6 @@ class Lead(models.Model):
                 }
         return True
 
-    @api.multi
     def action_schedule_meeting(self):
         """ Open meeting's calendar view to schedule meeting on current opportunity.
             :return dict: dictionary value for created Meeting view
@@ -561,11 +552,9 @@ class Lead(models.Model):
         }
         return action
 
-    @api.multi
     def close_dialog(self):
         return {'type': 'ir.actions.act_window_close'}
 
-    @api.multi
     def edit_dialog(self):
         form_view = self.env.ref('crm.crm_case_form_view_oppor')
         return {
@@ -606,7 +595,6 @@ class Lead(models.Model):
         # perform search, return the first found
         return self.env['crm.stage'].search(search_domain, order=order, limit=1)
 
-    @api.multi
     def _merge_get_result_type(self):
         """ Define the type of the result of the merge.  If at least one of the
             element to merge is an opp, the resulting new element will be an opp.
@@ -622,7 +610,6 @@ class Lead(models.Model):
             return 'opportunity'
         return 'lead'
 
-    @api.multi
     def _merge_data(self, fields):
         """ Prepare lead/opp data into a dictionary for merging. Different types
             of fields are processed in different ways:
@@ -696,7 +683,6 @@ class Lead(models.Model):
             bodies.append("<br/>".join(body + ['<br/>']))
         return bodies
 
-    @api.multi
     def _merge_notify(self, opportunities):
         """ Create a message gathering merged leads/opps informations. Using message_post, send a
             message explaining which fields has been merged and their new value. `self` is the
@@ -715,7 +701,6 @@ class Lead(models.Model):
         message_body = "\n\n".join(message_bodies)
         return self.message_post(body=message_body, subject=subject)
 
-    @api.multi
     def _merge_opportunity_history(self, opportunities):
         """ Move mail.message from the given opportunities to the current one. `self` is the
             crm.lead record destination for message of `opportunities`.
@@ -730,7 +715,6 @@ class Lead(models.Model):
                 })
         return True
 
-    @api.multi
     def _merge_opportunity_attachments(self, opportunities):
         """ Move attachments of given opportunities to the current one `self`, and rename
             the attachments having same name than native ones.
@@ -756,7 +740,6 @@ class Lead(models.Model):
                 attachment.write(values)
         return True
 
-    @api.multi
     def merge_dependences(self, opportunities):
         """ Merge dependences (messages, attachments, ...). These dependences will be
             transfered to `self`, the most important lead.
@@ -768,7 +751,6 @@ class Lead(models.Model):
         self._merge_opportunity_history(opportunities)
         self._merge_opportunity_attachments(opportunities)
 
-    @api.multi
     def merge_opportunity(self, user_id=False, team_id=False):
         """ Merge opportunities in one. Different cases of merge:
                 - merge leads together = 1 new lead
@@ -821,7 +803,6 @@ class Lead(models.Model):
 
         return opportunities_head
 
-    @api.multi
     def get_duplicated_leads(self, partner_id, include_lost=False):
         """ Search for opportunities that have the same partner and that arent done or cancelled
             :param partner_id : partner to search
@@ -850,7 +831,6 @@ class Lead(models.Model):
             domain += ['|', '&', ('type', '=', 'lead'), ('active', '=', True), ('type', '=', 'opportunity')]
         return self.search(domain)
 
-    @api.multi
     def _convert_opportunity_data(self, customer, team_id=False):
         """ Extract the data from a lead to create the opportunity
             :param customer : res.partner record
@@ -874,7 +854,6 @@ class Lead(models.Model):
             value['stage_id'] = stage.id
         return value
 
-    @api.multi
     def convert_opportunity(self, partner_id, user_ids=False, team_id=False):
         customer = False
         if partner_id:
@@ -890,7 +869,6 @@ class Lead(models.Model):
 
         return True
 
-    @api.multi
     def _create_lead_partner_data(self, name, is_company, parent_id=False):
         """ extract data from lead to create a partner
             :param name : furtur name of the partner
@@ -921,7 +899,6 @@ class Lead(models.Model):
             'type': 'contact'
         }
 
-    @api.multi
     def _create_lead_partner(self):
         """ Create a partner from lead data
             :returns res.partner record
@@ -945,7 +922,6 @@ class Lead(models.Model):
             return partner_company
         return Partner.create(self._create_lead_partner_data(self.name, False))
 
-    @api.multi
     def handle_partner_assignation(self,  action='create', partner_id=False):
         """ Handle partner assignation during a lead conversion.
             if action is 'create', create new partner with contact and assign lead to new partner_id.
@@ -970,7 +946,6 @@ class Lead(models.Model):
             partner_ids[lead.id] = partner_id
         return partner_ids
 
-    @api.multi
     def allocate_salesman(self, user_ids=None, team_id=False):
         """ Assign salesmen and salesteam to a batch of leads.  If there are more
             leads than salesmen, these salesmen will be assigned in round-robin.
@@ -996,7 +971,6 @@ class Lead(models.Model):
                 lead.write(value)
         return True
 
-    @api.multi
     def redirect_opportunity_view(self):
         self.ensure_one()
         # Get opportunity views
@@ -1020,7 +994,6 @@ class Lead(models.Model):
             'context': {'default_type': 'opportunity'}
         }
 
-    @api.multi
     def redirect_lead_view(self):
         self.ensure_one()
         # Get lead views
@@ -1062,7 +1035,6 @@ class Lead(models.Model):
             sub_title = _('or send an email to %s') % (email_link)
         return '<p class="o_view_nocontent_smiling_face">%s</p><p class="oe_view_nocontent_alias">%s</p>' % (help_title, sub_title)
 
-    @api.multi
     def log_meeting(self, meeting_subject, meeting_date, duration):
         if not duration:
             duration = _('unknown')
@@ -1209,7 +1181,6 @@ class Lead(models.Model):
     def _creation_subtype(self):
         return self.env.ref('crm.mt_lead_create')
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'stage_id' in init_values and self.probability == 100 and self.stage_id:
@@ -1220,7 +1191,6 @@ class Lead(models.Model):
             return self.env.ref('crm.mt_lead_stage')
         return super(Lead, self)._track_subtype(init_values)
 
-    @api.multi
     def _notify_get_groups(self):
         """ Handle salesman recipients that can convert leads into opportunities
         and set opportunities as won / lost. """
@@ -1248,7 +1218,6 @@ class Lead(models.Model):
 
         return [new_group] + groups
 
-    @api.multi
     def _notify_get_reply_to(self, default=None, records=None, company=None, doc_names=None):
         """ Override to set alias of lead and opportunities to their sales team if any. """
         aliases = self.mapped('team_id').sudo()._notify_get_reply_to(default=default, records=None, company=company, doc_names=None)
@@ -1258,7 +1227,6 @@ class Lead(models.Model):
             res.update(super(Lead, leftover)._notify_get_reply_to(default=default, records=None, company=company, doc_names=doc_names))
         return res
 
-    @api.multi
     def get_formview_id(self, access_uid=None):
         if self.type == 'opportunity':
             view_id = self.env.ref('crm.crm_case_form_view_oppor').id
@@ -1266,7 +1234,6 @@ class Lead(models.Model):
             view_id = super(Lead, self).get_formview_id()
         return view_id
 
-    @api.multi
     def _message_get_default_recipients(self):
         return {r.id: {
             'partner_ids': [],
@@ -1274,7 +1241,6 @@ class Lead(models.Model):
             'email_cc': False}
             for r in self}
 
-    @api.multi
     def _message_get_suggested_recipients(self):
         recipients = super(Lead, self)._message_get_suggested_recipients()
         try:
@@ -1331,7 +1297,6 @@ class Lead(models.Model):
                     ('stage_id.fold', '=', False)]).write({'partner_id': new_partner.id})
         return super(Lead, self)._message_post_after_hook(message, msg_vals)
 
-    @api.multi
     def _message_partner_info_from_emails(self, emails, link_mail=False):
         result = super(Lead, self)._message_partner_info_from_emails(emails, link_mail=link_mail)
         for partner_info in result:
diff --git a/addons/crm/models/crm_stage.py b/addons/crm/models/crm_stage.py
index 6e189d52146de18e6659e13bdf6295f69b7acbee..5cd1a793f316394ead2c5c6e63c76dc72d543970 100644
--- a/addons/crm/models/crm_stage.py
+++ b/addons/crm/models/crm_stage.py
@@ -44,7 +44,6 @@ class Stage(models.Model):
     # This field for interface only
     team_count = fields.Integer('team_count', compute='_compute_team_count')
 
-    @api.multi
     def _compute_team_count(self):
         for stage in self:
             stage.team_count = self.env['crm.team'].search_count([])
diff --git a/addons/crm/models/crm_team.py b/addons/crm/models/crm_team.py
index b62904788d23e6e07e1fe22863b0cb971a98f5d3..a1a0f42bd6ff2216234f88cb43191d81ee2b929a 100644
--- a/addons/crm/models/crm_team.py
+++ b/addons/crm/models/crm_team.py
@@ -93,7 +93,6 @@ class Team(models.Model):
         defaults['team_id'] = self.id
         return values   
 
-    @api.multi
     def write(self, vals):
         result = super(Team, self).write(vals)
         if 'alias_defaults' in vals:
diff --git a/addons/crm/models/res_config_settings.py b/addons/crm/models/res_config_settings.py
index 6b8c622bfbb643eb9d15ee9efc4dd648d9936757..e2f2df0c68eef45363f413c34bfa8eacc47cd077 100644
--- a/addons/crm/models/res_config_settings.py
+++ b/addons/crm/models/res_config_settings.py
@@ -86,7 +86,6 @@ class ResConfigSettings(models.TransientModel):
         )
         return res
 
-    @api.multi
     def set_values(self):
         super(ResConfigSettings, self).set_values()
         alias = self._find_default_lead_alias_id()
diff --git a/addons/crm/models/res_partner.py b/addons/crm/models/res_partner.py
index b6b52b95c111ad825c569350db6aa5ea80fb75c1..869f89aed8e28e394780bc862fc308c3f81f9d91 100644
--- a/addons/crm/models/res_partner.py
+++ b/addons/crm/models/res_partner.py
@@ -36,13 +36,11 @@ class Partner(models.Model):
                 )
         return rec
 
-    @api.multi
     def _compute_opportunity_count(self):
         for partner in self:
             operator = 'child_of' if partner.is_company else '='  # the opportunity count should counts the opportunities of this company and all its contacts
             partner.opportunity_count = self.env['crm.lead'].search_count([('partner_id', operator, partner.id), ('type', '=', 'opportunity')])
 
-    @api.multi
     def _compute_meeting_count(self):
         for partner in self:
             partner.meeting_count = len(partner.meeting_ids)
@@ -59,7 +57,6 @@ class Partner(models.Model):
         if self.mobile:
             self.mobile = self.phone_format(self.mobile)
 
-    @api.multi
     def schedule_meeting(self):
         partner_ids = self.ids
         partner_ids.append(self.env.user.partner_id.id)
diff --git a/addons/crm/wizard/crm_lead_lost.py b/addons/crm/wizard/crm_lead_lost.py
index 4bcdf46992abb442e4eb3f240e596c5c4da4befe..b1d0719969909f93fda8f38d318ce9470aed159f 100644
--- a/addons/crm/wizard/crm_lead_lost.py
+++ b/addons/crm/wizard/crm_lead_lost.py
@@ -9,7 +9,6 @@ class CrmLeadLost(models.TransientModel):
 
     lost_reason_id = fields.Many2one('crm.lost.reason', 'Lost Reason')
 
-    @api.multi
     def action_lost_reason_apply(self):
         leads = self.env['crm.lead'].browse(self.env.context.get('active_ids'))
         leads.write({'lost_reason': self.lost_reason_id.id})
diff --git a/addons/crm/wizard/crm_lead_to_opportunity.py b/addons/crm/wizard/crm_lead_to_opportunity.py
index b911609f03afd568ec94360f3c7dfb96ad595867..4ba6bf27658260b10fbc37f8548eedd80714b978 100644
--- a/addons/crm/wizard/crm_lead_to_opportunity.py
+++ b/addons/crm/wizard/crm_lead_to_opportunity.py
@@ -87,7 +87,6 @@ class Lead2OpportunityPartner(models.TransientModel):
                 raise UserError(_("Closed/Dead leads cannot be converted into opportunities."))
         return False
 
-    @api.multi
     def _convert_opportunity(self, vals):
         self.ensure_one()
 
@@ -110,7 +109,6 @@ class Lead2OpportunityPartner(models.TransientModel):
 
         return res
 
-    @api.multi
     def action_apply(self):
         """ Convert lead to opportunity or merge lead and opportunity and open
             the freshly created opportunity view.
@@ -205,7 +203,6 @@ class Lead2OpportunityMassConvert(models.TransientModel):
 
         self.opportunity_ids = self.env['crm.lead'].browse(leads_with_duplicates)
 
-    @api.multi
     def _convert_opportunity(self, vals):
         """ When "massively" (more than one at a time) converting leads to
             opportunities, check the salesteam_id and salesmen_ids and update
@@ -219,7 +216,6 @@ class Lead2OpportunityMassConvert(models.TransientModel):
         vals.update({'user_ids': salesmen_ids, 'team_id': salesteam_id})
         return super(Lead2OpportunityMassConvert, self)._convert_opportunity(vals)
 
-    @api.multi
     def mass_convert(self):
         self.ensure_one()
         if self.name == 'convert' and self.deduplicate:
diff --git a/addons/crm/wizard/crm_merge_opportunities.py b/addons/crm/wizard/crm_merge_opportunities.py
index 82795678d895374d2b051e436511f3edc2dcf05f..e492c85df2dd2e1929896d64fbb53549a65bdf01 100644
--- a/addons/crm/wizard/crm_merge_opportunities.py
+++ b/addons/crm/wizard/crm_merge_opportunities.py
@@ -36,7 +36,6 @@ class MergeOpportunity(models.TransientModel):
     user_id = fields.Many2one('res.users', 'Salesperson', index=True)
     team_id = fields.Many2one('crm.team', 'Sales Team', oldname='section_id', index=True)
 
-    @api.multi
     def action_merge(self):
         self.ensure_one()
         merge_opportunity = self.opportunity_ids.merge_opportunity(self.user_id.id, self.team_id.id)
diff --git a/addons/crm_iap_lead/models/crm_iap_lead_mining_request.py b/addons/crm_iap_lead/models/crm_iap_lead_mining_request.py
index 7558180f28d1f8139de89eb9d72a00fc5b80b95d..54ca723409a76fd294f9c476280588f5be9879eb 100644
--- a/addons/crm_iap_lead/models/crm_iap_lead_mining_request.py
+++ b/addons/crm_iap_lead/models/crm_iap_lead_mining_request.py
@@ -158,7 +158,6 @@ class CRMLeadMiningRequest(models.Model):
             self._cr.commit()
             raise e
 
-    @api.multi
     def _create_leads_from_response(self, result):
         """ This method will get the response from the service and create the leads accordingly """
         self.ensure_one()
@@ -188,13 +187,11 @@ class CRMLeadMiningRequest(models.Model):
         sub_title = _('Generate new leads based on their country, industry, size, etc.')
         return '<p class="o_view_nocontent_smiling_face">%s</p><p class="oe_view_nocontent_alias">%s</p>' % (help_title, sub_title)
 
-    @api.multi
     def action_draft(self):
         self.ensure_one()
         self.name = _('New')
         self.state = 'draft'
 
-    @api.multi
     def action_submit(self):
         self.ensure_one()
         if self.name == _('New'):
@@ -208,7 +205,6 @@ class CRMLeadMiningRequest(models.Model):
         elif self.lead_type == 'opportunity':
             return self.action_get_opportunity_action()
 
-    @api.multi
     def action_get_lead_action(self):
         self.ensure_one()
         action = self.env.ref('crm.crm_lead_all_leads').read()[0]
@@ -220,7 +216,6 @@ class CRMLeadMiningRequest(models.Model):
         </p>""")
         return action
 
-    @api.multi
     def action_get_opportunity_action(self):
         self.ensure_one()
         action = self.env.ref('crm.crm_lead_opportunities').read()[0]
diff --git a/addons/delivery/models/delivery_carrier.py b/addons/delivery/models/delivery_carrier.py
index 0d4ef3118d2bc9f831e64a6b392b741fd9818b2d..b1c4ee6e44df341b2a65fd2279d91791f689c95c 100644
--- a/addons/delivery/models/delivery_carrier.py
+++ b/addons/delivery/models/delivery_carrier.py
@@ -81,7 +81,6 @@ class DeliveryCarrier(models.Model):
         for c in self:
             c.debug_logging = not c.debug_logging
 
-    @api.multi
     def install_more_provider(self):
         return {
             'name': 'New Providers',
diff --git a/addons/delivery/models/sale_order.py b/addons/delivery/models/sale_order.py
index 66da5c70b29eb3270c83abe65ca6b550b24954ae..e746c1b9d37bbbcd0d1997823a02c40a6ad6f2fe 100644
--- a/addons/delivery/models/sale_order.py
+++ b/addons/delivery/models/sale_order.py
@@ -37,11 +37,9 @@ class SaleOrder(models.Model):
         if delivery_line:
             self.recompute_delivery_price = True
 
-    @api.multi
     def _remove_delivery_line(self):
         self.env['sale.order.line'].search([('order_id', 'in', self.ids), ('is_delivery', '=', True)]).unlink()
 
-    @api.multi
     def set_delivery_line(self, carrier, amount):
 
         # Remove delivery products from the sales order
@@ -156,7 +154,6 @@ class SaleOrderLine(models.Model):
                 return 0.0
             line.product_qty = line.product_uom._compute_quantity(line.product_uom_qty, line.product_id.uom_id)
 
-    @api.multi
     def unlink(self):
         for line in self:
             if line.is_delivery:
diff --git a/addons/delivery/models/stock_picking.py b/addons/delivery/models/stock_picking.py
index 764f61cb98bd6d2bced55191a58ffcedafc9ec24..e596c930550189f632170148e11d72626f010e5c 100644
--- a/addons/delivery/models/stock_picking.py
+++ b/addons/delivery/models/stock_picking.py
@@ -112,7 +112,6 @@ class StockPicking(models.Model):
         for picking in self:
             picking.weight = sum(move.weight for move in picking.move_lines if move.state != 'cancel')
 
-    @api.multi
     def action_done(self):
         res = super(StockPicking, self).action_done()
         for pick in self:
@@ -121,7 +120,6 @@ class StockPicking(models.Model):
                     pick.send_to_shipper()
         return res
 
-    @api.multi
     def _pre_put_in_pack_hook(self, move_line_ids):
         res = super(StockPicking, self)._pre_put_in_pack_hook(move_line_ids)
         if not res:
@@ -151,7 +149,6 @@ class StockPicking(models.Model):
             ),
         }
 
-    @api.multi
     def action_send_confirmation_email(self):
         self.ensure_one()
         delivery_template_id = self.env.ref('delivery.mail_template_data_delivery_confirmation').id
@@ -173,7 +170,6 @@ class StockPicking(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     def send_to_shipper(self):
         self.ensure_one()
         res = self.carrier_id.send_shipping(self)[0]
@@ -188,12 +184,10 @@ class StockPicking(models.Model):
         self._add_delivery_cost_to_so()
 
 
-    @api.multi
     def print_return_label(self):
         self.ensure_one()
         res = self.carrier_id.get_return_label(self)
 
-    @api.multi
     def _add_delivery_cost_to_so(self):
         self.ensure_one()
         sale_order = self.sale_id
@@ -209,7 +203,6 @@ class StockPicking(models.Model):
                     'name': sale_order.carrier_id.with_context(lang=self.partner_id.lang).name,
                 })
 
-    @api.multi
     def open_website_url(self):
         self.ensure_one()
         if not self.carrier_tracking_url:
@@ -242,7 +235,6 @@ class StockPicking(models.Model):
             picking.message_post(body=msg)
             picking.carrier_tracking_ref = False
 
-    @api.multi
     def check_packages_are_identical(self):
         '''Some shippers require identical packages in the same shipment. This utility checks it.'''
         self.ensure_one()
@@ -257,7 +249,6 @@ class StockPicking(models.Model):
 class StockReturnPicking(models.TransientModel):
     _inherit = 'stock.return.picking'
 
-    @api.multi
     def _create_returns(self):
         # Prevent copy of the carrier and carrier price when generating return picking
         # (we have no integration of returns for now)
diff --git a/addons/digest/models/digest.py b/addons/digest/models/digest.py
index 14b777a5f335c7b32ad52555c1d1255a47dd3b22..950794d29b32527fac046965eb328315e8940113 100644
--- a/addons/digest/models/digest.py
+++ b/addons/digest/models/digest.py
@@ -80,21 +80,17 @@ class Digest(models.Model):
         vals['next_run_date'] = date.today() + relativedelta(days=3)
         return super(Digest, self).create(vals)
 
-    @api.multi
     def action_subscribe(self):
         if self.env.user not in self.user_ids:
             self.sudo().user_ids |= self.env.user
 
-    @api.multi
     def action_unsubcribe(self):
         if self.env.user in self.user_ids:
             self.sudo().user_ids -= self.env.user
 
-    @api.multi
     def action_activate(self):
         self.state = 'activated'
 
-    @api.multi
     def action_deactivate(self):
         self.state = 'deactivated'
 
diff --git a/addons/event/models/event.py b/addons/event/models/event.py
index b13b7cad4f847b33947a6cedfd302548d6b40993..1e35e4d29eb9427e95ce4571019cda1844b6e316 100644
--- a/addons/event/models/event.py
+++ b/addons/event/models/event.py
@@ -182,7 +182,6 @@ class EventEvent(models.Model):
     badge_innerright = fields.Html(string='Badge Inner Right')
     event_logo = fields.Html(string='Event Logo')
 
-    @api.multi
     @api.depends('seats_max', 'registration_ids.state')
     def _compute_seats(self):
         """ Determine reserved, available, reserved but unconfirmed and used seats. """
@@ -281,7 +280,6 @@ class EventEvent(models.Model):
             if event.date_end < event.date_begin:
                 raise ValidationError(_('The closing date cannot be earlier than the beginning date.'))
 
-    @api.multi
     @api.depends('name', 'date_begin', 'date_end')
     def name_get(self):
         result = []
@@ -302,14 +300,12 @@ class EventEvent(models.Model):
             res.button_confirm()
         return res
 
-    @api.multi
     def write(self, vals):
         res = super(EventEvent, self).write(vals)
         if vals.get('organizer_id'):
             self.message_subscribe([vals['organizer_id']])
         return res
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         self.ensure_one()
@@ -319,7 +315,6 @@ class EventEvent(models.Model):
     def button_draft(self):
         self.write({'state': 'draft'})
 
-    @api.multi
     def button_cancel(self):
         if any('done' in event.mapped('registration_ids.state') for event in self):
             raise UserError(_("There are already attendees who attended this event. Please reset it to draft if you want to cancel this event."))
@@ -337,11 +332,9 @@ class EventEvent(models.Model):
             for attendee in event.registration_ids.filtered(filter_func):
                 self.env['mail.template'].browse(template_id).send_mail(attendee.id, force_send=force_send)
 
-    @api.multi
     def _is_event_registrable(self):
         return self.date_end > fields.Datetime.now()
 
-    @api.multi
     def _get_ics_file(self):
         """ Returns iCalendar file for the event invitation.
             :returns a dict of .ics file content for each event
@@ -401,7 +394,6 @@ class EventRegistration(models.Model):
             if registration.event_id.seats_availability == 'limited' and registration.event_id.seats_max and registration.event_id.seats_available < (1 if registration.state == 'draft' else 0):
                 raise ValidationError(_('No more seats available for this event.'))
 
-    @api.multi
     def _check_auto_confirmation(self):
         if self._context.get('registration_force_draft'):
             return False
@@ -471,7 +463,6 @@ class EventRegistration(models.Model):
                 self.email = contact.email or self.email
                 self.phone = contact.phone or self.phone
 
-    @api.multi
     def _message_get_suggested_recipients(self):
         recipients = super(EventRegistration, self)._message_get_suggested_recipients()
         public_users = self.env['res.users'].sudo()
@@ -489,7 +480,6 @@ class EventRegistration(models.Model):
             pass
         return recipients
 
-    @api.multi
     def _message_get_default_recipients(self):
         # Prioritize registration email over partner_id, which may be shared when a single
         # partner booked multiple seats
@@ -513,7 +503,6 @@ class EventRegistration(models.Model):
                 ]).write({'partner_id': new_partner.id})
         return super(EventRegistration, self)._message_post_after_hook(message, msg_vals)
 
-    @api.multi
     def action_send_badge_email(self):
         """ Open a window to compose an email, with the template - 'event_badge'
             message loaded by default
@@ -540,7 +529,6 @@ class EventRegistration(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     def get_date_range_str(self):
         self.ensure_one()
         today = fields.Datetime.now()
@@ -559,7 +547,6 @@ class EventRegistration(models.Model):
         else:
             return _('on ') + format_datetime(self.env, self.event_begin_date, tz=self.event_id.date_tz, dt_format='medium')
 
-    @api.multi
     def summary(self):
         self.ensure_one()
         return {'information': []}
diff --git a/addons/event/models/res_partner.py b/addons/event/models/res_partner.py
index 009b182c1aef12404862a38a01965548c383a802..0be6c4c8287106e25a7350739ff3895ca5782dc1 100644
--- a/addons/event/models/res_partner.py
+++ b/addons/event/models/res_partner.py
@@ -14,7 +14,6 @@ class ResPartner(models.Model):
         for partner in self:
             partner.event_count = self.env['event.event'].search_count([('registration_ids.partner_id', 'child_of', partner.ids)])
 
-    @api.multi
     def action_event_view(self):
         action = self.env.ref('event.action_event_view').read()[0]
         action['context'] = {}
diff --git a/addons/event/wizard/event_confirm.py b/addons/event/wizard/event_confirm.py
index a9825af916ce55f3d4986f5b4641f0c47c501ddf..73c9e1357999644f74af07115da31754cc143554 100644
--- a/addons/event/wizard/event_confirm.py
+++ b/addons/event/wizard/event_confirm.py
@@ -9,7 +9,6 @@ class event_confirm(models.TransientModel):
     _name = "event.confirm"
     _description = 'Event Confirmation'
 
-    @api.multi
     def confirm(self):
         events = self.env['event.event'].browse(self._context.get('event_ids', []))
         events.do_confirm()
diff --git a/addons/event_sale/models/account_invoice.py b/addons/event_sale/models/account_invoice.py
index 3ef88ea342c8c1998c596abdd620a3f32a63131b..0f5b46f2748debfd50b216459d1123201e3243a0 100644
--- a/addons/event_sale/models/account_invoice.py
+++ b/addons/event_sale/models/account_invoice.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class AccountMove(models.Model):
     _inherit = 'account.move'
 
-    @api.multi
     def action_invoice_paid(self):
         """ When an invoice linked to a sales order selling registrations is
         paid confirm attendees. Attendees should indeed not be confirmed before
diff --git a/addons/event_sale/models/event.py b/addons/event_sale/models/event.py
index 543bf3cb87fffa7cc8810610748d8c3b332b5525..ba407dc8f6049b22c798197032da82374ab05df7 100644
--- a/addons/event_sale/models/event.py
+++ b/addons/event_sale/models/event.py
@@ -53,7 +53,6 @@ class Event(models.Model):
                 })
                 for ticket in self.event_type_id.event_ticket_ids]
 
-    @api.multi
     def _is_event_registrable(self):
         if super(Event, self)._is_event_registrable():
             self.ensure_one()
@@ -93,7 +92,6 @@ class EventTicket(models.Model):
     seats_unconfirmed = fields.Integer(string='Unconfirmed Seat Reservations', compute='_compute_seats', store=True)
     seats_used = fields.Integer(compute='_compute_seats', store=True)
 
-    @api.multi
     def _compute_is_expired(self):
         for record in self:
             if record.deadline:
@@ -102,7 +100,6 @@ class EventTicket(models.Model):
             else:
                 record.is_expired = False
 
-    @api.multi
     def _compute_price_reduce(self):
         for record in self:
             product = record.product_id
@@ -116,7 +113,6 @@ class EventTicket(models.Model):
             taxes = tax_ids.compute_all(record.price_reduce, record.event_id.company_id.currency_id, 1.0, product=record.product_id)
             record.price_reduce_taxinc = taxes['total_included']
 
-    @api.multi
     @api.depends('seats_max', 'registration_ids.state')
     def _compute_seats(self):
         """ Determine reserved, available, reserved but unconfirmed and used seats. """
@@ -145,7 +141,6 @@ class EventTicket(models.Model):
             if ticket.seats_max > 0:
                 ticket.seats_available = ticket.seats_max - (ticket.seats_reserved + ticket.seats_used)
 
-    @api.multi
     @api.constrains('registration_ids', 'seats_max')
     def _check_seats_limit(self):
         for record in self:
@@ -201,14 +196,12 @@ class EventRegistration(models.Model):
         if self.event_ticket_id and (not self.event_id or self.event_id != self.event_ticket_id.event_id):
             self.event_ticket_id = None
 
-    @api.multi
     @api.constrains('event_ticket_id', 'state')
     def _check_ticket_seats_limit(self):
         for record in self:
             if record.event_ticket_id.seats_max and record.event_ticket_id.seats_available < 0:
                 raise ValidationError(_('No more available seats for this ticket'))
 
-    @api.multi
     def _check_auto_confirmation(self):
         res = super(EventRegistration, self)._check_auto_confirmation()
         if res:
@@ -244,7 +237,6 @@ class EventRegistration(models.Model):
             })
         return att_data
 
-    @api.multi
     def summary(self):
         res = super(EventRegistration, self).summary()
         if self.event_ticket_id.product_id.image_medium:
diff --git a/addons/event_sale/models/sale_order.py b/addons/event_sale/models/sale_order.py
index 6d3c2aa33ab47de897ccd8fb317fdff573e26ec6..09eb3f36cd5394e05913623643bc3f12e2d837df 100644
--- a/addons/event_sale/models/sale_order.py
+++ b/addons/event_sale/models/sale_order.py
@@ -6,7 +6,6 @@ from odoo import api, fields, models
 class SaleOrder(models.Model):
     _inherit = "sale.order"
 
-    @api.multi
     def _action_confirm(self):
         res = super(SaleOrder, self)._action_confirm()
         for so in self:
@@ -14,7 +13,6 @@ class SaleOrder(models.Model):
             so.order_line._update_registrations(confirm=so.amount_total == 0, cancel_to_draft=False)
         return res
 
-    @api.multi
     def action_confirm(self):
         res = super(SaleOrder, self).action_confirm()
         for so in self:
@@ -35,7 +33,6 @@ class SaleOrderLine(models.Model):
         "an event ticket and it will automatically create a registration for this event ticket.")
     event_ok = fields.Boolean(related='product_id.event_ok', readonly=True)
 
-    @api.multi
     def _update_registrations(self, confirm=True, cancel_to_draft=False, registration_data=None):
         """ Create or update registrations linked to a sales order line. A sale
         order line has a product_uom_qty attribute that will be the number of
diff --git a/addons/event_sale/wizard/event_edit_registration.py b/addons/event_sale/wizard/event_edit_registration.py
index 73c5e44879e59fdcce4f3f001cdf1a714d18a96c..5b5b98ab30072e1b33612e2a6336d2dcf3dfb2f3 100644
--- a/addons/event_sale/wizard/event_edit_registration.py
+++ b/addons/event_sale/wizard/event_edit_registration.py
@@ -45,7 +45,6 @@ class RegistrationEditor(models.TransientModel):
         res = self._convert_to_write(res)
         return res
 
-    @api.multi
     def action_make_registration(self):
         self.ensure_one()
         for registration_line in self.event_registration_ids:
@@ -74,7 +73,6 @@ class RegistrationEditorLine(models.TransientModel):
     phone = fields.Char(string='Phone')
     name = fields.Char(string='Name', index=True)
 
-    @api.multi
     def get_registration_data(self):
         self.ensure_one()
         return {
diff --git a/addons/fetchmail/models/fetchmail.py b/addons/fetchmail/models/fetchmail.py
index bda31375d81194ad59bc3738d66fbbb4732f292f..3873b5deb6571682d1762426a2a0baac0aadd4d1 100644
--- a/addons/fetchmail/models/fetchmail.py
+++ b/addons/fetchmail/models/fetchmail.py
@@ -84,24 +84,20 @@ odoo_mailgate: "|/path/to/odoo-mailgate.py --host=localhost -u %(uid)d -p PASSWO
         self._update_cron()
         return res
 
-    @api.multi
     def write(self, values):
         res = super(FetchmailServer, self).write(values)
         self._update_cron()
         return res
 
-    @api.multi
     def unlink(self):
         res = super(FetchmailServer, self).unlink()
         self._update_cron()
         return res
 
-    @api.multi
     def set_draft(self):
         self.write({'state': 'draft'})
         return True
 
-    @api.multi
     def connect(self):
         self.ensure_one()
         if self.server_type == 'imap':
@@ -123,7 +119,6 @@ odoo_mailgate: "|/path/to/odoo-mailgate.py --host=localhost -u %(uid)d -p PASSWO
         connection.sock.settimeout(MAIL_TIMEOUT)
         return connection
 
-    @api.multi
     def button_confirm_login(self):
         for server in self:
             try:
@@ -149,7 +144,6 @@ odoo_mailgate: "|/path/to/odoo-mailgate.py --host=localhost -u %(uid)d -p PASSWO
         """ Method called by cron to fetch mails from servers """
         return self.search([('state', '=', 'done'), ('server_type', 'in', ['pop', 'imap'])]).fetch_mail()
 
-    @api.multi
     def fetch_mail(self):
         """ WARNING: meant for cron usage only - will commit() after each email! """
         additionnal_context = {
diff --git a/addons/fleet/models/fleet_vehicle.py b/addons/fleet/models/fleet_vehicle.py
index 709880486ed6260f1b72a520ce845caf83b4652d..3a713a0140e2443dc2d471e24137d8a01057689c 100644
--- a/addons/fleet/models/fleet_vehicle.py
+++ b/addons/fleet/models/fleet_vehicle.py
@@ -220,7 +220,6 @@ class FleetVehicle(models.Model):
             future_driver.write({'plan_to_change_car': True})
         return res
 
-    @api.multi
     def write(self, vals):
         if 'driver_id' in vals and vals['driver_id']:
             driver_id = vals['driver_id']
@@ -276,7 +275,6 @@ class FleetVehicle(models.Model):
         rec = self._search(expression.AND([domain, args]), limit=limit, access_rights_uid=name_get_uid)
         return self.browse(rec).name_get()
 
-    @api.multi
     def return_action_to_open(self):
         """ This opens the xml view specified in xml_id for the current vehicle """
         self.ensure_one()
@@ -290,7 +288,6 @@ class FleetVehicle(models.Model):
             return res
         return False
 
-    @api.multi
     def act_show_log_cost(self):
         """ This opens log view to view and add new log for this vehicle, groupby default to only show effective costs
             @return: the costs log view
@@ -305,7 +302,6 @@ class FleetVehicle(models.Model):
         )
         return res
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'driver_id' in init_values:
diff --git a/addons/fleet/models/fleet_vehicle_cost.py b/addons/fleet/models/fleet_vehicle_cost.py
index 2dc64d58adffda33aee1265ddffcef975409c89b..5ddfd92cf9037aa11cdc43a1fc695c775c61a4c3 100644
--- a/addons/fleet/models/fleet_vehicle_cost.py
+++ b/addons/fleet/models/fleet_vehicle_cost.py
@@ -176,24 +176,20 @@ class FleetVehicleLogContract(models.Model):
         if self.vehicle_id:
             self.odometer_unit = self.vehicle_id.odometer_unit
 
-    @api.multi
     def write(self, vals):
         res = super(FleetVehicleLogContract, self).write(vals)
         if vals.get('expiration_date') or vals.get('user_id'):
             self.activity_reschedule(['fleet.mail_act_fleet_contract_to_renew'], date_deadline=vals.get('expiration_date'), new_user_id=vals.get('user_id'))
         return res
 
-    @api.multi
     def contract_close(self):
         for record in self:
             record.state = 'closed'
 
-    @api.multi
     def contract_open(self):
         for record in self:
             record.state = 'open'
 
-    @api.multi
     def act_renew_contract(self):
         assert len(self.ids) == 1, "This operation should only be done for 1 single contract at a time, as it it suppose to open a window as result"
         for element in self:
diff --git a/addons/fleet/models/fleet_vehicle_model.py b/addons/fleet/models/fleet_vehicle_model.py
index b4129557f8e11aea77fea3afcb2fd98248e4ee50..e945da2ac71f5536918141396591baa578725974 100644
--- a/addons/fleet/models/fleet_vehicle_model.py
+++ b/addons/fleet/models/fleet_vehicle_model.py
@@ -18,7 +18,6 @@ class FleetVehicleModel(models.Model):
     image_medium = fields.Binary(related='brand_id.image_medium', string="Logo (medium)", readonly=False)
     image_small = fields.Binary(related='brand_id.image_small', string="Logo (small)", readonly=False)
 
-    @api.multi
     @api.depends('name', 'brand_id')
     def name_get(self):
         res = []
@@ -60,7 +59,6 @@ class FleetVehicleModelBrand(models.Model):
             tools.image_resize_images(vals)
         return super(FleetVehicleModelBrand, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         tools.image_resize_images(vals)
         return super(FleetVehicleModelBrand, self).write(vals)
diff --git a/addons/gamification/models/badge.py b/addons/gamification/models/badge.py
index b0483dbeae7234182f9db5b485823a7f323c7c19..fc93ffb80413ce91a840931082fe9484443ddd54 100644
--- a/addons/gamification/models/badge.py
+++ b/addons/gamification/models/badge.py
@@ -143,7 +143,6 @@ class GamificationBadge(models.Model):
             tools.image_resize_images(vals)
         return super(GamificationBadge, self).create(values_list)
 
-    @api.multi
     def write(self, vals):
         tools.image_resize_images(vals)
         return super(GamificationBadge, self).write(vals)
diff --git a/addons/gamification/models/challenge.py b/addons/gamification/models/challenge.py
index 503ec655c5c758f6b2981455ec069749eb5a6556..08194e0d7ec707a0cac7def0a812c511282326f7 100644
--- a/addons/gamification/models/challenge.py
+++ b/addons/gamification/models/challenge.py
@@ -167,7 +167,6 @@ class Challenge(models.Model):
 
         return super(Challenge, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         if vals.get('user_domain'):
             users = self._get_challenger_users(ustr(vals.get('user_domain')))
@@ -299,12 +298,10 @@ class Challenge(models.Model):
 
         return True
 
-    @api.multi
     def action_start(self):
         """Start a challenge"""
         return self.write({'state': 'inprogress'})
 
-    @api.multi
     def action_check(self):
         """Check a challenge
 
@@ -317,7 +314,6 @@ class Challenge(models.Model):
 
         return self._update_all()
 
-    @api.multi
     def action_report_progress(self):
         """Manual report of a goal, does not influence automatic report frequency"""
         for challenge in self:
@@ -602,7 +598,6 @@ class Challenge(models.Model):
         return challenge.write({'last_report_date': fields.Date.today()})
 
     ##### Challenges #####
-    @api.multi
     def accept_challenge(self):
         user = self.env.user
         sudoed = self.sudo()
@@ -610,7 +605,6 @@ class Challenge(models.Model):
         sudoed.write({'invited_user_ids': [(3, user.id)], 'user_ids': [(4, user.id)]})
         return sudoed._generate_goals_from_challenge()
 
-    @api.multi
     def discard_challenge(self):
         """The user discard the suggested challenge"""
         user = self.env.user
diff --git a/addons/gamification/models/gamification_karma_rank.py b/addons/gamification/models/gamification_karma_rank.py
index cd4ef6cc28a80b19b6eeae462552df3c8f3b84db..cbbe7bf19d13f98fd55de98e16416e5bb0178503 100644
--- a/addons/gamification/models/gamification_karma_rank.py
+++ b/addons/gamification/models/gamification_karma_rank.py
@@ -54,7 +54,6 @@ class KarmaRank(models.Model):
         users._recompute_rank()
         return res
 
-    @api.multi
     def write(self, vals):
         tools.image_resize_images(vals)
         res = super(KarmaRank, self).write(vals)
diff --git a/addons/gamification/models/goal.py b/addons/gamification/models/goal.py
index abc6549a3ddc44f964b3b98cb62e2a53490d894a..75db403647e13b7a760f8768783b6bcbb657f517 100644
--- a/addons/gamification/models/goal.py
+++ b/addons/gamification/models/goal.py
@@ -117,7 +117,6 @@ class GoalDefinition(models.Model):
             definition._check_model_validity()
         return definition
 
-    @api.multi
     def write(self, vals):
         res = super(GoalDefinition, self).write(vals)
         if vals.get('computation_mode', 'count') in ('count', 'sum') and (vals.get('domain') or vals.get('model_id')):
@@ -250,7 +249,6 @@ class Goal(models.Model):
 
         return {self: result}
 
-    @api.multi
     def update_goal(self):
         """Update the goals to recomputes values and change of states
 
@@ -362,7 +360,6 @@ class Goal(models.Model):
                 self.env.cr.commit()
         return True
 
-    @api.multi
     def action_start(self):
         """Mark a goal as started.
 
@@ -370,7 +367,6 @@ class Goal(models.Model):
         self.write({'state': 'inprogress'})
         return self.update_goal()
 
-    @api.multi
     def action_reach(self):
         """Mark a goal as reached.
 
@@ -378,14 +374,12 @@ class Goal(models.Model):
         Progress at the next goal update until the end date."""
         return self.write({'state': 'reached'})
 
-    @api.multi
     def action_fail(self):
         """Set the state of the goal to failed.
 
         A failed goal will be ignored in future checks."""
         return self.write({'state': 'failed'})
 
-    @api.multi
     def action_cancel(self):
         """Reset the completion after setting a goal as reached or failed.
 
@@ -398,7 +392,6 @@ class Goal(models.Model):
     def create(self, vals):
         return super(Goal, self.with_context(no_remind_goal=True)).create(vals)
 
-    @api.multi
     def write(self, vals):
         """Overwrite the write method to update the last_update field to today
 
@@ -417,7 +410,6 @@ class Goal(models.Model):
                     goal.challenge_id.sudo().report_progress(users=goal.user_id)
         return result
 
-    @api.multi
     def get_action(self):
         """Get the ir.action related to update the goal
 
diff --git a/addons/gamification/models/res_users.py b/addons/gamification/models/res_users.py
index a0ca65ced4541c0ec0453c94b324acc8e4ad8287..51a290651565da03799657b65299f93300182d53 100644
--- a/addons/gamification/models/res_users.py
+++ b/addons/gamification/models/res_users.py
@@ -25,7 +25,6 @@ class Users(models.Model):
         for user in self:
             user.karma_position = 0
 
-    @api.multi
     @api.depends('badge_ids')
     def _get_user_badge_level(self):
         """ Return total badge per level of users
@@ -55,14 +54,12 @@ class Users(models.Model):
         res._recompute_rank()
         return res
 
-    @api.multi
     def write(self, vals):
         result = super(Users, self).write(vals)
         if 'karma' in vals:
             self._recompute_rank()
         return result
 
-    @api.multi
     def add_karma(self, karma):
         for user in self:
             user.karma += karma
diff --git a/addons/gamification/wizard/grant_badge.py b/addons/gamification/wizard/grant_badge.py
index 49fc1aeebf193e99c1b633d6347bb3b1f585483e..84b764c5d53615ecd5f823b2d8787ecd45aca628 100644
--- a/addons/gamification/wizard/grant_badge.py
+++ b/addons/gamification/wizard/grant_badge.py
@@ -13,7 +13,6 @@ class grant_badge_wizard(models.TransientModel):
     badge_id = fields.Many2one("gamification.badge", string='Badge', required=True)
     comment = fields.Text('Comment')
 
-    @api.multi
     def action_grant_badge(self):
         """Wizard action for sending a badge to a chosen user"""
 
diff --git a/addons/gamification/wizard/update_goal.py b/addons/gamification/wizard/update_goal.py
index dfa8995238e3179cb6ee044dfaa1bdff10dab103..e9664e05205a17254ce20c3ea3f36554a937efb8 100644
--- a/addons/gamification/wizard/update_goal.py
+++ b/addons/gamification/wizard/update_goal.py
@@ -11,7 +11,6 @@ class goal_manual_wizard(models.TransientModel):
     goal_id = fields.Many2one("gamification.goal", string='Goal', required=True)
     current = fields.Float('Current')
 
-    @api.multi
     def action_update_current(self):
         """Wizard action for updating the current value"""
         for wiz in self:
diff --git a/addons/google_calendar/models/calendar.py b/addons/google_calendar/models/calendar.py
index 65a3cfee5646937ecaee9635edd28ec0d88fdb39..672a85358a559fdbe310fb9f6316c3b582f48338 100644
--- a/addons/google_calendar/models/calendar.py
+++ b/addons/google_calendar/models/calendar.py
@@ -17,14 +17,12 @@ class Meeting(models.Model):
                                    'attendee_ids', 'alarm_ids', 'location', 'privacy', 'active',
                                    'start_date', 'start_datetime', 'stop_date', 'stop_datetime']
 
-    @api.multi
     def write(self, values):
         sync_fields = set(self.get_fields_need_update_google())
         if (set(values) and sync_fields) and 'oe_update_date' not in values and 'NewMeeting' not in self._context:
             values['oe_update_date'] = fields.Datetime.now()
         return super(Meeting, self).write(values)
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         default = default or {}
@@ -36,7 +34,6 @@ class Meeting(models.Model):
             default['oe_update_date'] = False
         return super(Meeting, self).copy(default)
 
-    @api.multi
     def unlink(self, can_be_deleted=False):
         return super(Meeting, self).unlink(can_be_deleted=can_be_deleted)
 
@@ -52,7 +49,6 @@ class Attendee(models.Model):
         ('google_id_uniq', 'unique(google_internal_event_id,partner_id,event_id)', 'Google ID should be unique!')
     ]
 
-    @api.multi
     def write(self, values):
         for attendee in self:
             meeting_id_to_update = values.get('event_id', attendee.event_id.id)
diff --git a/addons/google_drive/models/google_drive.py b/addons/google_drive/models/google_drive.py
index c937acaa356427ce4f940102a38cf521be30c3ae..26246870da56c593b3bccebc243cb0aaa7ce2631 100644
--- a/addons/google_drive/models/google_drive.py
+++ b/addons/google_drive/models/google_drive.py
@@ -22,7 +22,6 @@ class GoogleDrive(models.Model):
     _name = 'google.drive.config'
     _description = "Google Drive templates config"
 
-    @api.multi
     def get_google_drive_url(self, res_id, template_id):
         self.ensure_one()
         self = self.sudo()
@@ -191,7 +190,6 @@ class GoogleDrive(models.Model):
             return word.group(2)
         return None
 
-    @api.multi
     def _compute_ressource_id(self):
         result = {}
         for record in self:
@@ -202,7 +200,6 @@ class GoogleDrive(models.Model):
                 raise UserError(_("Please enter a valid Google Document URL."))
         return result
 
-    @api.multi
     def _compute_client_id(self):
         google_drive_client_id = self.env['ir.config_parameter'].sudo().get_param('google_drive_client_id')
         for record in self:
diff --git a/addons/google_drive/models/res_config_settings.py b/addons/google_drive/models/res_config_settings.py
index 49d7ff7d86d366d4183331a9005f656af7e35e47..63dadd0ea664984adb0b6dfad08f7483b0b21671 100644
--- a/addons/google_drive/models/res_config_settings.py
+++ b/addons/google_drive/models/res_config_settings.py
@@ -23,7 +23,6 @@ class ResConfigSettings(models.TransientModel):
         res.update(is_google_drive_token_generated=bool(refresh_token))
         return res
 
-    @api.multi
     def confirm_setup_token(self):
         params = self.env['ir.config_parameter'].sudo()
         authorization_code_before = params.get_param('google_drive_authorization_code')
@@ -33,7 +32,6 @@ class ResConfigSettings(models.TransientModel):
             refresh_token = self.env['google.service'].generate_refresh_token('drive', authorization_code)
         params.set_param('google_drive_refresh_token', refresh_token)
 
-    @api.multi
     def action_setup_token(self):
         self.ensure_one()
         template = self.env.ref('google_drive.google_drive_auth_code_wizard')
diff --git a/addons/hr/models/hr_department.py b/addons/hr/models/hr_department.py
index 180b3372e46de7ef5aa234d9ab3b1af031f8665f..d754117a408f5ee6eb5c75cfaf8379473f062e9a 100644
--- a/addons/hr/models/hr_department.py
+++ b/addons/hr/models/hr_department.py
@@ -24,7 +24,6 @@ class Department(models.Model):
     note = fields.Text('Note')
     color = fields.Integer('Color Index')
 
-    @api.multi
     def name_get(self):
         if not self.env.context.get('hierarchical_naming', True):
             return [(record.id, record.name) for record in self]
@@ -54,7 +53,6 @@ class Department(models.Model):
             department.message_subscribe(partner_ids=manager.user_id.partner_id.ids)
         return department
 
-    @api.multi
     def write(self, vals):
         """ If updating manager of a department, we need to update all the employees
             of department hierarchy, and subscribe the new manager.
diff --git a/addons/hr/models/hr_employee.py b/addons/hr/models/hr_employee.py
index abdb09e996e1f26ea81d11670e1492f892f092e0..1870c53015c3a0f56f78ce23e02e78d868086e4c 100644
--- a/addons/hr/models/hr_employee.py
+++ b/addons/hr/models/hr_employee.py
@@ -128,13 +128,11 @@ class HrEmployeePrivate(models.Model):
         ('user_uniq', 'unique (user_id, company_id)', "A user cannot be linked to multiple employees in the same company.")
     ]
 
-    @api.multi
     def name_get(self):
         if self.check_access_rights('read', raise_exception=False):
             return super(HrEmployeePrivate, self).name_get()
         return self.env['hr.employee.public'].browse(self.ids).name_get()
 
-    @api.multi
     def read(self, fields, load='_classic_read'):
         if self.check_access_rights('read', raise_exception=False):
             return super(HrEmployeePrivate, self).read(fields, load=load)
@@ -163,7 +161,6 @@ class HrEmployeePrivate(models.Model):
             return super(HrEmployeePrivate, self)._search(args, offset=offset, limit=limit, order=order, count=count, access_rights_uid=access_rights_uid)
         return self.env['hr.employee.public']._search(args, offset=offset, limit=limit, order=order, count=count, access_rights_uid=access_rights_uid)
 
-    @api.multi
     def get_formview_id(self, access_uid=None):
         """ Override this method in order to redirect many2one towards the right model depending on access_uid """
         if access_uid:
@@ -176,7 +173,6 @@ class HrEmployeePrivate(models.Model):
         # Hardcode the form view for public employee
         return self.env.ref('hr.hr_employee_public_view_form').id
 
-    @api.multi
     def get_formview_action(self, access_uid=None):
         """ Override this method in order to redirect many2one towards the right model depending on access_uid """
         res = super(HrEmployeePrivate, self).get_formview_action(access_uid=access_uid)
@@ -259,7 +255,6 @@ class HrEmployeePrivate(models.Model):
             ])._subscribe_users()
         return employee
 
-    @api.multi
     def write(self, vals):
         if 'address_home_id' in vals:
             account_id = vals.get('bank_account_id') or self.bank_account_id.id
@@ -277,7 +272,6 @@ class HrEmployeePrivate(models.Model):
             ])._subscribe_users()
         return res
 
-    @api.multi
     def unlink(self):
         resources = self.mapped('resource_id')
         super(HrEmployeePrivate, self).unlink()
@@ -301,7 +295,6 @@ class HrEmployeePrivate(models.Model):
             }
         return res
 
-    @api.multi
     def generate_random_barcode(self):
         for employee in self:
             employee.barcode = "".join(choice(digits) for i in range(8))
@@ -392,7 +385,6 @@ class HrEmployeePrivate(models.Model):
     def _message_log(self, **kwargs):
         return super(HrEmployeePrivate, self._post_author())._message_log(**kwargs)
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, *args, **kwargs):
         return super(HrEmployeePrivate, self._post_author()).message_post(*args, **kwargs)
diff --git a/addons/hr/models/hr_job.py b/addons/hr/models/hr_job.py
index d181a0b18f0c3e2b22dd395a4a5b4d5cd612ac33..a10b9fd86b65ed8598294ca44b0f644cc7f529a3 100644
--- a/addons/hr/models/hr_job.py
+++ b/addons/hr/models/hr_job.py
@@ -46,7 +46,6 @@ class Job(models.Model):
         """ We don't want the current user to be follower of all created job """
         return super(Job, self.with_context(mail_create_nosubscribe=True)).create(values)
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         self.ensure_one()
@@ -55,14 +54,12 @@ class Job(models.Model):
             default['name'] = _("%s (copy)") % (self.name)
         return super(Job, self).copy(default=default)
 
-    @api.multi
     def set_recruit(self):
         for record in self:
             no_of_recruitment = 1 if record.no_of_recruitment == 0 else record.no_of_recruitment
             record.write({'state': 'recruit', 'no_of_recruitment': no_of_recruitment})
         return True
 
-    @api.multi
     def set_open(self):
         return self.write({
             'state': 'open',
diff --git a/addons/hr/models/res_partner.py b/addons/hr/models/res_partner.py
index 62f7c3f949a27f00b7374500f9b07d1c09349f0a..22d315aa68fff3b78a52c79d681e59ea75100956 100644
--- a/addons/hr/models/res_partner.py
+++ b/addons/hr/models/res_partner.py
@@ -22,7 +22,6 @@ class Partner(models.Model):
         except AccessError:
             return suggestions
 
-    @api.multi
     def name_get(self):
         """ Override to allow an employee to see its private address in his profile.
             This avoids to relax access rules on `res.parter` and to add an `ir.rule`.
diff --git a/addons/hr/models/res_users.py b/addons/hr/models/res_users.py
index c64f678070a055d568603b72bcc05d518707cdac..5615a17a6ec6120e23c174399352d11c5c15ba6d 100644
--- a/addons/hr/models/res_users.py
+++ b/addons/hr/models/res_users.py
@@ -139,7 +139,6 @@ class User(models.Model):
             self = self.sudo()
         return super(User, self).fields_view_get(view_id=view_id, view_type=view_type, toolbar=toolbar, submenu=submenu)
 
-    @api.multi
     def write(self, vals):
         """
         Synchronize user and its related employee
@@ -178,7 +177,6 @@ class User(models.Model):
         for user in self:
             user.employee_id = self.env['hr.employee'].search([('id', 'in', user.employee_ids.ids), ('company_id', '=', user.company_id.id)], limit=1)
 
-    @api.multi
     def action_create_employee(self):
         self.ensure_one()
         self.env['hr.employee'].create(dict(
diff --git a/addons/hr/wizard/hr_plan_wizard.py b/addons/hr/wizard/hr_plan_wizard.py
index e6644da9f0740dc902ac525b7624a331704e28ac..02e05023be14e7abaa2a82edb6d4fedf973fa556 100644
--- a/addons/hr/wizard/hr_plan_wizard.py
+++ b/addons/hr/wizard/hr_plan_wizard.py
@@ -19,7 +19,6 @@ class HrPlanWizard(models.TransientModel):
     plan_id = fields.Many2one('hr.plan', default=lambda self: self.env['hr.plan'].search([], limit=1))
     employee_id = fields.Many2one('hr.employee', string='Employee', required=True)
 
-    @api.multi
     def action_launch(self):
         for activity_type in self.plan_id.plan_activity_type_ids:
             self.env['mail.activity'].create({
diff --git a/addons/hr_attendance/models/hr_attendance.py b/addons/hr_attendance/models/hr_attendance.py
index 6b1550438a2f617e6190c1994ca5bb9147e255ba..f24ec171c2a5117e062536c37defa56dfd9629ba 100644
--- a/addons/hr_attendance/models/hr_attendance.py
+++ b/addons/hr_attendance/models/hr_attendance.py
@@ -19,7 +19,6 @@ class HrAttendance(models.Model):
     check_out = fields.Datetime(string="Check Out")
     worked_hours = fields.Float(string='Worked Hours', compute='_compute_worked_hours', store=True, readonly=True)
 
-    @api.multi
     def name_get(self):
         result = []
         for attendance in self:
@@ -97,7 +96,6 @@ class HrAttendance(models.Model):
                         'datetime': fields.Datetime.to_string(fields.Datetime.context_timestamp(self, fields.Datetime.from_string(last_attendance_before_check_out.check_in))),
                     })
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self):
         raise exceptions.UserError(_('You cannot duplicate an attendance.'))
diff --git a/addons/hr_attendance/models/hr_employee.py b/addons/hr_attendance/models/hr_employee.py
index fa5d788c210b94f0c9344f3f36cd933c5b03bb39..4af9d0f3442a8d82658e28cac8889ea64d88df23 100644
--- a/addons/hr_attendance/models/hr_employee.py
+++ b/addons/hr_attendance/models/hr_employee.py
@@ -88,7 +88,6 @@ class HrEmployeeBase(models.AbstractModel):
             return employee._attendance_action('hr_attendance.hr_attendance_action_kiosk_mode')
         return {'warning': _('No employee corresponding to barcode %(barcode)s') % {'barcode': barcode}}
 
-    @api.multi
     def attendance_manual(self, next_action, entered_pin=None):
         self.ensure_one()
         can_check_without_pin = not self.env.user.has_group('hr_attendance.group_hr_attendance_use_pin') or (self.user_id == self.env.user and entered_pin is None)
@@ -96,7 +95,6 @@ class HrEmployeeBase(models.AbstractModel):
             return self._attendance_action(next_action)
         return {'warning': _('Wrong PIN')}
 
-    @api.multi
     def _attendance_action(self, next_action):
         """ Changes the attendance of the employee.
             Returns an action to the check in/out message,
@@ -117,7 +115,6 @@ class HrEmployeeBase(models.AbstractModel):
         action_message['attendance'] = modified_attendance.read()[0]
         return {'action': action_message}
 
-    @api.multi
     def _attendance_action_change(self):
         """ Check In/Check Out action
             Check In: create a new attendance record
diff --git a/addons/hr_contract/models/hr_contract.py b/addons/hr_contract/models/hr_contract.py
index 9195bf138d6157af1b4f25e26914a7824c8155b8..b9a54ff2871a924450e85cc996969c01d2e4d369 100644
--- a/addons/hr_contract/models/hr_contract.py
+++ b/addons/hr_contract/models/hr_contract.py
@@ -137,7 +137,6 @@ class Contract(models.Model):
         for contract in self:
             contract.employee_id.sudo().write({'contract_id': contract.id})
 
-    @api.multi
     def write(self, vals):
         res = super(Contract, self).write(vals)
         if vals.get('state') == 'open':
@@ -163,7 +162,6 @@ class Contract(models.Model):
             contract.employee_id.resource_calendar_id = contract.resource_calendar_id
         return contracts
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'state' in init_values and self.state == 'open' and 'kanban_state' in init_values and self.kanban_state == 'blocked':
diff --git a/addons/hr_contract/models/resource.py b/addons/hr_contract/models/resource.py
index 9382b7e5217335175b687c06c0eb36e8f94aba70..865e8733318b30ebc6fecf6366633c09a433d542 100644
--- a/addons/hr_contract/models/resource.py
+++ b/addons/hr_contract/models/resource.py
@@ -9,7 +9,6 @@ from odoo.osv.expression import AND
 class ResourceCalendar(models.Model):
     _inherit = 'resource.calendar'
 
-    @api.multi
     def transfer_leaves_to(self, other_calendar, resources=None, from_date=None):
         """
             Transfer some resource.calendar.leaves from 'self' to another calendar 'other_calendar'.
diff --git a/addons/hr_expense/models/account_journal_dashboard.py b/addons/hr_expense/models/account_journal_dashboard.py
index 809d0ac6197613ce595072cbde65f9d246566e4b..a41198f30f95e8371df629c501939437d8bab525 100644
--- a/addons/hr_expense/models/account_journal_dashboard.py
+++ b/addons/hr_expense/models/account_journal_dashboard.py
@@ -20,7 +20,6 @@ class AccountJournal(models.Model):
                   and journal_id = %(journal_id)s"""
         return (query, {'journal_id': self.id})
 
-    @api.multi
     def get_journal_dashboard_datas(self):
         res = super(AccountJournal, self).get_journal_dashboard_datas()
         #add the number and sum of expenses to pay to the json defining the accounting dashboard data
@@ -32,7 +31,6 @@ class AccountJournal(models.Model):
         res['sum_expenses_to_pay'] = formatLang(self.env, sum_to_pay or 0.0, currency_obj=self.currency_id or self.company_id.currency_id)
         return res
 
-    @api.multi
     def open_expenses_action(self):
         [action] = self.env.ref('hr_expense.action_hr_expense_sheet_all_all').read()
         action['context'] = {
diff --git a/addons/hr_expense/models/account_move_line.py b/addons/hr_expense/models/account_move_line.py
index 49ddacba873201d7fb329ade7fcbbbfcbcad972c..b920de82957a4b32a78f299fb1895b6a1138f74f 100644
--- a/addons/hr_expense/models/account_move_line.py
+++ b/addons/hr_expense/models/account_move_line.py
@@ -10,7 +10,6 @@ class AccountMoveLine(models.Model):
 
     expense_id = fields.Many2one('hr.expense', string='Expense', copy=False, help="Expense where the move line come from")
 
-    @api.multi
     def reconcile(self, writeoff_acc_id=False, writeoff_journal_id=False):
         res = super(AccountMoveLine, self).reconcile(writeoff_acc_id=writeoff_acc_id, writeoff_journal_id=writeoff_journal_id)
         account_move_ids = [l.move_id.id for l in self if float_compare(l.move_id._get_cash_basis_matched_percentage(), 1, precision_digits=5) == 0]
diff --git a/addons/hr_expense/models/hr_expense.py b/addons/hr_expense/models/hr_expense.py
index a9ee31940160b081d8f8c895b6d10a03684c131f..d249f35232c6bc46a273e2125a0740a055877455 100644
--- a/addons/hr_expense/models/hr_expense.py
+++ b/addons/hr_expense/models/hr_expense.py
@@ -112,7 +112,6 @@ class HrExpense(models.Model):
                     expense.company_id, date_expense or fields.Date.today())
             expense.total_amount_company = amount
 
-    @api.multi
     def _compute_attachment_number(self):
         attachment_data = self.env['ir.attachment'].read_group([('res_model', '=', 'hr.expense'), ('res_id', 'in', self.ids)], ['res_id'], ['res_id'])
         attachment = dict((data['res_id'], data['res_id_count']) for data in attachment_data)
@@ -163,14 +162,12 @@ class HrExpense(models.Model):
     # ORM Overrides
     # ----------------------------------------
 
-    @api.multi
     def unlink(self):
         for expense in self:
             if expense.state in ['done', 'approved']:
                 raise UserError(_('You cannot delete a posted or approved expense.'))
         return super(HrExpense, self).unlink()
 
-    @api.multi
     def write(self, vals):
         if 'tax_ids' in vals or 'analytic_account_id' in vals or 'account_id' in vals:
             if any(not expense.is_editable for expense in self):
@@ -198,7 +195,6 @@ class HrExpense(models.Model):
     # Actions
     # ----------------------------------------
 
-    @api.multi
     def action_view_sheet(self):
         self.ensure_one()
         return {
@@ -209,7 +205,6 @@ class HrExpense(models.Model):
             'res_id': self.sheet_id.id
         }
 
-    @api.multi
     def action_submit_expenses(self):
         if any(expense.state != 'draft' or expense.sheet_id for expense in self):
             raise UserError(_("You cannot report twice the same line!"))
@@ -230,7 +225,6 @@ class HrExpense(models.Model):
             }
         }
 
-    @api.multi
     def action_get_attachment_view(self):
         self.ensure_one()
         res = self.env['ir.actions.act_window'].for_xml_id('base', 'action_attachment')
@@ -242,7 +236,6 @@ class HrExpense(models.Model):
     # Business
     # ----------------------------------------
 
-    @api.multi
     def _prepare_move_values(self):
         """
         This function prepares move values related to an expense
@@ -261,7 +254,6 @@ class HrExpense(models.Model):
         }
         return move_values
 
-    @api.multi
     def _get_account_move_by_sheet(self):
         """ Return a mapping between the expense sheet of current expense and its account move
             :returns dict where key is a sheet id, and value is an account move record
@@ -277,7 +269,6 @@ class HrExpense(models.Model):
                 move = move_grouped_by_sheet[expense.sheet_id.id]
         return move_grouped_by_sheet
 
-    @api.multi
     def _get_expense_account_source(self):
         self.ensure_one()
         if self.account_id:
@@ -293,7 +284,6 @@ class HrExpense(models.Model):
                 raise UserError(_('Please configure Default Expense account for Product expense: `property_account_expense_categ_id`.'))
         return account
 
-    @api.multi
     def _get_expense_account_destination(self):
         self.ensure_one()
         account_dest = self.env['account.account']
@@ -307,7 +297,6 @@ class HrExpense(models.Model):
             account_dest = self.employee_id.address_home_id.property_account_payable_id.id
         return account_dest
 
-    @api.multi
     def _get_account_move_line_values(self):
         move_line_values_by_expense = {}
         for expense in self:
@@ -392,7 +381,6 @@ class HrExpense(models.Model):
             move_line_values_by_expense[expense.id] = move_line_values
         return move_line_values_by_expense
 
-    @api.multi
     def action_move_create(self):
         '''
         main function that is called when trying to create the accounting entries related to an expense
@@ -449,7 +437,6 @@ class HrExpense(models.Model):
 
         return move_group_by_sheet
 
-    @api.multi
     def refuse_expense(self, reason):
         self.write({'is_refused': True})
         self.sheet_id.write({'state': 'cancel'})
@@ -648,7 +635,6 @@ class HrExpenseSheet(models.Model):
         for sheet in self:
             sheet.total_amount = sum(sheet.expense_line_ids.mapped('total_amount_company'))
 
-    @api.multi
     def _compute_attachment_number(self):
         for sheet in self:
             sheet.attachment_number = sum(sheet.expense_line_ids.mapped('attachment_number'))
@@ -658,7 +644,6 @@ class HrExpenseSheet(models.Model):
         for sheet in self:
             sheet.is_multiple_currency = len(sheet.expense_line_ids.mapped('currency_id')) > 1
 
-    @api.multi
     def _compute_can_reset(self):
         is_expense_user = self.user_has_groups('hr_expense.group_hr_expense_team_approver')
         for sheet in self:
@@ -670,7 +655,6 @@ class HrExpenseSheet(models.Model):
         self.department_id = self.employee_id.department_id
         self.user_id = self.employee_id.expense_manager_id or self.employee_id.parent_id.user_id
 
-    @api.multi
     @api.constrains('expense_line_ids')
     def _check_payment_mode(self):
         for sheet in self:
@@ -691,7 +675,6 @@ class HrExpenseSheet(models.Model):
         sheet.activity_update()
         return sheet
 
-    @api.multi
     def unlink(self):
         for expense in self:
             if expense.state in ['post', 'done']:
@@ -702,7 +685,6 @@ class HrExpenseSheet(models.Model):
     # Mail Thread
     # --------------------------------------------
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'state' in init_values and self.state == 'approve':
@@ -725,7 +707,6 @@ class HrExpenseSheet(models.Model):
     # Actions
     # --------------------------------------------
 
-    @api.multi
     def action_sheet_move_create(self):
         if any(sheet.state != 'approve' for sheet in self):
             raise UserError(_("You can only generate accounting entry for approved expense(s)."))
@@ -747,7 +728,6 @@ class HrExpenseSheet(models.Model):
         self.activity_update()
         return res
 
-    @api.multi
     def action_get_attachment_view(self):
         res = self.env['ir.actions.act_window'].for_xml_id('base', 'action_attachment')
         res['domain'] = [('res_model', '=', 'hr.expense'), ('res_id', 'in', self.expense_line_ids.ids)]
@@ -763,16 +743,13 @@ class HrExpenseSheet(models.Model):
     # Business
     # --------------------------------------------
 
-    @api.multi
     def set_to_paid(self):
         self.write({'state': 'done'})
 
-    @api.multi
     def action_submit_sheet(self):
         self.write({'state': 'submit'})
         self.activity_update()
 
-    @api.multi
     def approve_expense_sheets(self):
         if not self.user_has_groups('hr_expense.group_hr_expense_team_approver'):
             raise UserError(_("Only Managers and HR Officers can approve expenses"))
@@ -789,11 +766,9 @@ class HrExpenseSheet(models.Model):
         self.write({'state': 'approve', 'user_id': responsible_id})
         self.activity_update()
 
-    @api.multi
     def paid_expense_sheets(self):
         self.write({'state': 'done'})
 
-    @api.multi
     def refuse_sheet(self, reason):
         if not self.user_has_groups('hr_expense.group_hr_expense_team_approver'):
             raise UserError(_("Only Managers and HR Officers can approve expenses"))
@@ -811,7 +786,6 @@ class HrExpenseSheet(models.Model):
             sheet.message_post_with_view('hr_expense.hr_expense_template_refuse_reason', values={'reason': reason, 'is_sheet': True, 'name': self.name})
         self.activity_update()
 
-    @api.multi
     def reset_expense_sheets(self):
         if not self.can_reset:
             raise UserError(_("Only HR Officers or the concerned employee can reset to draft."))
diff --git a/addons/hr_expense/models/res_config_settings.py b/addons/hr_expense/models/res_config_settings.py
index 43c4de7ef091afa6959fc2d01af5ebec107b2914..1dfe455cad937c51d8e6b8a0d89296d3f6a0e32b 100644
--- a/addons/hr_expense/models/res_config_settings.py
+++ b/addons/hr_expense/models/res_config_settings.py
@@ -20,7 +20,6 @@ class ResConfigSettings(models.TransientModel):
         )
         return res
 
-    @api.multi
     def set_values(self):
         super(ResConfigSettings, self).set_values()
         self.env.ref('hr_expense.mail_alias_expense').write({'alias_name': self.expense_alias_prefix})
diff --git a/addons/hr_expense/wizard/hr_expense_refuse_reason.py b/addons/hr_expense/wizard/hr_expense_refuse_reason.py
index 42613a3f0584a492b4f80d2b9f3fc9484f548beb..f457c039cae69265f32a1e168c416442d3648327 100644
--- a/addons/hr_expense/wizard/hr_expense_refuse_reason.py
+++ b/addons/hr_expense/wizard/hr_expense_refuse_reason.py
@@ -35,7 +35,6 @@ class HrExpenseRefuseWizard(models.TransientModel):
             })
         return res
 
-    @api.multi
     def expense_refuse_reason(self):
         self.ensure_one()
         if self.hr_expense_ids:
diff --git a/addons/hr_expense/wizard/hr_expense_sheet_register_payment.py b/addons/hr_expense/wizard/hr_expense_sheet_register_payment.py
index eaf0b8f7ac5c142e80412479f1c08b4f960ffda5..f8fbe16ab22335c63cf15ff5f9b498f63d0263ea 100644
--- a/addons/hr_expense/wizard/hr_expense_sheet_register_payment.py
+++ b/addons/hr_expense/wizard/hr_expense_sheet_register_payment.py
@@ -92,7 +92,6 @@ class HrExpenseSheetRegisterPaymentWizard(models.TransientModel):
             'communication': self.communication
         }
 
-    @api.multi
     def expense_post_payment(self):
         self.ensure_one()
         context = dict(self._context or {})
diff --git a/addons/hr_gamification/models/gamification.py b/addons/hr_gamification/models/gamification.py
index 13423a6b7fe6165fb0a4771e9930ca1d5d43bc87..6f9dba1777ffa1a4774f9b0cdd1ce4b4a3fa61ac 100644
--- a/addons/hr_gamification/models/gamification.py
+++ b/addons/hr_gamification/models/gamification.py
@@ -31,7 +31,6 @@ class GamificationBadge(models.Model):
                 ('employee_id', '!=', False)
             ])
 
-    @api.multi
     def get_granted_employees(self):
         employee_ids = self.mapped('owner_ids.employee_id').ids
         return {
diff --git a/addons/hr_gamification/wizard/gamification_badge_user_wizard.py b/addons/hr_gamification/wizard/gamification_badge_user_wizard.py
index 7c4c174129f3eb45dc2afabff2a5d61dea0bc3d7..6bb1370be80223deac064b6ffe34448cc3d2355b 100644
--- a/addons/hr_gamification/wizard/gamification_badge_user_wizard.py
+++ b/addons/hr_gamification/wizard/gamification_badge_user_wizard.py
@@ -12,7 +12,6 @@ class GamificationBadgeUserWizard(models.TransientModel):
     user_id = fields.Many2one('res.users', string='User', related='employee_id.user_id',
         store=False, readonly=True, compute_sudo=True)
 
-    @api.multi
     def action_grant_badge(self):
         """Wizard action for sending a badge to a chosen employee"""
         if not self.user_id:
diff --git a/addons/hr_holidays/models/hr_department.py b/addons/hr_holidays/models/hr_department.py
index 44675d836ba11fab5968b0495ff7a3c25013f6e3..d076113ec55a49e74752da2029dc49e0bebc910f 100644
--- a/addons/hr_holidays/models/hr_department.py
+++ b/addons/hr_holidays/models/hr_department.py
@@ -20,7 +20,6 @@ class Department(models.Model):
     total_employee = fields.Integer(
         compute='_compute_total_employee', string='Total Employee')
 
-    @api.multi
     def _compute_leave_count(self):
         Requests = self.env['hr.leave']
         Allocations = self.env['hr.leave.allocation']
@@ -50,7 +49,6 @@ class Department(models.Model):
             department.allocation_to_approve_count = res_allocation.get(department.id, 0)
             department.absence_of_today = res_absence.get(department.id, 0)
 
-    @api.multi
     def _compute_total_employee(self):
         emp_data = self.env['hr.employee'].read_group([('department_id', 'in', self.ids)], ['department_id'], ['department_id'])
         result = dict((data['department_id'][0], data['department_id_count']) for data in emp_data)
diff --git a/addons/hr_holidays/models/hr_employee.py b/addons/hr_holidays/models/hr_employee.py
index a79ad7eb3074bb34f857fe7069511fc3acb6c887..a10b3349d23539381e5ecb267041c85a3e67a1b6 100644
--- a/addons/hr_holidays/models/hr_employee.py
+++ b/addons/hr_holidays/models/hr_employee.py
@@ -69,7 +69,6 @@ class HrEmployeeBase(models.AbstractModel):
             GROUP BY h.employee_id""", (tuple(self.ids),))
         return dict((row['employee_id'], row['days']) for row in self._cr.dictfetchall())
 
-    @api.multi
     def _compute_remaining_leaves(self):
         remaining = self._get_remaining_leaves()
         for employee in self:
@@ -77,7 +76,6 @@ class HrEmployeeBase(models.AbstractModel):
             employee.leaves_count = value
             employee.remaining_leaves = value
 
-    @api.multi
     def _compute_allocation_count(self):
         for employee in self:
             allocations = self.env['hr.leave.allocation'].search([
@@ -98,7 +96,6 @@ class HrEmployeeBase(models.AbstractModel):
         employees = self.filtered(lambda employee: employee.hr_presence_state != 'present' and employee.is_absent)
         employees.update({'hr_presence_state': 'absent'})
 
-    @api.multi
     def _compute_leave_status(self):
         # Used SUPERUSER_ID to forcefully get status of other user's leave, to bypass record rule
         holidays = self.env['hr.leave'].sudo().search([
@@ -130,7 +127,6 @@ class HrEmployeeBase(models.AbstractModel):
         if manager and manager.has_group('hr.group_hr_user') and (self.leave_manager_id == previous_manager or not self.leave_manager_id):
             self.leave_manager_id = manager
 
-    @api.multi
     def _compute_show_leaves(self):
         show_leaves = self.env['res.users'].has_group('hr_holidays.group_hr_holidays_user')
         for employee in self:
@@ -139,7 +135,6 @@ class HrEmployeeBase(models.AbstractModel):
             else:
                 employee.show_leaves = False
 
-    @api.multi
     def _search_absent_employee(self, operator, value):
         holidays = self.env['hr.leave'].sudo().search([
             ('employee_id', '!=', False),
diff --git a/addons/hr_holidays/models/hr_leave.py b/addons/hr_holidays/models/hr_leave.py
index 8deda82c3f4f8117e7117c741010ae1f93c1f4b0..05b172894f0ad85de4cf1635b4e99f56f1f192e9 100644
--- a/addons/hr_holidays/models/hr_leave.py
+++ b/addons/hr_holidays/models/hr_leave.py
@@ -383,7 +383,6 @@ class HolidaysRequest(models.Model):
             self.mode_company_id = False
             self.department_id = False
 
-    @api.multi
     def _sync_employee_details(self):
         for holiday in self:
             holiday.manager_id = holiday.employee_id.parent_id.id
@@ -402,7 +401,6 @@ class HolidaysRequest(models.Model):
         else:
             self.number_of_days = 0
 
-    @api.multi
     @api.depends('number_of_days')
     def _compute_number_of_days_display(self):
         for holiday in self:
@@ -412,7 +410,6 @@ class HolidaysRequest(models.Model):
         self.ensure_one()
         return self.employee_id.resource_calendar_id or self.env.company.resource_calendar_id
 
-    @api.multi
     @api.depends('number_of_days')
     def _compute_number_of_hours_display(self):
         for holiday in self:
@@ -423,7 +420,6 @@ class HolidaysRequest(models.Model):
             else:
                 holiday.number_of_hours_display = 0
 
-    @api.multi
     @api.depends('number_of_hours_display', 'number_of_days_display')
     def _compute_duration_display(self):
         for leave in self:
@@ -433,7 +429,6 @@ class HolidaysRequest(models.Model):
                 else float_round(leave.number_of_days_display, precision_digits=2)),
                 _('hours') if leave.leave_type_request_unit == 'hour' else _('days'))
 
-    @api.multi
     @api.depends('state', 'employee_id', 'department_id')
     def _compute_can_reset(self):
         for holiday in self:
@@ -501,7 +496,6 @@ class HolidaysRequest(models.Model):
     # ORM Overrides methods
     ####################################################
 
-    @api.multi
     def name_get(self):
         res = []
         for leave in self:
@@ -533,13 +527,11 @@ class HolidaysRequest(models.Model):
                     )
         return res
 
-    @api.multi
     def add_follower(self, employee_id):
         employee = self.env['hr.employee'].browse(employee_id)
         if employee.user_id:
             self.message_subscribe(partner_ids=employee.user_id.partner_id.ids)
 
-    @api.multi
     @api.constrains('holiday_status_id', 'date_to', 'date_from')
     def _check_leave_type_validity(self):
         for leave in self:
@@ -609,7 +601,6 @@ class HolidaysRequest(models.Model):
                         # skip SpecialValue (e.g. for missing record or access right)
                         pass
 
-    @api.multi
     def write(self, values):
         # Allow an employee to always write his own out of office message
         if len(self) == 1 and values.keys() == {'out_of_office_message'} and self.employee_id.user_id == self.env.user:
@@ -628,13 +619,11 @@ class HolidaysRequest(models.Model):
                     holiday._onchange_leave_dates()
         return result
 
-    @api.multi
     def unlink(self):
         for holiday in self.filtered(lambda holiday: holiday.state not in ['draft', 'cancel', 'confirm']):
             raise UserError(_('You cannot delete a time off which is in %s state.') % (holiday.state,))
         return super(HolidaysRequest, self).unlink()
 
-    @api.multi
     def copy_data(self, default=None):
         raise UserError(_('A leave cannot be duplicated.'))
 
@@ -645,7 +634,6 @@ class HolidaysRequest(models.Model):
     # Business methods
     ####################################################
 
-    @api.multi
     def _create_resource_leave(self):
         """ This method will create entry in resource calendar time off object at the time of holidays validated
         :returns: created `resource.calendar.leaves`
@@ -666,7 +654,6 @@ class HolidaysRequest(models.Model):
             })
         return self.env['resource.calendar.leaves'].create(vals_list)
 
-    @api.multi
     def _remove_resource_leave(self):
         """ This method will create entry in resource calendar time off object at the time of holidays cancel/removed """
         return self.env['resource.calendar.leaves'].search([('holiday_id', 'in', self.ids)]).unlink()
@@ -681,7 +668,6 @@ class HolidaysRequest(models.Model):
             meeting = self.env['calendar.event'].with_context(no_mail_to_attendees=True).create(meeting_values)
             holiday.write({'meeting_id': meeting.id})
 
-    @api.multi
     def _prepare_holidays_meeting_values(self):
         self.ensure_one()
         calendar = self.employee_id.resource_calendar_id or self.env.company.resource_calendar_id
@@ -703,7 +689,6 @@ class HolidaysRequest(models.Model):
                 (4, self.user_id.partner_id.id)]
         return meeting_values
 
-    @api.multi
     def _prepare_holiday_values(self, employee):
         self.ensure_one()
         values = {
@@ -721,7 +706,6 @@ class HolidaysRequest(models.Model):
         }
         return values
 
-    @api.multi
     def action_draft(self):
         for holiday in self:
             if holiday.state not in ['confirm', 'refuse']:
@@ -738,7 +722,6 @@ class HolidaysRequest(models.Model):
         self.activity_update()
         return True
 
-    @api.multi
     def action_confirm(self):
         if self.filtered(lambda holiday: holiday.state != 'draft'):
             raise UserError(_('Time off request must be in Draft state ("To Submit") in order to confirm it.'))
@@ -746,7 +729,6 @@ class HolidaysRequest(models.Model):
         self.activity_update()
         return True
 
-    @api.multi
     def action_approve(self):
         # if validation_type == 'both': this method is the first approval approval
         # if validation_type != 'both': this method calls action_validate() below
@@ -760,7 +742,6 @@ class HolidaysRequest(models.Model):
             self.activity_update()
         return True
 
-    @api.multi
     def action_validate(self):
         current_employee = self.env['hr.employee'].search([('user_id', '=', self.env.uid)], limit=1)
         if any(holiday.state not in ['confirm', 'validate1'] for holiday in self):
@@ -799,7 +780,6 @@ class HolidaysRequest(models.Model):
             employee_requests.filtered(lambda holiday: holiday.validation_type != 'no_validation').activity_update()
         return True
 
-    @api.multi
     def action_refuse(self):
         current_employee = self.env['hr.employee'].search([('user_id', '=', self.env.uid)], limit=1)
         for holiday in self:
@@ -912,14 +892,12 @@ class HolidaysRequest(models.Model):
     # Messaging methods
     ####################################################
 
-    @api.multi
     def _track_subtype(self, init_values):
         if 'state' in init_values and self.state == 'validate':
             leave_notif_subtype = self.holiday_status_id.leave_notif_subtype_id
             return leave_notif_subtype or self.env.ref('hr_holidays.mt_leave')
         return super(HolidaysRequest, self)._track_subtype(init_values)
 
-    @api.multi
     def _notify_get_groups(self):
         """ Handle HR users and officers recipients that can validate or refuse holidays
         directly from email. """
@@ -942,7 +920,6 @@ class HolidaysRequest(models.Model):
 
         return [new_group] + groups
 
-    @api.multi
     def message_subscribe(self, partner_ids=None, channel_ids=None, subtype_ids=None):
         # due to record rule can not allow to add follower and mention on validated leave so subscribe through sudo
         if self.state in ['validate', 'validate1']:
diff --git a/addons/hr_holidays/models/hr_leave_allocation.py b/addons/hr_holidays/models/hr_leave_allocation.py
index 6b87fb8c8f63db4a3c07438306d38480cc09441f..a5f4f32c6469f6815372495a5a24e6f59f174377 100644
--- a/addons/hr_holidays/models/hr_leave_allocation.py
+++ b/addons/hr_holidays/models/hr_leave_allocation.py
@@ -200,7 +200,6 @@ class HolidaysAllocation(models.Model):
 
             holiday.write(values)
 
-    @api.multi
     @api.depends('employee_id', 'holiday_status_id')
     def _compute_leaves(self):
         for allocation in self:
@@ -208,13 +207,11 @@ class HolidaysAllocation(models.Model):
             allocation.max_leaves = leave_type.max_leaves
             allocation.leaves_taken = leave_type.leaves_taken
 
-    @api.multi
     @api.depends('number_of_days')
     def _compute_number_of_days_display(self):
         for allocation in self:
             allocation.number_of_days_display = allocation.number_of_days
 
-    @api.multi
     @api.depends('number_of_days', 'employee_id')
     def _compute_number_of_hours_display(self):
         for allocation in self:
@@ -223,7 +220,6 @@ class HolidaysAllocation(models.Model):
             else:
                 allocation.number_of_hours_display = allocation.number_of_days * (allocation.employee_id.resource_calendar_id.hours_per_day or HOURS_PER_DAY)
 
-    @api.multi
     @api.depends('number_of_hours_display', 'number_of_days_display')
     def _compute_duration_display(self):
         for allocation in self:
@@ -233,7 +229,6 @@ class HolidaysAllocation(models.Model):
                 else float_round(allocation.number_of_days_display, precision_digits=2)),
                 _('hours') if allocation.type_request_unit == 'hour' else _('days'))
 
-    @api.multi
     @api.depends('state', 'employee_id', 'department_id')
     def _compute_can_reset(self):
         for allocation in self:
@@ -257,13 +252,11 @@ class HolidaysAllocation(models.Model):
             else:
                 allocation.can_approve = True
 
-    @api.multi
     @api.onchange('number_of_hours_display')
     def _onchange_number_of_hours_display(self):
         for allocation in self:
             allocation.number_of_days = allocation.number_of_hours_display / (allocation.employee_id.resource_calendar_id.hours_per_day or HOURS_PER_DAY)
 
-    @api.multi
     @api.onchange('number_of_days_display')
     def _onchange_number_of_days_display(self):
         for allocation in self:
@@ -322,7 +315,6 @@ class HolidaysAllocation(models.Model):
     # ORM Overrides methods
     ####################################################
 
-    @api.multi
     def name_get(self):
         res = []
         for allocation in self:
@@ -345,13 +337,11 @@ class HolidaysAllocation(models.Model):
             )
         return res
 
-    @api.multi
     def add_follower(self, employee_id):
         employee = self.env['hr.employee'].browse(employee_id)
         if employee.user_id:
             self.message_subscribe(partner_ids=employee.user_id.partner_id.ids)
 
-    @api.multi
     @api.constrains('holiday_status_id')
     def _check_leave_type_validity(self):
         for allocation in self:
@@ -381,7 +371,6 @@ class HolidaysAllocation(models.Model):
         holiday.activity_update()
         return holiday
 
-    @api.multi
     def write(self, values):
         employee_id = values.get('employee_id', False)
         if values.get('state'):
@@ -392,13 +381,11 @@ class HolidaysAllocation(models.Model):
             self._onchange_employee()
         return result
 
-    @api.multi
     def unlink(self):
         for holiday in self.filtered(lambda holiday: holiday.state not in ['draft', 'cancel', 'confirm']):
             raise UserError(_('You cannot delete a time off which is in %s state.') % (holiday.state,))
         return super(HolidaysAllocation, self).unlink()
 
-    @api.multi
     def copy_data(self, default=None):
         raise UserError(_('A time off cannot be duplicated.'))
 
@@ -409,7 +396,6 @@ class HolidaysAllocation(models.Model):
     # Business methods
     ####################################################
 
-    @api.multi
     def _prepare_holiday_values(self, employee):
         self.ensure_one()
         values = {
@@ -429,7 +415,6 @@ class HolidaysAllocation(models.Model):
         }
         return values
 
-    @api.multi
     def action_draft(self):
         for holiday in self:
             if holiday.state not in ['confirm', 'refuse']:
@@ -446,7 +431,6 @@ class HolidaysAllocation(models.Model):
         self.activity_update()
         return True
 
-    @api.multi
     def action_confirm(self):
         if self.filtered(lambda holiday: holiday.state != 'draft'):
             raise UserError(_('Time off request must be in Draft state ("To Submit") in order to confirm it.'))
@@ -454,7 +438,6 @@ class HolidaysAllocation(models.Model):
         self.activity_update()
         return res
 
-    @api.multi
     def action_approve(self):
         # if validation_type == 'both': this method is the first approval approval
         # if validation_type != 'both': this method calls action_validate() below
@@ -468,7 +451,6 @@ class HolidaysAllocation(models.Model):
         self.activity_update()
         return True
 
-    @api.multi
     def action_validate(self):
         current_employee = self.env['hr.employee'].search([('user_id', '=', self.env.uid)], limit=1)
         for holiday in self:
@@ -506,7 +488,6 @@ class HolidaysAllocation(models.Model):
                 childs.action_validate()
         return childs
 
-    @api.multi
     def action_refuse(self):
         current_employee = self.env['hr.employee'].search([('user_id', '=', self.env.uid)], limit=1)
         for holiday in self:
@@ -608,14 +589,12 @@ class HolidaysAllocation(models.Model):
     # Messaging methods
     ####################################################
 
-    @api.multi
     def _track_subtype(self, init_values):
         if 'state' in init_values and self.state == 'validate':
             allocation_notif_subtype_id = self.holiday_status_id.allocation_notif_subtype_id
             return allocation_notif_subtype_id or self.env.ref('hr_holidays.mt_leave_allocation')
         return super(HolidaysAllocation, self)._track_subtype(init_values)
 
-    @api.multi
     def _notify_get_groups(self):
         """ Handle HR users and officers recipients that can validate or refuse holidays
         directly from email. """
@@ -638,7 +617,6 @@ class HolidaysAllocation(models.Model):
 
         return [new_group] + groups
 
-    @api.multi
     def message_subscribe(self, partner_ids=None, channel_ids=None, subtype_ids=None):
         # due to record rule can not allow to add follower and mention on validated leave so subscribe through sudo
         if self.state in ['validate', 'validate1']:
diff --git a/addons/hr_holidays/models/hr_leave_type.py b/addons/hr_holidays/models/hr_leave_type.py
index f12be3ebee54d2c56ecefa6f05466c3a9e62a146..ac890454a9eb189fa48819a89ac1f99e919cb8c6 100644
--- a/addons/hr_holidays/models/hr_leave_type.py
+++ b/addons/hr_holidays/models/hr_leave_type.py
@@ -92,7 +92,6 @@ class HolidaysType(models.Model):
     leave_notif_subtype_id = fields.Many2one('mail.message.subtype', string='Time Off Notification Subtype', default=lambda self: self.env.ref('hr_holidays.mt_leave', raise_if_not_found=False))
     allocation_notif_subtype_id = fields.Many2one('mail.message.subtype', string='Allocation Notification Subtype', default=lambda self: self.env.ref('hr_holidays.mt_leave_allocation', raise_if_not_found=False))
 
-    @api.multi
     @api.constrains('validity_start', 'validity_stop')
     def _check_validity_dates(self):
         for leave_type in self:
@@ -100,7 +99,6 @@ class HolidaysType(models.Model):
                leave_type.validity_start > leave_type.validity_stop:
                 raise ValidationError(_("End of validity period should be greater than start of validity period"))
 
-    @api.multi
     @api.depends('validity_start', 'validity_stop')
     def _compute_valid(self):
         dt = self._context.get('default_date_from') or fields.Date.context_today(self)
@@ -151,7 +149,6 @@ class HolidaysType(models.Model):
 
         return [('id', 'in', valid_leave)]
 
-    @api.multi
     def get_days(self, employee_id):
         # need to use `dict` constructor to create a dict per id
         result = dict((id, dict(max_leaves=0, leaves_taken=0, remaining_leaves=0, virtual_remaining_leaves=0)) for id in self.ids)
@@ -221,7 +218,6 @@ class HolidaysType(models.Model):
             employee_id = self.env['hr.employee'].search([('user_id', '=', self.env.user.id), ('company_id', '=', self.env.company.id)], limit=1).id
         return employee_id
 
-    @api.multi
     def _compute_leaves(self):
         data_days = {}
         employee_id = self._get_contextual_employee_id()
@@ -236,7 +232,6 @@ class HolidaysType(models.Model):
             holiday_status.remaining_leaves = result.get('remaining_leaves', 0)
             holiday_status.virtual_remaining_leaves = result.get('virtual_remaining_leaves', 0)
 
-    @api.multi
     def _compute_group_days_allocation(self):
         domain = [
             ('holiday_status_id', 'in', self.ids),
@@ -257,7 +252,6 @@ class HolidaysType(models.Model):
         for allocation in self:
             allocation.group_days_allocation = grouped_dict.get(allocation.id, 0)
 
-    @api.multi
     def _compute_group_days_leave(self):
         grouped_res = self.env['hr.leave'].read_group(
             [('holiday_status_id', 'in', self.ids), ('holiday_type', '=', 'employee'), ('state', '=', 'validate'),
@@ -269,7 +263,6 @@ class HolidaysType(models.Model):
         for allocation in self:
             allocation.group_days_leave = grouped_dict.get(allocation.id, 0)
 
-    @api.multi
     def name_get(self):
         if not self._context.get('employee_id'):
             # leave counts is based on employee_id, would be inaccurate if not based on correct employee
@@ -309,7 +302,6 @@ class HolidaysType(models.Model):
             return leaves.sorted(key=sort_key, reverse=True).ids
         return leave_ids
 
-    @api.multi
     def action_see_days_allocated(self):
         self.ensure_one()
         action = self.env.ref('hr_holidays.hr_leave_allocation_action_all').read()[0]
@@ -329,7 +321,6 @@ class HolidaysType(models.Model):
         }
         return action
 
-    @api.multi
     def action_see_group_leaves(self):
         self.ensure_one()
         action = self.env.ref('hr_holidays.hr_leave_action_all').read()[0]
diff --git a/addons/hr_holidays/models/mail_channel.py b/addons/hr_holidays/models/mail_channel.py
index 3d5992dd85669fe35288dd9897aaf62d3a4598a6..8342aeb54ebe758258b5742f354c7b29e12fb79a 100644
--- a/addons/hr_holidays/models/mail_channel.py
+++ b/addons/hr_holidays/models/mail_channel.py
@@ -7,7 +7,6 @@ from odoo import api, fields, models
 class Channel(models.Model):
     _inherit = 'mail.channel'
 
-    @api.multi
     def partner_info(self, all_partners, direct_partners):
         partner_infos = super(Channel, self).partner_info(all_partners, direct_partners)
         # only search for leave out_of_office_message if im_status is on leave
diff --git a/addons/hr_holidays/models/mail_message_subtype.py b/addons/hr_holidays/models/mail_message_subtype.py
index 78d0c394ad5fa3a516ad797f92a647f34b650b47..f650ec1a898a7d3894dc9d0121f99d7f2e64a93a 100644
--- a/addons/hr_holidays/models/mail_message_subtype.py
+++ b/addons/hr_holidays/models/mail_message_subtype.py
@@ -41,7 +41,6 @@ class MailMessageSubtype(models.Model):
             result._update_department_subtype()
         return result
 
-    @api.multi
     def write(self, vals):
         result = super(MailMessageSubtype, self).write(vals)
         self.filtered(
diff --git a/addons/hr_holidays/wizard/hr_holidays_summary_department.py b/addons/hr_holidays/wizard/hr_holidays_summary_department.py
index 3a6777cbfe1bf897c60cd1e28859c486626e6f60..995e9926a18da028801d5167d92ba4b4184923fb 100644
--- a/addons/hr_holidays/wizard/hr_holidays_summary_department.py
+++ b/addons/hr_holidays/wizard/hr_holidays_summary_department.py
@@ -19,7 +19,6 @@ class HolidaysSummaryDept(models.TransientModel):
         ('both', 'Both Approved and Confirmed')
     ], string='Time Off Type', required=True, default='Approved')
 
-    @api.multi
     def print_report(self):
         self.ensure_one()
         [data] = self.read()
diff --git a/addons/hr_holidays/wizard/hr_holidays_summary_employees.py b/addons/hr_holidays/wizard/hr_holidays_summary_employees.py
index b0ec45a585e85c13ae076dfc079dde55aa813c3b..fccc926996dd180c8313c9088bc8b5539bcb835d 100644
--- a/addons/hr_holidays/wizard/hr_holidays_summary_employees.py
+++ b/addons/hr_holidays/wizard/hr_holidays_summary_employees.py
@@ -18,7 +18,6 @@ class HolidaysSummaryEmployee(models.TransientModel):
         ('both', 'Both Approved and Confirmed')
     ], string='Select Time Off Type', required=True, default='Approved')
 
-    @api.multi
     def print_report(self):
         self.ensure_one()
         [data] = self.read()
diff --git a/addons/hr_maintenance/models/equipment.py b/addons/hr_maintenance/models/equipment.py
index 343a10c92f26d22666435d0fc4672e6ef151f3ae..a9dce11960ef0034c423bcbb00815cc6360eafd6 100644
--- a/addons/hr_maintenance/models/equipment.py
+++ b/addons/hr_maintenance/models/equipment.py
@@ -45,7 +45,6 @@ class MaintenanceEquipment(models.Model):
             equipment.message_subscribe(partner_ids=partner_ids)
         return equipment
 
-    @api.multi
     def write(self, vals):
         partner_ids = []
         # subscribe employee or department manager when equipment assign to employee or department.
@@ -61,7 +60,6 @@ class MaintenanceEquipment(models.Model):
             self.message_subscribe(partner_ids=partner_ids)
         return super(MaintenanceEquipment, self).write(vals)
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if ('employee_id' in init_values and self.employee_id) or ('department_id' in init_values and self.department_id):
@@ -109,7 +107,6 @@ class MaintenanceRequest(models.Model):
             result.message_subscribe(partner_ids=[result.employee_id.user_id.partner_id.id])
         return result
 
-    @api.multi
     def write(self, vals):
         if vals.get('employee_id'):
             employee = self.env['hr.employee'].browse(vals['employee_id'])
diff --git a/addons/hr_recruitment/models/hr_department.py b/addons/hr_recruitment/models/hr_department.py
index 020284c3f3bac27d00a41db8c5c0ef0bc0a1faca..66db1ca30b3d457779b8518154274b642e5e9094 100644
--- a/addons/hr_recruitment/models/hr_department.py
+++ b/addons/hr_recruitment/models/hr_department.py
@@ -13,7 +13,6 @@ class HrDepartment(models.Model):
     expected_employee = fields.Integer(
         compute='_compute_recruitment_stats', string='Expected Employee')
 
-    @api.multi
     def _compute_new_applicant_count(self):
         applicant_data = self.env['hr.applicant'].read_group(
             [('department_id', 'in', self.ids), ('stage_id.sequence', '<=', '1')],
@@ -22,7 +21,6 @@ class HrDepartment(models.Model):
         for department in self:
             department.new_applicant_count = result.get(department.id, 0)
 
-    @api.multi
     def _compute_recruitment_stats(self):
         job_data = self.env['hr.job'].read_group(
             [('department_id', 'in', self.ids)],
diff --git a/addons/hr_recruitment/models/hr_employee.py b/addons/hr_recruitment/models/hr_employee.py
index 73104b1a31f146e8a7e1008b94ef1022553e5c2e..e1b58cf9705ef1cfcda7d4625feaababace1c551 100644
--- a/addons/hr_recruitment/models/hr_employee.py
+++ b/addons/hr_recruitment/models/hr_employee.py
@@ -9,7 +9,6 @@ class HrEmployee(models.Model):
     newly_hired_employee = fields.Boolean('Newly hired employee', compute='_compute_newly_hired_employee',
                                           search='_search_newly_hired_employee')
 
-    @api.multi
     def _compute_newly_hired_employee(self):
         read_group_result = self.env['hr.applicant'].read_group(
             [('emp_id', 'in', self.ids), ('job_id.state', '=', 'recruit')],
diff --git a/addons/hr_recruitment/models/hr_job.py b/addons/hr_recruitment/models/hr_job.py
index b72e362c5b0b149fc04806a852816ea39e885a5f..9cfe5427e8f2acd0e222ce6c88f5ddffc0f4f96a 100644
--- a/addons/hr_recruitment/models/hr_job.py
+++ b/addons/hr_recruitment/models/hr_job.py
@@ -71,7 +71,6 @@ class Job(models.Model):
             job.document_ids = result[job.id]
             job.documents_count = len(job.document_ids)
 
-    @api.multi
     def _compute_application_count(self):
         read_group_result = self.env['hr.applicant'].read_group([('job_id', 'in', self.ids)], ['job_id'], ['job_id'])
         result = dict((data['job_id'][0], data['job_id_count']) for data in read_group_result)
@@ -111,11 +110,9 @@ class Job(models.Model):
         vals['favorite_user_ids'] = vals.get('favorite_user_ids', []) + [(4, self.env.uid)]
         return super(Job, self).create(vals)
 
-    @api.multi
     def _creation_subtype(self):
         return self.env.ref('hr_recruitment.mt_job_new')
 
-    @api.multi
     def action_get_attachment_tree_view(self):
         action = self.env.ref('base.action_attachment').read()[0]
         action['context'] = {
@@ -126,11 +123,9 @@ class Job(models.Model):
         action['domain'] = ['|', '&', ('res_model', '=', 'hr.job'), ('res_id', 'in', self.ids), '&', ('res_model', '=', 'hr.applicant'), ('res_id', 'in', self.mapped('application_ids').ids)]
         return action
 
-    @api.multi
     def close_dialog(self):
         return {'type': 'ir.actions.act_window_close'}
 
-    @api.multi
     def edit_dialog(self):
         form_view = self.env.ref('hr.view_hr_job_form')
         return {
diff --git a/addons/hr_recruitment/models/hr_recruitment.py b/addons/hr_recruitment/models/hr_recruitment.py
index 92cd84ca3cb0780024c35f67b96078863cd7529a..cb7c2f7101bb9f6f0b808720a92ad081e6c32ad5 100644
--- a/addons/hr_recruitment/models/hr_recruitment.py
+++ b/addons/hr_recruitment/models/hr_recruitment.py
@@ -24,7 +24,6 @@ class RecruitmentSource(models.Model):
     job_id = fields.Many2one('hr.job', "Job ID")
     alias_id = fields.Many2one('mail.alias', "Alias ID")
 
-    @api.multi
     def create_alias(self):
         campaign = self.env.ref('hr_recruitment.utm_campaign_job')
         medium = self.env.ref('utm.utm_medium_email')
@@ -194,7 +193,6 @@ class Applicant(models.Model):
         for applicant in self.filtered(lambda applicant: applicant.email_from):
             applicant.application_count = application_data_mapped.get(applicant.email_from, 1) - 1
 
-    @api.multi
     def _get_attachment_number(self):
         read_group_res = self.env['ir.attachment'].read_group(
             [('res_model', '=', 'hr.applicant'), ('res_id', 'in', self.ids)],
@@ -296,7 +294,6 @@ class Applicant(models.Model):
             vals.update(self._onchange_stage_id_internal(vals.get('stage_id'))['value'])
         return super(Applicant, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         # user_id change: update date_open
         if vals.get('user_id'):
@@ -320,14 +317,12 @@ class Applicant(models.Model):
                                                   empty_list_help_id=self.env.context.get('default_job_id'),
                                                   empty_list_help_document_name=_("job applicant"))).get_empty_list_help(help)
 
-    @api.multi
     def action_get_created_employee(self):
         self.ensure_one()
         action = self.env['ir.actions.act_window'].for_xml_id('hr', 'open_view_employee_list')
         action['res_id'] = self.mapped('emp_id').ids[0]
         return action
 
-    @api.multi
     def action_makeMeeting(self):
         """ This opens Meeting's calendar view to schedule meeting on current applicant
             @return: Dictionary value for created Meeting view
@@ -346,7 +341,6 @@ class Applicant(models.Model):
         }
         return res
 
-    @api.multi
     def action_get_attachment_tree_view(self):
         attachment_action = self.env.ref('base.action_attachment')
         action = attachment_action.read()[0]
@@ -355,7 +349,6 @@ class Applicant(models.Model):
         action['search_view_id'] = (self.env.ref('hr_recruitment.ir_attachment_view_search_inherit_hr_recruitment').id, )
         return action
 
-    @api.multi
     def action_applications_email(self):
         return {
             'type': 'ir.actions.act_window',
@@ -365,7 +358,6 @@ class Applicant(models.Model):
             'domain': [('email_from', 'in', self.mapped('email_from'))],
         }
 
-    @api.multi
     def _track_template(self, changes):
         res = super(Applicant, self)._track_template(changes)
         applicant = self[0]
@@ -377,11 +369,9 @@ class Applicant(models.Model):
             })
         return res
 
-    @api.multi
     def _creation_subtype(self):
         return self.env.ref('hr_recruitment.mt_applicant_new')
 
-    @api.multi
     def _track_subtype(self, init_values):
         record = self[0]
         if 'emp_id' in init_values and record.emp_id and record.emp_id.active:
@@ -390,7 +380,6 @@ class Applicant(models.Model):
             return self.env.ref('hr_recruitment.mt_applicant_stage_changed')
         return super(Applicant, self)._track_subtype(init_values)
 
-    @api.multi
     def _notify_get_reply_to(self, default=None, records=None, company=None, doc_names=None):
         """ Override to set alias of applicants to their job definition if any. """
         aliases = self.mapped('job_id')._notify_get_reply_to(default=default, records=None, company=company, doc_names=None)
@@ -400,7 +389,6 @@ class Applicant(models.Model):
             res.update(super(Applicant, leftover)._notify_get_reply_to(default=default, records=None, company=company, doc_names=doc_names))
         return res
 
-    @api.multi
     def _message_get_suggested_recipients(self):
         recipients = super(Applicant, self)._message_get_suggested_recipients()
         for applicant in self:
@@ -450,7 +438,6 @@ class Applicant(models.Model):
                     ('stage_id.fold', '=', False)]).write({'partner_id': new_partner.id})
         return super(Applicant, self)._message_post_after_hook(message, msg_vals)
 
-    @api.multi
     def create_employee_from_applicant(self):
         """ Create an hr.employee from the hr.applicants """
         employee = False
@@ -495,11 +482,9 @@ class Applicant(models.Model):
         dict_act_window['res_id'] = employee.id
         return dict_act_window
 
-    @api.multi
     def archive_applicant(self):
         self.write({'active': False})
 
-    @api.multi
     def reset_applicant(self):
         """ Reinsert the applicant into the recruitment pipe in the first stage"""
         default_stage_id = self._default_stage_id()
diff --git a/addons/hr_recruitment_survey/models/hr_applicant.py b/addons/hr_recruitment_survey/models/hr_applicant.py
index bd784622dc181a11a8fb4ca5f8b38dfd5bcaaf5d..22d1fd7030e1792389527a9f11443fd108d18386 100644
--- a/addons/hr_recruitment_survey/models/hr_applicant.py
+++ b/addons/hr_recruitment_survey/models/hr_applicant.py
@@ -9,7 +9,6 @@ class Applicant(models.Model):
     survey_id = fields.Many2one('survey.survey', related='job_id.survey_id', string="Survey", readonly=True)
     response_id = fields.Many2one('survey.user_input', "Response", ondelete="set null", oldname="response")
 
-    @api.multi
     def action_start_survey(self):
         self.ensure_one()
         # create a response and link it to this applicant
@@ -21,7 +20,6 @@ class Applicant(models.Model):
         # grab the token of the response and start surveying
         return self.survey_id.with_context(survey_token=response.token).action_start_survey()
 
-    @api.multi
     def action_print_survey(self):
         """ If response is available then print this response otherwise print survey form (print template of the survey) """
         self.ensure_one()
diff --git a/addons/hr_recruitment_survey/models/hr_job.py b/addons/hr_recruitment_survey/models/hr_job.py
index eb24574e55a028e57cc5265711124d16f1d9c022..72550f53e194276e6ca2157cd6696a7ba82a9096 100644
--- a/addons/hr_recruitment_survey/models/hr_job.py
+++ b/addons/hr_recruitment_survey/models/hr_job.py
@@ -11,6 +11,5 @@ class Job(models.Model):
         domain=[('category', '=', 'hr_recruitment')],
         help="Choose an interview form for this job position and you will be able to print/answer this interview from all applicants who apply for this job")
 
-    @api.multi
     def action_print_survey(self):
         return self.survey_id.action_print_survey()
diff --git a/addons/hr_timesheet/models/hr_timesheet.py b/addons/hr_timesheet/models/hr_timesheet.py
index 1fcfc4a70d0fea41cbccc4dcc0c3d911d4f009dc..1e13fd00d4d1e5078e03c22c9e9be03b98e5a1cd 100644
--- a/addons/hr_timesheet/models/hr_timesheet.py
+++ b/addons/hr_timesheet/models/hr_timesheet.py
@@ -79,7 +79,6 @@ class AccountAnalyticLine(models.Model):
             result._timesheet_postprocess(values)
         return result
 
-    @api.multi
     def write(self, values):
         values = self._timesheet_preprocess(values)
         result = super(AccountAnalyticLine, self).write(values)
@@ -148,7 +147,6 @@ class AccountAnalyticLine(models.Model):
             vals['product_uom_id'] = analytic_account.company_id.project_time_mode_id.id
         return vals
 
-    @api.multi
     def _timesheet_postprocess(self, values):
         """ Hook to update record one by one according to the values of a `write` or a `create`. """
         sudo_self = self.sudo()  # this creates only one env for all operation that required sudo() in `_timesheet_postprocess_values`override
@@ -158,7 +156,6 @@ class AccountAnalyticLine(models.Model):
                 timesheet.write(values_to_write[timesheet.id])
         return values
 
-    @api.multi
     def _timesheet_postprocess_values(self, values):
         """ Get the addionnal values to write on record
             :param dict values: values for the model's fields, as a dictionary::
diff --git a/addons/hr_timesheet/models/project.py b/addons/hr_timesheet/models/project.py
index 8c6d21eab92ac34405f08ce635e9974e5d623676..430d9434f42cb8138176803e67f5b39f3667ec55 100644
--- a/addons/hr_timesheet/models/project.py
+++ b/addons/hr_timesheet/models/project.py
@@ -48,7 +48,6 @@ class Project(models.Model):
             values['analytic_account_id'] = analytic_account.id
         return super(Project, self).create(values)
 
-    @api.multi
     def write(self, values):
         # create the AA for project still allowing timesheet
         if values.get('allow_timesheets'):
@@ -115,7 +114,6 @@ class Task(models.Model):
     # ORM
     # ---------------------------------------------------------
 
-    @api.multi
     def write(self, values):
         # a timesheet must have an analytic account (and a project)
         if 'project_id' in values and self and not values.get('project_id'):
diff --git a/addons/hr_work_entry/models/hr_work_entry.py b/addons/hr_work_entry/models/hr_work_entry.py
index daf793d37320c72ef8ea7c6f8a319554c35815ce..845c353f552a8972f4afb61e8946c3259b0c9a7c 100644
--- a/addons/hr_work_entry/models/hr_work_entry.py
+++ b/addons/hr_work_entry/models/hr_work_entry.py
@@ -61,7 +61,6 @@ class HrWorkEntry(models.Model):
         dt = date_stop - date_start
         return dt.days * 24 + dt.seconds / 3600  # Number of hours
 
-    @api.multi
     def action_validate(self):
         """
         Try to validate work entries.
@@ -75,7 +74,6 @@ class HrWorkEntry(models.Model):
             return True
         return False
 
-    @api.multi
     def _check_if_error(self):
         if not self:
             return False
@@ -143,7 +141,6 @@ class HrWorkEntry(models.Model):
         with self._error_checking(skip=skip_check):
             return super(HrWorkEntry, self).write(vals)
 
-    @api.multi
     def unlink(self):
         with self._error_checking():
             return super().unlink()
diff --git a/addons/im_livechat/models/im_livechat_channel.py b/addons/im_livechat/models/im_livechat_channel.py
index f0f8ca0e9d70a12d82a710236db2cc83b94abfc9..920ad6ecb90d813a765b7c080b26103cee521c79 100644
--- a/addons/im_livechat/models/im_livechat_channel.py
+++ b/addons/im_livechat/models/im_livechat_channel.py
@@ -63,7 +63,6 @@ class ImLivechatChannel(models.Model):
         for channel in self:
             channel.are_you_inside = bool(self.env.uid in [u.id for u in channel.user_ids])
 
-    @api.multi
     def _compute_script_external(self):
         view = self.env['ir.model.data'].get_object('im_livechat', 'external_loader')
         values = {
@@ -74,13 +73,11 @@ class ImLivechatChannel(models.Model):
             values["channel_id"] = record.id
             record.script_external = view.render(values)
 
-    @api.multi
     def _compute_web_page_link(self):
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
         for record in self:
             record.web_page = "%s/im_livechat/support/%i" % (base_url, record.id)
 
-    @api.multi
     @api.depends('channel_ids')
     def _compute_nbr_channel(self):
         for record in self:
@@ -91,7 +88,6 @@ class ImLivechatChannel(models.Model):
         tools.image_resize_images(vals)
         return super(ImLivechatChannel, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         tools.image_resize_images(vals)
         return super(ImLivechatChannel, self).write(vals)
@@ -99,17 +95,14 @@ class ImLivechatChannel(models.Model):
     # --------------------------
     # Action Methods
     # --------------------------
-    @api.multi
     def action_join(self):
         self.ensure_one()
         return self.write({'user_ids': [(4, self._uid)]})
 
-    @api.multi
     def action_quit(self):
         self.ensure_one()
         return self.write({'user_ids': [(3, self._uid)]})
 
-    @api.multi
     def action_view_rating(self):
         """ Action to display the rating relative to the channel, so all rating of the
             sessions of the current channel
@@ -123,7 +116,6 @@ class ImLivechatChannel(models.Model):
     # --------------------------
     # Channel Methods
     # --------------------------
-    @api.multi
     def _get_available_users(self):
         """ get available user of a given channel
             :retuns : return the res.users having their im_status online
@@ -131,7 +123,6 @@ class ImLivechatChannel(models.Model):
         self.ensure_one()
         return self.user_ids.filtered(lambda user: user.im_status == 'online')
 
-    @api.multi
     def _get_mail_channel(self, anonymous_name, previous_operator_id=None, user_id=None, country_id=None):
         """ Return a mail.channel given a livechat channel. It creates one with a connected operator, or return false otherwise
             :param anonymous_name : the name of the anonymous person of the channel
diff --git a/addons/im_livechat/models/mail_channel.py b/addons/im_livechat/models/mail_channel.py
index 28da41a9a27f27f98eebc21e4e1feb8dcb0daf24..7939379ea8c62ede2a6448e02910857d8fd1d19c 100644
--- a/addons/im_livechat/models/mail_channel.py
+++ b/addons/im_livechat/models/mail_channel.py
@@ -40,14 +40,12 @@ class MailChannel(models.Model):
     _sql_constraints = [('livechat_operator_id', "CHECK((channel_type = 'livechat' and livechat_operator_id is not null) or (channel_type != 'livechat'))",
                          'Livechat Operator ID is required for a channel of type livechat.')]
 
-    @api.multi
     def _compute_is_chat(self):
         super(MailChannel, self)._compute_is_chat()
         for record in self:
             if record.channel_type == 'livechat':
                 record.is_chat = True
 
-    @api.multi
     def _channel_message_notifications(self, message, message_format=False):
         """ When a anonymous user create a mail.channel, the operator is not notify (to avoid massive polling when
             clicking on livechat button). So when the anonymous person is sending its FIRST message, the channel header
@@ -68,13 +66,11 @@ class MailChannel(models.Model):
                 notifications = self._channel_channel_notifications(unpinned_channel_partner.mapped('partner_id').ids) + notifications
         return notifications
 
-    @api.multi
     def channel_fetch_message(self, last_id=False, limit=20):
         """ Override to add the context of the livechat username."""
         channel = self.with_context(im_livechat_use_username=True) if self.channel_type == 'livechat' else self
         return super(MailChannel, channel).channel_fetch_message(last_id=last_id, limit=limit)
 
-    @api.multi
     def channel_info(self, extra_info=False):
         """ Extends the channel header by adding the livechat operator and the 'anonymous' profile
             :rtype : list(dict)
diff --git a/addons/im_livechat/models/res_partner.py b/addons/im_livechat/models/res_partner.py
index e3f855941512594f21a532b7fffb14135747d735..4359b77206ff488272d74aeaa9660ba00bc46626 100644
--- a/addons/im_livechat/models/res_partner.py
+++ b/addons/im_livechat/models/res_partner.py
@@ -10,7 +10,6 @@ class Partners(models.Model):
     """
     _inherit = 'res.partner'
 
-    @api.multi
     def name_get(self):
         if self.env.context.get('im_livechat_use_username'):
             # process the ones with livechat username
diff --git a/addons/l10n_be_invoice_bba/models/account_invoice.py b/addons/l10n_be_invoice_bba/models/account_invoice.py
index fc50d09cd5a53ff9fb1afdc7ab7343be0e48b88c..036baa3ebcefc3999a8d22fc92371c3b3e9947f1 100644
--- a/addons/l10n_be_invoice_bba/models/account_invoice.py
+++ b/addons/l10n_be_invoice_bba/models/account_invoice.py
@@ -17,7 +17,6 @@ account.move object: add support for Belgian structured communication
 class AccountMove(models.Model):
     _inherit = 'account.move'
 
-    @api.multi
     def _get_reference_be_partner(self):
         """ This computes the reference based on the belgian national standard
             “OGM-VCS”.
@@ -35,7 +34,6 @@ class AccountMove(models.Model):
         reference = '+++%s/%s/%s%02d+++' % (bbacomm[:3], bbacomm[3:7], bbacomm[7:], mod)
         return reference
 
-    @api.multi
     def _get_reference_be_invoice(self):
         """ This computes the reference based on the belgian national standard
             “OGM-VCS”.
diff --git a/addons/l10n_ch/models/account_invoice.py b/addons/l10n_ch/models/account_invoice.py
index 1238d18bdd81de24303cd0b5b77b3f5ec150aa03..62e26b3250e3a9cabbdf03a696ebc6cdbc81a4ff 100644
--- a/addons/l10n_ch/models/account_invoice.py
+++ b/addons/l10n_ch/models/account_invoice.py
@@ -175,7 +175,6 @@ class AccountMove(models.Model):
                                    - associate this bank with a postal reference for the currency used in this invoice\n
                                    - fill the 'bank account' field of the invoice with the postal to be used to receive the related payment. A default account will be automatically set for all invoices created after you defined a postal account for your company."""))
 
-    @api.multi
     def action_invoice_sent(self):
         # OVERRIDE
         rslt = super(AccountMove, self).action_invoice_sent()
@@ -185,7 +184,6 @@ class AccountMove(models.Model):
 
         return rslt
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, **kwargs):
         if self.env.context.get('l10n_ch_mark_isr_as_sent'):
diff --git a/addons/l10n_ch/models/mail_template.py b/addons/l10n_ch/models/mail_template.py
index 30918bd4b7805a656f6e566d7c378af659946ab7..59d7ffba7e438b132e74943b46f9794518a1cd57 100644
--- a/addons/l10n_ch/models/mail_template.py
+++ b/addons/l10n_ch/models/mail_template.py
@@ -9,7 +9,6 @@ from odoo import api, models
 class MailTemplate(models.Model):
     _inherit = 'mail.template'
 
-    @api.multi
     def generate_email(self, res_ids, fields=None):
         """ Method overridden in order to add an attachment containing the ISR
         to the draft message when opening the 'send by mail' wizard on an invoice.
diff --git a/addons/l10n_de/models/datev.py b/addons/l10n_de/models/datev.py
index a44ff410110b9f9f999e1cc62ed51a84404b6b68..be1382f3f74521135f9e2e04b3b202d086ad62e4 100644
--- a/addons/l10n_de/models/datev.py
+++ b/addons/l10n_de/models/datev.py
@@ -21,7 +21,6 @@ class AccountTax(models.Model):
 class AccountMove(models.Model):
     _inherit = 'account.move'
 
-    @api.multi
     def post(self):
         # OVERRIDE to check the invoice lines taxes.
         for invoice in self.filtered(lambda move: move.is_invoice()):
diff --git a/addons/l10n_do/models/chart_template.py b/addons/l10n_do/models/chart_template.py
index f21dde62ddf8dd0ba83afbeabed24ef4bee0167b..9da77527b4f4e087640890c1d285b52587c2274f 100644
--- a/addons/l10n_do/models/chart_template.py
+++ b/addons/l10n_do/models/chart_template.py
@@ -18,7 +18,6 @@ class AccountChartTemplate(models.Model):
             ]
         return super(AccountChartTemplate, self)._get_default_bank_journals_data()
 
-    @api.multi
     def _prepare_all_journals(self, acc_template_ref, company, journals_dict=None):
         """Create fiscal journals for buys"""
         res = super(AccountChartTemplate, self)._prepare_all_journals(
diff --git a/addons/l10n_eu_service/wizard/wizard.py b/addons/l10n_eu_service/wizard/wizard.py
index abcdd56316e6ffcc03932c0dce6daf2191b1e89d..9e2eb76671a423178cfd740bc07a18434dcfc430 100644
--- a/addons/l10n_eu_service/wizard/wizard.py
+++ b/addons/l10n_eu_service/wizard/wizard.py
@@ -70,7 +70,6 @@ class l10n_eu_service(models.TransientModel):
         'res.country', 'l10n_eu_service_country_rel_todo', default=_default_todo_country_ids,
         string='EU Customers From', required=True)
 
-    @api.multi
     def generate_eu_service(self):
         tax_rate = self.env["l10n_eu_service.service_tax_rate"]
         account_tax = self.env['account.tax']
diff --git a/addons/l10n_fr_certification/models/account.py b/addons/l10n_fr_certification/models/account.py
index 91a6e0df1c3fca4bd9c23220e6c767de51d80d84..93f57c7b648379647b9a88a00cedba0dc716c512 100644
--- a/addons/l10n_fr_certification/models/account.py
+++ b/addons/l10n_fr_certification/models/account.py
@@ -67,7 +67,6 @@ class AccountMove(models.Model):
                                                 ensure_ascii=True, indent=None,
                                                 separators=(',',':'))
 
-    @api.multi
     def write(self, vals):
         has_been_posted = False
         for move in self:
@@ -93,7 +92,6 @@ class AccountMove(models.Model):
                 res |= super(AccountMove, move).write(vals_hashing)
         return res
 
-    @api.multi
     def button_cancel(self):
         #by-pass the normal behavior/message that tells people can cancel a posted journal entry
         #if the journal allows it.
@@ -148,7 +146,6 @@ class AccountMove(models.Model):
 class AccountMoveLine(models.Model):
     _inherit = "account.move.line"
 
-    @api.multi
     def write(self, vals):
         # restrict the operation in case we are trying to write a forbidden field
         if set(vals).intersection(LINE_FIELDS):
@@ -166,7 +163,6 @@ class AccountJournal(models.Model):
             field_string = self._fields['update_posted'].get_description(self.env)['string']
             raise UserError(_("According to the French law, you cannot modify a journal in order for its posted data to be updated or deleted. Unauthorized field: %s.") % field_string)
 
-    @api.multi
     def _is_journal_alterable(self):
         self.ensure_one()
         critical_domain = [('journal_id', '=', self.id),
@@ -177,7 +173,6 @@ class AccountJournal(models.Model):
             raise UserError(_('It is not permitted to disable the data inalterability in this journal (%s) since journal entries have already been protected.') % (self.name, ))
         return True
 
-    @api.multi
     def write(self, vals):
         # restrict the operation in case we are trying to write a forbidden field
         for journal in self:
diff --git a/addons/l10n_fr_certification/models/res_company.py b/addons/l10n_fr_certification/models/res_company.py
index f5f962f6fa326a4c4c65e8cf41ade14e43ba43b7..56dabe11355310f10bcfe5f1d96b2b1d05f73faf 100644
--- a/addons/l10n_fr_certification/models/res_company.py
+++ b/addons/l10n_fr_certification/models/res_company.py
@@ -22,7 +22,6 @@ class ResCompany(models.Model):
             company._create_secure_sequence(sequence_fields)
         return company
 
-    @api.multi
     def write(self, vals):
         res = super(ResCompany, self).write(vals)
         #if country changed to fr, create the securisation sequence
diff --git a/addons/l10n_fr_fec/wizard/account_fr_fec.py b/addons/l10n_fr_fec/wizard/account_fr_fec.py
index 09665c7354033ef56e7a6a04eb3ee12e99c0cf17..8adab17adea9ed935597236ee323eeb9eb1f0c9a 100644
--- a/addons/l10n_fr_fec/wizard/account_fr_fec.py
+++ b/addons/l10n_fr_fec/wizard/account_fr_fec.py
@@ -97,7 +97,6 @@ class AccountFrFec(models.TransientModel):
             'siren': company.vat[4:13] if not is_dom_tom else '',
         }
 
-    @api.multi
     def generate_fec(self):
         self.ensure_one()
         # We choose to implement the flat file instead of the XML
diff --git a/addons/l10n_fr_pos_cert/models/account_bank_statement.py b/addons/l10n_fr_pos_cert/models/account_bank_statement.py
index cded72c1aaea6952085c07700760c0a7d8f10727..12344e1805a5f0d11e43de189f0e7c7c47b5c1c9 100644
--- a/addons/l10n_fr_pos_cert/models/account_bank_statement.py
+++ b/addons/l10n_fr_pos_cert/models/account_bank_statement.py
@@ -8,7 +8,6 @@ from odoo.exceptions import UserError
 class AccountBankStatement(models.Model):
     _inherit = 'account.bank.statement'
 
-    @api.multi
     def unlink(self):
         for statement in self.filtered(lambda s: s.company_id._is_accounting_unalterable() and s.journal_id.journal_user):
             raise UserError(_('You cannot modify anything on a bank statement (name: %s) that was created by point of sale operations.') % (statement.name,))
@@ -18,7 +17,6 @@ class AccountBankStatement(models.Model):
 class AccountBankStatementLine(models.Model):
     _inherit = 'account.bank.statement.line'
 
-    @api.multi
     def unlink(self):
         for line in self.filtered(lambda s: s.company_id._is_accounting_unalterable() and s.journal_id.journal_user):
             raise UserError(_('You cannot modify anything on a bank statement line (name: %s) that was created by point of sale operations.') % (line.name,))
diff --git a/addons/l10n_fr_pos_cert/models/pos.py b/addons/l10n_fr_pos_cert/models/pos.py
index 6a11fdfac6cdbf34b554c050dd216329000ffc15..7278b9c9c64b5a7b11857b3334ce2221d62ce980 100644
--- a/addons/l10n_fr_pos_cert/models/pos.py
+++ b/addons/l10n_fr_pos_cert/models/pos.py
@@ -27,7 +27,6 @@ def ctx_tz(record, field):
 class pos_config(models.Model):
     _inherit = 'pos.config'
 
-    @api.multi
     def open_ui(self):
         for config in self.filtered(lambda c: c.company_id._is_accounting_unalterable()):
             if config.current_session_id:
@@ -38,7 +37,6 @@ class pos_config(models.Model):
 class pos_session(models.Model):
     _inherit = 'pos.session'
 
-    @api.multi
     def _check_session_timing(self):
         self.ensure_one()
         date_today = datetime.utcnow()
@@ -47,7 +45,6 @@ class pos_session(models.Model):
             raise UserError(_("This session has been opened another day. To comply with the French law, you should close sessions on a daily basis. Please close session %s and open a new one.") % self.name)
         return True
 
-    @api.multi
     def open_frontend_cb(self):
         for session in self.filtered(lambda s: s.config_id.company_id._is_accounting_unalterable()):
             session._check_session_timing()
@@ -112,7 +109,6 @@ class pos_order(models.Model):
                                                 ensure_ascii=True, indent=None,
                                                 separators=(',',':'))
 
-    @api.multi
     def write(self, vals):
         has_been_posted = False
         for order in self:
@@ -187,7 +183,6 @@ class pos_order(models.Model):
 class PosOrderLine(models.Model):
     _inherit = "pos.order.line"
 
-    @api.multi
     def write(self, vals):
         # restrict the operation in case we are trying to write a forbidden field
         if set(vals).intersection(LINE_FIELDS):
diff --git a/addons/l10n_fr_pos_cert/models/res_company.py b/addons/l10n_fr_pos_cert/models/res_company.py
index 0b11d2bec8dda711f7b0a31fd810f984392d64ca..651c581514801907bee8599dc86c86136d827b0e 100644
--- a/addons/l10n_fr_pos_cert/models/res_company.py
+++ b/addons/l10n_fr_pos_cert/models/res_company.py
@@ -17,7 +17,6 @@ class ResCompany(models.Model):
             company._create_secure_sequence(sequence_fields)
         return company
 
-    @api.multi
     def write(self, vals):
         res = super(ResCompany, self).write(vals)
         #if country changed to fr, create the securisation sequence
diff --git a/addons/l10n_fr_sale_closing/models/account_closing.py b/addons/l10n_fr_sale_closing/models/account_closing.py
index 4348938dd8f06c02fda63e4e653c689bcb96b6ee..636cf754750db831a41b4a79b7778da7bf8ed86d 100644
--- a/addons/l10n_fr_sale_closing/models/account_closing.py
+++ b/addons/l10n_fr_sale_closing/models/account_closing.py
@@ -133,11 +133,9 @@ class AccountClosing(models.Model):
                 'date_stop': FieldDateTime.to_string(date_stop),
                 'name_interval': name_interval}
 
-    @api.multi
     def write(self, vals):
         raise UserError(_('Sale Closings are not meant to be written or deleted under any circumstances.'))
 
-    @api.multi
     def unlink(self):
         raise UserError(_('Sale Closings are not meant to be written or deleted under any circumstances.'))
 
diff --git a/addons/l10n_fr_sale_closing/models/res_company.py b/addons/l10n_fr_sale_closing/models/res_company.py
index 7e623ff5d3edb329922103ae17b06afca6cae943..a18ec1b808288a63442690fcf4cff5cbae986b56 100644
--- a/addons/l10n_fr_sale_closing/models/res_company.py
+++ b/addons/l10n_fr_sale_closing/models/res_company.py
@@ -18,7 +18,6 @@ class ResCompany(models.Model):
             company._create_secure_sequence(sequence_fields)
         return company
 
-    @api.multi
     def write(self, vals):
         res = super(ResCompany, self).write(vals)
         #if country changed to fr, create the securisation sequence
diff --git a/addons/l10n_in/models/chart_template.py b/addons/l10n_in/models/chart_template.py
index bd8b66d3b8c046b752cd3b3c7d495fd73e73eb0a..5fe711b4df7cb0aa4cadc254ae90e181cf10211c 100644
--- a/addons/l10n_in/models/chart_template.py
+++ b/addons/l10n_in/models/chart_template.py
@@ -7,7 +7,6 @@ from odoo import api, fields, models, _
 class AccountChartTemplate(models.Model):
     _inherit = 'account.chart.template'
 
-    @api.multi
     def _prepare_all_journals(self, acc_template_ref, company, journals_dict=None):
         res = super(AccountChartTemplate, self)._prepare_all_journals(acc_template_ref, company, journals_dict=journals_dict)
         if self == self.env.ref('l10n_in.indian_chart_template_standard'):
diff --git a/addons/l10n_in_sale/models/sale_order.py b/addons/l10n_in_sale/models/sale_order.py
index 4ea92c6f3b5e64d9800c4b71675785199368e57a..e6493a1c2964de094713162f7898b7a58d1498d5 100644
--- a/addons/l10n_in_sale/models/sale_order.py
+++ b/addons/l10n_in_sale/models/sale_order.py
@@ -10,7 +10,6 @@ class SaleOrder(models.Model):
     l10n_in_reseller_partner_id = fields.Many2one('res.partner',
         string='Reseller', domain=[('vat', '!=', False)], states={'posted': [('readonly', True)]})
 
-    @api.multi
     def _prepare_invoice(self):
         invoice_vals = super(SaleOrder, self)._prepare_invoice()
         invoice_vals['l10n_in_reseller_partner_id'] = self.l10n_in_reseller_partner_id.id
diff --git a/addons/l10n_it_edi/models/account_invoice.py b/addons/l10n_it_edi/models/account_invoice.py
index 3d46670c05fff65edd5304606c3f3fba1a439c32..bc0dbc4a838d713b77d38447d3ef3ec9e4649b47 100644
--- a/addons/l10n_it_edi/models/account_invoice.py
+++ b/addons/l10n_it_edi/models/account_invoice.py
@@ -47,7 +47,6 @@ class AccountMove(models.Model):
 
     l10n_it_einvoice_id = fields.Many2one('ir.attachment', string="Electronic invoice", copy=False)
 
-    @api.multi
     def post(self):
         # OVERRIDE
         super(AccountMove, self).post()
@@ -134,7 +133,6 @@ class AccountMove(models.Model):
             if not tax_line.tax_line_id.l10n_it_has_exoneration and tax_line.tax_line_id.amount == 0:
                 raise ValidationError(_("%s has an amount of 0.0, you must indicate the kind of exoneration." % tax_line.name))
 
-    @api.multi
     def invoice_generate_xml(self):
         for invoice in self:
             if invoice.l10n_it_einvoice_id and invoice.l10n_it_send_state not in ['invalid', 'to_send']:
@@ -253,7 +251,6 @@ class AccountMove(models.Model):
         content = self.env.ref('l10n_it_edi.account_invoice_it_FatturaPA_export').render(template_values)
         return content
 
-    @api.multi
     def send_pec_mail(self):
         self.ensure_one()
         allowed_state = ['to_send', 'invalid']
@@ -738,7 +735,6 @@ class ImportInvoiceImportWizard(models.TransientModel):
     _name = 'account.invoice.import.wizard'
     _inherit = 'account.invoice.import.wizard'
 
-    @api.multi
     def _create_invoice_from_file(self, attachment):
         if attachment.mimetype == 'application/xml' and re.search("([A-Z]{2}[A-Za-z0-9]{2,28}_[A-Za-z0-9]{0,5}.(xml.p7m|xml))", attachment.name):
             if self.env['account.move'].search([('l10n_it_einvoice_name', '=', attachment.name)], limit=1):
diff --git a/addons/l10n_it_edi/models/ddt.py b/addons/l10n_it_edi/models/ddt.py
index 92d858f222e4c5fe8ec7ff100b8b908ba64bd8a3..426e6a60b7caaa6d9870ffe46187aa99ac4b5b8e 100644
--- a/addons/l10n_it_edi/models/ddt.py
+++ b/addons/l10n_it_edi/models/ddt.py
@@ -11,7 +11,6 @@ class L10nItDdt(models.Model):
     name = fields.Char(string="Numero DDT", size=20, help="Transport document number", required=True)
     date = fields.Date(string="Data DDT", help="Transport document date", required=True)
 
-    @api.multi
     def name_get(self):
         res = []
         for ddt in self:
diff --git a/addons/l10n_it_edi/models/ir_mail_server.py b/addons/l10n_it_edi/models/ir_mail_server.py
index ec2a96b93e4a3dbd449dd396cad03cc4e7fb684b..8af502b2c0985a38e902328efb5fe040e468b37d 100644
--- a/addons/l10n_it_edi/models/ir_mail_server.py
+++ b/addons/l10n_it_edi/models/ir_mail_server.py
@@ -37,7 +37,6 @@ class FetchmailServer(models.Model):
             if record.l10n_it_is_pec and record.type != 'imap':
                 raise ValidationError("PEC mail server must be of type IMAP.")
 
-    @api.multi
     def fetch_mail(self):
         """ WARNING: meant for cron usage only - will commit() after each email! """
 
diff --git a/addons/l10n_multilang/models/l10n_multilang.py b/addons/l10n_multilang/models/l10n_multilang.py
index 2f6e3731faac042ea2195bf1678d165aacb8d3ed..e307f28d5a301c0dc3410686bad0c27fa5453c30 100644
--- a/addons/l10n_multilang/models/l10n_multilang.py
+++ b/addons/l10n_multilang/models/l10n_multilang.py
@@ -12,7 +12,6 @@ _logger = logging.getLogger(__name__)
 class AccountChartTemplate(models.Model):
     _inherit = 'account.chart.template'
 
-    @api.multi
     def process_translations(self, langs, in_field, in_ids, out_ids):
         """
         This method copies translations values of templates into new Accounts/Taxes/Journals for languages selected
@@ -46,7 +45,6 @@ class AccountChartTemplate(models.Model):
                 counter += 1
         return True
 
-    @api.multi
     def process_coa_translations(self):
         installed_langs = dict(self.env['res.lang'].get_installed())
         company_obj = self.env['res.company']
@@ -72,17 +70,14 @@ class AccountChartTemplate(models.Model):
                         chart_template_id._process_fiscal_pos_translations(company.id, langs, 'name')
         return True
 
-    @api.multi
     def _process_accounts_translations(self, company_id, langs, field):
         in_ids, out_ids = self._get_template_from_model(company_id, 'account.account')
         return self.process_translations(langs, field, in_ids, out_ids)
 
-    @api.multi
     def _process_taxes_translations(self, company_id, langs, field):
         in_ids, out_ids = self._get_template_from_model(company_id, 'account.tax')
         return self.process_translations(langs, field, in_ids, out_ids)
 
-    @api.multi
     def _process_fiscal_pos_translations(self, company_id, langs, field):
         in_ids, out_ids = self._get_template_from_model(company_id, 'account.fiscal.position')
         return self.process_translations(langs, field, in_ids, out_ids)
@@ -121,7 +116,6 @@ class BaseLanguageInstall(models.TransientModel):
     """ Install Language"""
     _inherit = "base.language.install"
 
-    @api.multi
     def lang_install(self):
         self.ensure_one()
         already_installed = self.env['res.lang'].search_count([('code', '=', self.lang)])
diff --git a/addons/l10n_mx/models/chart_template.py b/addons/l10n_mx/models/chart_template.py
index edf8000544e7d48c75253ec1d99555e1d1a5726b..1e36706ffa549f192be5281f8eeda58bcfef2a3f 100644
--- a/addons/l10n_mx/models/chart_template.py
+++ b/addons/l10n_mx/models/chart_template.py
@@ -22,7 +22,6 @@ class AccountChartTemplate(models.Model):
         company.write({'tax_cash_basis_journal_id': journal_basis.id})
         return res
 
-    @api.multi
     def _prepare_all_journals(self, acc_template_ref, company, journals_dict=None):
         """Create the tax_cash_basis_journal_id"""
         res = super(AccountChartTemplate, self)._prepare_all_journals(
diff --git a/addons/link_tracker/models/link_tracker.py b/addons/link_tracker/models/link_tracker.py
index 3bc0b02473f6a7e83dfc3bd4d9d75587e9ae8ea6..32d4bfb487a498f066a00ebce84c85c705ac14d2 100644
--- a/addons/link_tracker/models/link_tracker.py
+++ b/addons/link_tracker/models/link_tracker.py
@@ -164,13 +164,11 @@ class LinkTracker(models.Model):
 
         return html
 
-    @api.multi
     def action_view_statistics(self):
         action = self.env['ir.actions.act_window'].for_xml_id('link_tracker', 'link_tracker_click_action_statistics')
         action['domain'] = [('link_id', '=', self.id)]
         return action
 
-    @api.multi
     def action_visit_page(self):
         return {
             'name': _("Visit Webpage"),
diff --git a/addons/lunch/models/lunch_cashmove.py b/addons/lunch/models/lunch_cashmove.py
index bfac07779592e454f92593dadeff85caf1b5aecd..7089904b34afaf079e20d3c2f7900ea8520987de 100644
--- a/addons/lunch/models/lunch_cashmove.py
+++ b/addons/lunch/models/lunch_cashmove.py
@@ -18,7 +18,6 @@ class LunchCashMove(models.Model):
     amount = fields.Float('Amount', required=True)
     description = fields.Text('Description')
 
-    @api.multi
     def name_get(self):
         return [(cashmove.id, '%s %s' % (_('Lunch Cashmove'), '#%d' % cashmove.id)) for cashmove in self]
 
diff --git a/addons/lunch/models/lunch_supplier.py b/addons/lunch/models/lunch_supplier.py
index 40842de88fb30ec4b261bc0dd9ac0ca9d2d7d69e..e4e975536bd755674a192d293fa7a7b8ed80f37a 100644
--- a/addons/lunch/models/lunch_supplier.py
+++ b/addons/lunch/models/lunch_supplier.py
@@ -93,7 +93,6 @@ class LunchSupplier(models.Model):
          'Automatic Email Sending Time should be between 0 and 12'),
     ]
 
-    @api.multi
     def name_get(self):
         res = []
         for supplier in self:
diff --git a/addons/lunch/report/lunch_cashmove_report.py b/addons/lunch/report/lunch_cashmove_report.py
index 6741d7d2fa3268f18805e434d411a7206d0fda06..163393697c9ed271c21e309cb40b857077fbd99d 100644
--- a/addons/lunch/report/lunch_cashmove_report.py
+++ b/addons/lunch/report/lunch_cashmove_report.py
@@ -17,7 +17,6 @@ class CashmoveReport(models.Model):
     user_id = fields.Many2one('res.users', string='User')
     description = fields.Text('Description')
 
-    @api.multi
     def name_get(self):
         return [(cashmove.id, '%s %s' % (_('Lunch Cashmove'), '#%d' % cashmove.id)) for cashmove in self]
 
diff --git a/addons/lunch/report/lunch_product_report.py b/addons/lunch/report/lunch_product_report.py
index 3a30fc426d3d185b5042731f6c133958035a67ac..8c0d80bf0d1f5b31b5c7b5b58caf86617558ed49 100644
--- a/addons/lunch/report/lunch_product_report.py
+++ b/addons/lunch/report/lunch_product_report.py
@@ -51,7 +51,6 @@ class LunchProductReport(models.Model):
 
         return expression.OR([[('supplier_id.available_location_ids', 'in', value)], [('supplier_id.available_location_ids', '=', False)]])
 
-    @api.multi
     def write(self, values):
         user_id = self.env.user.id
         if 'is_favorite' in values:
diff --git a/addons/mail/models/ir_attachment.py b/addons/mail/models/ir_attachment.py
index 4e0cfc4b0ea69a749857eb1fa0d35a98955d07bc..c2dd7fe9f5bbb353e1665280a5f2d31ed3d57bcc 100644
--- a/addons/mail/models/ir_attachment.py
+++ b/addons/mail/models/ir_attachment.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class IrAttachment(models.Model):
     _inherit = 'ir.attachment'
 
-    @api.multi
     def _post_add_create(self):
         """ Overrides behaviour when the attachment is created through the controller
         """
diff --git a/addons/mail/models/ir_model.py b/addons/mail/models/ir_model.py
index b4950d73ed4a8d57ddba4d430c05dd11c277450e..9451c4a59be6382bfa30627aca61a0a815678de8 100644
--- a/addons/mail/models/ir_model.py
+++ b/addons/mail/models/ir_model.py
@@ -53,7 +53,6 @@ class IrModel(models.Model):
 
         return super(IrModel, self).unlink()
 
-    @api.multi
     def write(self, vals):
         if self and ('is_mail_thread' in vals or 'is_mail_activity' in vals or 'is_mail_blacklist' in vals):
             if not all(rec.state == 'manual' for rec in self):
diff --git a/addons/mail/models/mail_activity.py b/addons/mail/models/mail_activity.py
index 97ef1011eff3f6921536aabed0342f1da6b95efa..566c994d75d29c1f41638136b45a219569e14aa4 100644
--- a/addons/mail/models/mail_activity.py
+++ b/addons/mail/models/mail_activity.py
@@ -90,7 +90,6 @@ class MailActivityType(models.Model):
         for activity_type in self:
             activity_type.initial_res_model_id = activity_type.res_model_id
 
-    @api.multi
     def unlink(self):
         if any(self.get_external_id().values()):
             raise exceptions.ValidationError("You can not delete activity type that are used as master data.")
@@ -160,13 +159,11 @@ class MailActivity(models.Model):
     # access
     can_write = fields.Boolean(compute='_compute_can_write', help='Technical field to hide buttons if the current user has no access.')
 
-    @api.multi
     @api.onchange('previous_activity_type_id')
     def _compute_has_recommended_activities(self):
         for record in self:
             record.has_recommended_activities = bool(record.previous_activity_type_id.next_type_ids)
 
-    @api.multi
     @api.onchange('previous_activity_type_id')
     def _onchange_previous_activity_type_id(self):
         for record in self:
@@ -226,7 +223,6 @@ class MailActivity(models.Model):
         if self.recommended_activity_type_id:
             self.activity_type_id = self.recommended_activity_type_id
 
-    @api.multi
     def _filter_access_rules(self, operation):
         """ Return the subset of ``self`` for which ``operation`` is allowed.
         A custom implementation is done on activities as this document has some
@@ -282,7 +278,6 @@ class MailActivity(models.Model):
 
         return valid
 
-    @api.multi
     def _check_access_assignation(self):
         """ Check assigned user (user_id field) has access to the document. Purpose
         is to allow assigned user to handle their activities. For that purpose
@@ -334,7 +329,6 @@ class MailActivity(models.Model):
                 {'type': 'activity_updated', 'activity_created': True})
         return activity
 
-    @api.multi
     def write(self, values):
         if values.get('user_id'):
             user_changes = self.filtered(lambda activity: activity.user_id.id != values.get('user_id'))
@@ -361,7 +355,6 @@ class MailActivity(models.Model):
                             {'type': 'activity_updated', 'activity_deleted': True})
         return res
 
-    @api.multi
     def unlink(self):
         for activity in self:
             if activity.date_deadline <= fields.Date.today():
@@ -374,7 +367,6 @@ class MailActivity(models.Model):
     # Business Methods
     # ------------------------------------------------------
 
-    @api.multi
     def action_notify(self):
         if not self:
             return
@@ -397,14 +389,12 @@ class MailActivity(models.Model):
                     email_layout_xmlid='mail.mail_notification_light',
                 )
 
-    @api.multi
     def action_done(self):
         """ Wrapper without feedback because web button add context as
         parameter, therefore setting context to feedback """
         messages, next_activities = self._action_done()
         return messages.ids and messages.ids[0] or False
 
-    @api.multi
     def action_feedback(self, feedback=False, attachment_ids=None):
         messages, next_activities = self._action_done(feedback=feedback, attachment_ids=attachment_ids)
         return messages.ids and messages.ids[0] or False
@@ -414,7 +404,6 @@ class MailActivity(models.Model):
         parameter, therefore setting context to feedback """
         return self.action_feedback_schedule_next()
 
-    @api.multi
     def action_feedback_schedule_next(self, feedback=False):
         ctx = dict(
             clean_context(self.env.context),
@@ -485,7 +474,6 @@ class MailActivity(models.Model):
 
         return messages, next_activities
 
-    @api.multi
     def action_close_dialog(self):
         return {'type': 'ir.actions.act_window_close'}
 
@@ -636,7 +624,6 @@ class MailActivityMixin(models.AbstractModel):
     def _search_activity_summary(self, operator, operand):
         return [('activity_ids.summary', operator, operand)]
 
-    @api.multi
     def write(self, vals):
         # Delete activities of archived record.
         if 'active' in vals and vals['active'] is False:
@@ -645,7 +632,6 @@ class MailActivityMixin(models.AbstractModel):
             ).unlink()
         return super(MailActivityMixin, self).write(vals)
 
-    @api.multi
     def unlink(self):
         """ Override unlink to delete records activities through (res_model, res_id). """
         record_ids = self.ids
@@ -655,7 +641,6 @@ class MailActivityMixin(models.AbstractModel):
         ).unlink()
         return result
 
-    @api.multi
     def toggle_active(self):
         """ Before archiving the record we should also remove its ongoing
         activities. Otherwise they stay in the systray and concerning archived
diff --git a/addons/mail/models/mail_alias.py b/addons/mail/models/mail_alias.py
index ecf03c3c5a3aaaa378f3cd597dbebec5342eb9c4..2a8b9c6bde8bd239b45154309978db7c9c40f1fb 100644
--- a/addons/mail/models/mail_alias.py
+++ b/addons/mail/models/mail_alias.py
@@ -73,7 +73,6 @@ class Alias(models.Model):
         ('alias_unique', 'UNIQUE(alias_name)', 'Unfortunately this email alias is already used, please choose a unique one')
     ]
 
-    @api.multi
     def _get_alias_domain(self):
         alias_domain = self.env["ir.config_parameter"].sudo().get_param("mail.catchall.domain")
         for record in self:
@@ -107,14 +106,12 @@ class Alias(models.Model):
             vals['alias_parent_model_id'] = model.id
         return super(Alias, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         """"give a unique alias name if given alias name is already assigned"""
         if vals.get('alias_name') and self.ids:
             vals['alias_name'] = self._clean_and_make_unique(vals.get('alias_name'), alias_ids=self.ids)
         return super(Alias, self).write(vals)
 
-    @api.multi
     def name_get(self):
         """Return the mail alias display alias_name, including the implicit
            mail catchall domain if exists from config otherwise "New Alias".
@@ -154,7 +151,6 @@ class Alias(models.Model):
         name = re.sub(r'[^\w+.]+', '-', name)
         return self._find_unique(name, alias_ids=alias_ids)
 
-    @api.multi
     def open_document(self):
         if not self.alias_model_id or not self.alias_force_thread_id:
             return False
@@ -165,7 +161,6 @@ class Alias(models.Model):
             'type': 'ir.actions.act_window',
         }
 
-    @api.multi
     def open_parent_document(self):
         if not self.alias_parent_model_id or not self.alias_parent_thread_id:
             return False
@@ -212,7 +207,6 @@ class AliasMixin(models.AbstractModel):
         record.alias_id.sudo().write(record.get_alias_values())
         return record
 
-    @api.multi
     def unlink(self):
         """ Delete the given records, and cascade-delete their corresponding alias. """
         aliases = self.mapped('alias_id')
diff --git a/addons/mail/models/mail_blacklist.py b/addons/mail/models/mail_blacklist.py
index 4311aa54b6ef8fcf923abd75bbf661d1dc8b9a4f..f2e8dddb65c0171c6946f546081bee5c40138c9d 100644
--- a/addons/mail/models/mail_blacklist.py
+++ b/addons/mail/models/mail_blacklist.py
@@ -50,7 +50,6 @@ class MailBlackList(models.Model):
         results = super(MailBlackList, self).create(to_create)
         return self.env['mail.blacklist'].browse(bl_entries.values()) | results
 
-    @api.multi
     def write(self, values):
         if 'email' in values:
             values['email'] = tools.email_normalize(values['email'])
@@ -151,7 +150,6 @@ class MailBlackListMixin(models.AbstractModel):
         for record in self:
             record.is_blacklisted = record.email_normalized in blacklist
 
-    @api.multi
     def _message_receive_bounce(self, email, partner, mail_id=None):
         """ Override of mail.thread generic method. Purpose is to increment the
         bounce counter of the record. """
diff --git a/addons/mail/models/mail_cc_mixin.py b/addons/mail/models/mail_cc_mixin.py
index 88e16f7d6b8832cd7ba19852547daacf2c5b8312..cc1554fcff58161d9e30dd382e1890cce77e08d7 100644
--- a/addons/mail/models/mail_cc_mixin.py
+++ b/addons/mail/models/mail_cc_mixin.py
@@ -29,7 +29,6 @@ class MailCCMixin(models.AbstractModel):
         cc_values.update(custom_values)
         return super(MailCCMixin, self).message_new(msg_dict, cc_values)
 
-    @api.multi
     def message_update(self, msg_dict, update_vals=None):
         '''Adds cc email to self.email_cc while trying to keep email as raw as possible but unique'''
         if update_vals is None:
@@ -43,7 +42,6 @@ class MailCCMixin(models.AbstractModel):
         cc_values.update(update_vals)
         return super(MailCCMixin, self).message_update(msg_dict, cc_values)
 
-    @api.multi
     def _message_get_suggested_recipients(self):
         recipients = super(MailCCMixin, self)._message_get_suggested_recipients()
         for record in self:
diff --git a/addons/mail/models/mail_channel.py b/addons/mail/models/mail_channel.py
index cbc548825d9e7baa7685e0e602089f44594ab576..2b56951fb4f9dcf95c140142b4ee9d42926e2f5e 100644
--- a/addons/mail/models/mail_channel.py
+++ b/addons/mail/models/mail_channel.py
@@ -134,13 +134,11 @@ class Channel(models.Model):
         for channel in self:
             channel.is_subscribed = self.env.user.partner_id in channel.channel_partner_ids
 
-    @api.multi
     @api.depends('moderator_ids')
     def _compute_is_moderator(self):
         for channel in self:
             channel.is_moderator = self.env.user in channel.moderator_ids
 
-    @api.multi
     @api.depends('moderation_ids')
     def _compute_moderation_count(self):
         read_group_res = self.env['mail.moderation'].read_group([('channel_id', 'in', self.ids)], ['channel_id'], 'channel_id')
@@ -169,7 +167,6 @@ class Channel(models.Model):
         if any(not channel.moderator_ids for channel in self if channel.moderation):
             raise ValidationError('Moderated channels must have moderators.')
 
-    @api.multi
     def _compute_is_member(self):
         memberships = self.env['mail.channel.partner'].sudo().search([
             ('channel_id', 'in', self.ids),
@@ -179,7 +176,6 @@ class Channel(models.Model):
         for record in self:
             record.is_member = record in membership_ids
 
-    @api.multi
     def _compute_is_chat(self):
         for record in self:
             if record.channel_type == 'chat':
@@ -233,7 +229,6 @@ class Channel(models.Model):
 
         return channel
 
-    @api.multi
     def unlink(self):
         aliases = self.mapped('alias_id')
 
@@ -249,7 +244,6 @@ class Channel(models.Model):
         aliases.sudo().unlink()
         return res
 
-    @api.multi
     def write(self, vals):
         # First checks if user tries to modify moderation fields and has not the right to do it.
         if any(key for key in MODERATION_FIELDS if vals.get(key)) and any(self.env.user not in channel.moderator_ids for channel in self if channel.moderation):
@@ -279,7 +273,6 @@ class Channel(models.Model):
         for mail_channel in self:
             mail_channel.write({'channel_partner_ids': [(4, pid) for pid in mail_channel.mapped('group_ids').mapped('users').mapped('partner_id').ids]})
 
-    @api.multi
     def action_follow(self):
         self.ensure_one()
         channel_partner = self.mapped('channel_last_seen_partner_ids').filtered(lambda cp: cp.partner_id == self.env.user.partner_id)
@@ -287,11 +280,9 @@ class Channel(models.Model):
             return self.write({'channel_last_seen_partner_ids': [(0, 0, {'partner_id': self.env.user.partner_id.id})]})
         return False
 
-    @api.multi
     def action_unfollow(self):
         return self._action_unfollow(self.env.user.partner_id)
 
-    @api.multi
     def _action_unfollow(self, partner):
         channel_info = self.channel_info('unsubscribe')[0]  # must be computed before leaving the channel (access rights)
         result = self.write({'channel_partner_ids': [(3, partner.id)]})
@@ -302,7 +293,6 @@ class Channel(models.Model):
             self.sudo().message_post(body=notification, subtype="mail.mt_comment", author_id=partner.id)
         return result
 
-    @api.multi
     def _notify_get_groups(self):
         """ All recipients of a message on a channel are considered as partners.
         This means they will receive a minimal email, without a link to access
@@ -314,7 +304,6 @@ class Channel(models.Model):
                 groups[index] = (group_name, lambda partner: False, group_data)
         return groups
 
-    @api.multi
     def _notify_email_header_dict(self):
         headers = super(Channel, self)._notify_email_header_dict()
         headers['Precedence'] = 'list'
@@ -330,7 +319,6 @@ class Channel(models.Model):
             headers['X-Forge-To'] = list_to
         return headers
 
-    @api.multi
     def _message_receive_bounce(self, email, partner, mail_id=None):
         """ Override bounce management to unsubscribe bouncing addresses """
         for p in partner:
@@ -338,7 +326,6 @@ class Channel(models.Model):
                 self._action_unfollow(p)
         return super(Channel, self)._message_receive_bounce(email, partner, mail_id=mail_id)
 
-    @api.multi
     def _notify_email_recipient_values(self, recipient_ids):
         # Excluded Blacklisted
         whitelist = self.env['res.partner'].sudo().browse(recipient_ids).filtered(lambda p: not p.is_blacklisted)
@@ -377,7 +364,6 @@ class Channel(models.Model):
                 moderation_status = 'pending_moderation'
         return moderation_status, email
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, message_type='notification', **kwargs):
         moderation_status, email = self._extract_moderation_values(message_type, **kwargs)
@@ -419,7 +405,6 @@ class Channel(models.Model):
     # Moderation
     # --------------------------------------------------
 
-    @api.multi
     def send_guidelines(self):
         """ Send guidelines to all channel members. """
         if self.env.user in self.moderator_ids or self.env.user.has_group('base.group_system'):
@@ -429,7 +414,6 @@ class Channel(models.Model):
         else:
             raise UserError("Only an administrator or a moderator can send guidelines to channel members!")
 
-    @api.multi
     def _send_guidelines(self, partners):
         """ Send guidelines of a given channel. Returns False if template used for guidelines
         not found. Caller may have to handle this return value. """
@@ -453,7 +437,6 @@ class Channel(models.Model):
             mail.send()
         return True
 
-    @api.multi
     def _update_moderation_email(self, emails, status):
         """ This method adds emails into either white or black of the channel list of emails 
             according to status. If an email in emails is already moderated, the method updates the email status.
@@ -481,7 +464,6 @@ class Channel(models.Model):
     #   - when a message is posted on a channel (to the channel, using _notify() method)
 
     # Anonymous method
-    @api.multi
     def _broadcast(self, partner_ids):
         """ Broadcast the current channel header to the given partner ids
             :param partner_ids : the partner to notify
@@ -489,7 +471,6 @@ class Channel(models.Model):
         notifications = self._channel_channel_notifications(partner_ids)
         self.env['bus.bus'].sendmany(notifications)
 
-    @api.multi
     def _channel_channel_notifications(self, partner_ids):
         """ Generate the bus notifications of current channel for the given partner ids
             :param partner_ids : the partner to send the current channel header
@@ -510,7 +491,6 @@ class Channel(models.Model):
         else:
             message._notify_pending_by_chat()
 
-    @api.multi
     def _channel_message_notifications(self, message, message_format=False):
         """ Generate the bus notifications for the given message
             :param message : the mail.message to sent
@@ -545,7 +525,6 @@ class Channel(models.Model):
             partner_infos[user.partner_id.id]['out_of_office_message'] = user.out_of_office_message
         return partner_infos
 
-    @api.multi
     def channel_info(self, extra_info=False):
         """ Get the informations header for the current channels
             :returns a list of channels values
@@ -629,7 +608,6 @@ class Channel(models.Model):
             channel_infos.append(info)
         return channel_infos
 
-    @api.multi
     def channel_fetch_message(self, last_id=False, limit=20):
         """ Return message values of the current channel.
             :param last_id : last message id to start the research
@@ -737,7 +715,6 @@ class Channel(models.Model):
         if channel_partners:
             channel_partners.write({'is_pinned': pinned})
 
-    @api.multi
     def channel_seen(self):
         self.ensure_one()
         if self.channel_message_ids.ids:
@@ -762,7 +739,6 @@ class Channel(models.Model):
                 self.env['bus.bus'].sendone((self._cr.dbname, 'res.partner', self.env.user.partner_id.id), data)
             return last_message_id
 
-    @api.multi
     def channel_fetched(self):
         """ Broadcast the channel_fetched notification to channel members
             :param channel_ids : list of channel id that has been fetched by current user
@@ -787,7 +763,6 @@ class Channel(models.Model):
             }
             self.env['bus.bus'].sendmany([[(self._cr.dbname, 'mail.channel', channel.id), data]])
 
-    @api.multi
     def channel_invite(self, partner_ids):
         """ Add the given partner_ids to the current channels and broadcast the channel header to them.
             :param partner_ids : list of partner id to add
@@ -820,7 +795,6 @@ class Channel(models.Model):
             'custom_channel_name': name,
         })
 
-    @api.multi
     def notify_typing(self, is_typing, is_website_user=False):
         """ Broadcast the typing notification to channel members
             :param is_typing: (boolean) tells whether the current user is typing or not
@@ -884,7 +858,6 @@ class Channel(models.Model):
             domain = expression.AND([domain, [('name', 'ilike', '%'+name+'%')]])
         return self.search(domain).read(['name', 'public', 'uuid', 'channel_type'])
 
-    @api.multi
     def channel_join_and_get_info(self):
         self.ensure_one()
         added = self.action_follow()
@@ -949,7 +922,6 @@ class Channel(models.Model):
     def _channel_fetch_listeners_where_clause(self, uuid):
         return ("C.uuid = %s", (uuid,))
 
-    @api.multi
     def channel_fetch_preview(self):
         """ Return the last message of the given channels """
         if not self:
@@ -984,7 +956,6 @@ class Channel(models.Model):
                 commands.append(command)
         return commands
 
-    @api.multi
     def execute_command(self, command='', **kwargs):
         """ Executes a given command """
         self.ensure_one()
diff --git a/addons/mail/models/mail_followers.py b/addons/mail/models/mail_followers.py
index 417b83e59f56a9c6d69a295cdbc3239fec01d8ae..87f20af46d17da0bca4f70a14d847a39da3ec4ea 100644
--- a/addons/mail/models/mail_followers.py
+++ b/addons/mail/models/mail_followers.py
@@ -36,7 +36,6 @@ class Followers(models.Model):
         'mail.message.subtype', string='Subtype',
         help="Message subtypes followed, meaning subtypes that will be pushed onto the user's Wall.")
 
-    @api.multi
     def _invalidate_documents(self, vals_list=None):
         """ Invalidate the cache of the documents followed by ``self``.
 
@@ -57,7 +56,6 @@ class Followers(models.Model):
         res._invalidate_documents(vals_list)
         return res
 
-    @api.multi
     def write(self, vals):
         if 'res_model' in vals or 'res_id' in vals:
             self._invalidate_documents()
@@ -66,7 +64,6 @@ class Followers(models.Model):
             self._invalidate_documents()
         return res
 
-    @api.multi
     def unlink(self):
         self._invalidate_documents()
         return super(Followers, self).unlink()
diff --git a/addons/mail/models/mail_mail.py b/addons/mail/models/mail_mail.py
index f9069021307fe6246763008364f499531ea4cbfc..e6d2506c00ae14d6dcc87d7138a7986951688feb 100644
--- a/addons/mail/models/mail_mail.py
+++ b/addons/mail/models/mail_mail.py
@@ -70,7 +70,6 @@ class MailMail(models.Model):
             new_mail.attachment_ids.check(mode='read')
         return new_mail
 
-    @api.multi
     def write(self, vals):
         res = super(MailMail, self).write(vals)
         if vals.get('attachment_ids'):
@@ -78,7 +77,6 @@ class MailMail(models.Model):
                 mail.attachment_ids.check(mode='read')
         return res
 
-    @api.multi
     def unlink(self):
         # cascade-delete the parent message for all mails that are not created for a notification
         mail_msg_cascade_ids = [mail.mail_message_id.id for mail in self if not mail.notification]
@@ -95,11 +93,9 @@ class MailMail(models.Model):
             self = self.with_context(dict(self._context, default_type=None))
         return super(MailMail, self).default_get(fields)
 
-    @api.multi
     def mark_outgoing(self):
         return self.write({'state': 'outgoing'})
 
-    @api.multi
     def cancel(self):
         return self.write({'state': 'cancel'})
 
@@ -142,7 +138,6 @@ class MailMail(models.Model):
             _logger.exception("Failed processing mail queue")
         return res
 
-    @api.multi
     def _postprocess_sent_message(self, success_pids, failure_reason=False, failure_type=None):
         """Perform any post-processing necessary after sending ``mail``
         successfully, including deleting it completely along with its
@@ -184,14 +179,12 @@ class MailMail(models.Model):
     # mail_mail formatting, tools and send mechanism
     # ------------------------------------------------------
 
-    @api.multi
     def _send_prepare_body(self):
         """Return a specific ir_email body. The main purpose of this method
         is to be inherited to add custom content depending on some module."""
         self.ensure_one()
         return self.body_html or ''
 
-    @api.multi
     def _send_prepare_values(self, partner=None):
         """Return a dictionary for specific email values, depending on a
         partner, or generic to the whole recipients given by mail.email_to.
@@ -212,7 +205,6 @@ class MailMail(models.Model):
         }
         return res
 
-    @api.multi
     def _split_by_server(self):
         """Returns an iterator of pairs `(mail_server_id, record_ids)` for current recordset.
 
@@ -230,7 +222,6 @@ class MailMail(models.Model):
             for mail_batch in tools.split_every(batch_size, record_ids):
                 yield server_id, mail_batch
 
-    @api.multi
     def send(self, auto_commit=False, raise_exception=False):
         """ Sends the selected emails immediately, ignoring their current
             state (mails that have already been sent should not be passed
@@ -271,7 +262,6 @@ class MailMail(models.Model):
                 if smtp_session:
                     smtp_session.quit()
 
-    @api.multi
     def _send(self, auto_commit=False, raise_exception=False, smtp_session=None):
         IrMailServer = self.env['ir.mail_server']
         IrAttachment = self.env['ir.attachment']
diff --git a/addons/mail/models/mail_message.py b/addons/mail/models/mail_message.py
index 45b71613a85f8cc6078443f7a50805f75779fccb..229fdb943eb6da4a2676ae45c501baaa4e82fe2a 100644
--- a/addons/mail/models/mail_message.py
+++ b/addons/mail/models/mail_message.py
@@ -129,7 +129,6 @@ class Message(models.Model):
     email_layout_xmlid = fields.Char('Layout', copy=False, oldname='layout')  # xml id of layout
     add_sign = fields.Boolean(default=True)
 
-    @api.multi
     def _get_needaction(self):
         """ Need action on a mail.message = notified on my channel """
         my_messages = self.env['mail.notification'].sudo().search([
@@ -145,7 +144,6 @@ class Message(models.Model):
             return ['&', ('notification_ids.res_partner_id', '=', self.env.user.partner_id.id), ('notification_ids.is_read', '=', False)]
         return ['&', ('notification_ids.res_partner_id', '=', self.env.user.partner_id.id), ('notification_ids.is_read', '=', True)]
 
-    @api.multi
     def _compute_has_error(self):
         error_from_notification = self.env['mail.notification'].sudo().search([
             ('mail_message_id', 'in', self.ids),
@@ -153,7 +151,6 @@ class Message(models.Model):
         for message in self:
             message.has_error = message in error_from_notification
 
-    @api.multi
     def _search_has_error(self, operator, operand):
         if operator == '=' and operand:
             return [('notification_ids.notification_status', 'in', ('bounce', 'exception'))]
@@ -173,7 +170,6 @@ class Message(models.Model):
             return [('starred_partner_ids', 'in', [self.env.user.partner_id.id])]
         return [('starred_partner_ids', 'not in', [self.env.user.partner_id.id])]
 
-    @api.multi
     def _compute_need_moderation(self):
         for message in self:
             message.need_moderation = False
@@ -237,7 +233,6 @@ class Message(models.Model):
 
         return ids
 
-    @api.multi
     def set_message_done(self):
         """ Remove the needaction from messages for the current partner. """
         partner_id = self.env.user.partner_id
@@ -290,7 +285,6 @@ class Message(models.Model):
         notification = {'type': 'toggle_star', 'message_ids': ids, 'starred': False}
         self.env['bus.bus'].sendone((self._cr.dbname, 'res.partner', self.env.user.partner_id.id), notification)
 
-    @api.multi
     def toggle_message_starred(self):
         """ Toggle messages as (un)starred. Technically, the notifications related
             to uid are set to (un)starred.
@@ -415,7 +409,6 @@ class Message(models.Model):
 
         return True
 
-    @api.multi
     def message_fetch_failed(self):
         messages = self.search([
             ('has_error', '=', True),
@@ -452,7 +445,6 @@ class Message(models.Model):
             messages = messages.sorted(key='id', reverse=True)[:limit]
         return messages.message_format()
 
-    @api.multi
     def message_format(self):
         """ Get the message values in the format for web client. Since message values can be broadcasted,
             computed fields MUST NOT BE READ and broadcasted.
@@ -527,7 +519,6 @@ class Message(models.Model):
                 message['module_icon'] = modules.module.get_module_icon(self.env[message['model']]._original_module)
         return message_values
 
-    @api.multi
     def _get_message_format_fields(self):
         return [
             'id', 'body', 'date', 'author_id', 'email_from',  # base message fields
@@ -550,7 +541,6 @@ class Message(models.Model):
             'module_icon': '/mail/static/src/img/smiley/mailfailure.jpg',
         }
 
-    @api.multi
     def _format_mail_failures(self):
         """ A shorter message to notify a failure update """
         failures_infos = []
@@ -574,7 +564,6 @@ class Message(models.Model):
             failures_infos.append(info)
         return failures_infos
 
-    @api.multi
     def _notify_mail_failure_update(self):
         messages = self.env['mail.message']
         for message in self:
@@ -606,7 +595,6 @@ class Message(models.Model):
         if not self._cr.fetchone():
             self._cr.execute("""CREATE INDEX mail_message_model_res_id_idx ON mail_message (model, res_id)""")
 
-    @api.multi
     def is_thread_message(self, vals=None):
         if vals:
             res_id = vals.get('res_id')
@@ -713,7 +701,6 @@ class Message(models.Model):
             id_list = [id for id in ids if id in final_ids]
             return id_list
 
-    @api.multi
     def check_access_rule(self, operation):
         """ Access rules of mail.message:
             - read: if
@@ -1010,7 +997,6 @@ class Message(models.Model):
             message_id = tools.generate_tracking_message_id('private')
         return message_id
 
-    @api.multi
     def _invalidate_documents(self, model=None, res_id=None):
         """ Invalidate the cache of the documents followed by ``self``. """
         for record in self:
@@ -1100,14 +1086,12 @@ class Message(models.Model):
 
         return message
 
-    @api.multi
     def read(self, fields=None, load='_classic_read'):
         """ Override to explicitely call check_access_rule, that is not called
             by the ORM. It instead directly fetches ir.rules and apply them. """
         self.check_access_rule('read')
         return super(Message, self).read(fields=fields, load=load)
 
-    @api.multi
     def write(self, vals):
         record_changed = 'model' in vals or 'res_id' in vals
         if record_changed or 'message_type' in vals:
@@ -1120,7 +1104,6 @@ class Message(models.Model):
             self._invalidate_documents()
         return res
 
-    @api.multi
     def unlink(self):
         # cascade-delete attachments that are directly attached to the message (should only happen
         # for mail.messages that act as parent for a standalone mail.mail record).
@@ -1139,7 +1122,6 @@ class Message(models.Model):
     # Moderation
     # --------------------------------------------------
 
-    @api.multi
     def moderate(self, decision, **kwargs):
         """ Moderate messages. A check is done on moderation status of the
         current user to ensure we only moderate valid messages. """
@@ -1151,7 +1133,6 @@ class Message(models.Model):
         if to_moderate:
             self.browse(to_moderate)._moderate(decision, **kwargs)
 
-    @api.multi
     def _moderate(self, decision, **kwargs):
         """ :param decision
                  * accept       - moderate message and broadcast that message to followers of relevant channels.
@@ -1200,7 +1181,6 @@ class Message(models.Model):
                 # message will always be a thread_message. This check should always be true.
                 self.env[message.model].browse(message.res_id)._notify_thread(message)
 
-    @api.multi
     def _moderate_send_reject_email(self, subject, comment):
         for msg in self:
             if not msg.email_from:
@@ -1221,7 +1201,6 @@ class Message(models.Model):
             }
             self.env['mail.mail'].sudo().create(vals)
 
-    @api.multi
     def _search_from_same_authors(self):
         """ Returns all pending moderation messages that have same email_from and
         same res_id as given recordset. """
@@ -1235,7 +1214,6 @@ class Message(models.Model):
             ])
         return messages
 
-    @api.multi
     def _moderate_discard(self):
         """ Notify deletion of messages to their moderators and authors and then delete them.
         """
diff --git a/addons/mail/models/mail_message_subtype.py b/addons/mail/models/mail_message_subtype.py
index 9c800793b471fb53ae3535ecf0cda74fb0ab4dfa..43922018e89e68f0442702829cde60b1f0c1f018 100644
--- a/addons/mail/models/mail_message_subtype.py
+++ b/addons/mail/models/mail_message_subtype.py
@@ -46,12 +46,10 @@ class MailMessageSubtype(models.Model):
         self.clear_caches()
         return super(MailMessageSubtype, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         self.clear_caches()
         return super(MailMessageSubtype, self).write(vals)
 
-    @api.multi
     def unlink(self):
         self.clear_caches()
         return super(MailMessageSubtype, self).unlink()
diff --git a/addons/mail/models/mail_notification.py b/addons/mail/models/mail_notification.py
index 571023450d992bda20d96626ddf91b434664ed6a..c89ce0fd57d5badf9f8cabf58eb83c792405e76a 100644
--- a/addons/mail/models/mail_notification.py
+++ b/addons/mail/models/mail_notification.py
@@ -51,7 +51,6 @@ class Notification(models.Model):
         if not self._cr.fetchone():
             self._cr.execute('CREATE INDEX mail_notification_res_partner_id_is_read_notification_status_mail_message_id ON mail_message_res_partner_needaction_rel (res_partner_id, is_read, notification_status, mail_message_id)')
 
-    @api.multi
     def format_failure_reason(self):
         self.ensure_one()
         if self.failure_type != 'UNKNOWN':
diff --git a/addons/mail/models/mail_template.py b/addons/mail/models/mail_template.py
index e657e1468373487fe4a9e28a820a8ef35fa8b028..cfcc72b08b36669ebb545843365580445c05579a 100644
--- a/addons/mail/models/mail_template.py
+++ b/addons/mail/models/mail_template.py
@@ -194,26 +194,22 @@ class MailTemplate(models.Model):
             self.sub_model_object_field = False
             self.null_value = False
 
-    @api.multi
     def unlink(self):
         self.unlink_action()
         return super(MailTemplate, self).unlink()
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         default = dict(default or {},
                        name=_("%s (copy)") % self.name)
         return super(MailTemplate, self).copy(default=default)
 
-    @api.multi
     def unlink_action(self):
         for template in self:
             if template.ref_ir_act_window:
                 template.ref_ir_act_window.unlink()
         return True
 
-    @api.multi
     def create_action(self):
         ActWindow = self.env['ir.actions.act_window']
         view = self.env.ref('mail.email_compose_message_wizard_form')
@@ -302,7 +298,6 @@ class MailTemplate(models.Model):
 
         return multi_mode and results or results[res_ids[0]]
 
-    @api.multi
     def get_email_template(self, res_ids):
         multi_mode = True
         if isinstance(res_ids, int):
@@ -332,7 +327,6 @@ class MailTemplate(models.Model):
 
         return multi_mode and results or results[res_ids[0]]
 
-    @api.multi
     def generate_recipients(self, results, res_ids):
         """Generates the recipients of the template. Default values can ben generated
         instead of the template values if requested by template or context.
@@ -370,7 +364,6 @@ class MailTemplate(models.Model):
             results[res_id]['partner_ids'] = partner_ids
         return results
 
-    @api.multi
     def generate_email(self, res_ids, fields=None):
         """Generates an email from the template for given the given model based on
         records given by res_ids.
@@ -463,7 +456,6 @@ class MailTemplate(models.Model):
     # EMAIL
     # ----------------------------------------
 
-    @api.multi
     def send_mail(self, res_id, force_send=False, raise_exception=False, email_values=None, notif_layout=False):
         """ Generates a new mail.mail. Template is rendered on record given by
         res_id and model coming from template.
diff --git a/addons/mail/models/mail_thread.py b/addons/mail/models/mail_thread.py
index 8a53e51cba2b5527de3781dc043eb48c9a94c850..37720077b661753a79ec7303892e2cf0b7906574 100644
--- a/addons/mail/models/mail_thread.py
+++ b/addons/mail/models/mail_thread.py
@@ -148,7 +148,6 @@ class MailThread(models.AbstractModel):
         # using read() below is much faster than followers.mapped('res_id')
         return [('id', 'in', [res['res_id'] for res in followers.read(['res_id'])])]
 
-    @api.multi
     @api.depends('message_follower_ids')
     def _compute_is_follower(self):
         followers = self.env['mail.followers'].sudo().search([
@@ -175,7 +174,6 @@ class MailThread(models.AbstractModel):
             # using read() below is much faster than followers.mapped('res_id')
             return [('id', 'not in', [res['res_id'] for res in followers.read(['res_id'])])]
 
-    @api.multi
     def _get_message_unread(self):
         partner_id = self.env.user.partner_id.id
         res = dict.fromkeys(self.ids, 0)
@@ -199,7 +197,6 @@ class MailThread(models.AbstractModel):
             record.message_unread_counter = res.get(record._origin.id, 0)
             record.message_unread = bool(record.message_unread_counter)
 
-    @api.multi
     def _get_message_needaction(self):
         res = dict.fromkeys(self.ids, 0)
         if self.ids:
@@ -220,7 +217,6 @@ class MailThread(models.AbstractModel):
     def _search_message_needaction(self, operator, operand):
         return [('message_ids.needaction', operator, operand)]
 
-    @api.multi
     def _compute_message_has_error(self):
         res = {}
         if self.ids:
@@ -240,7 +236,6 @@ class MailThread(models.AbstractModel):
     def _search_message_has_error(self, operator, operand):
         return ['&', ('message_ids.has_error', operator, operand), ('message_ids.author_id', '=', self.env.user.partner_id.id)]
 
-    @api.multi
     def _compute_message_attachment_count(self):
         read_group_var = self.env['ir.attachment'].read_group([('res_id', 'in', self.ids), ('res_model', '=', self._name)],
                                                               fields=['res_id'],
@@ -308,7 +303,6 @@ class MailThread(models.AbstractModel):
 
         return threads
 
-    @api.multi
     def write(self, values):
         if self._context.get('tracking_disable'):
             return super(MailThread, self).write(values)
@@ -337,7 +331,6 @@ class MailThread(models.AbstractModel):
                 track_self._message_track_post_template(changes)
         return result
 
-    @api.multi
     def unlink(self):
         """ Override unlink to delete messages and followers. This cannot be
         cascaded, because link is done through (res_model, res_id). """
@@ -350,7 +343,6 @@ class MailThread(models.AbstractModel):
         ).unlink()
         return res
 
-    @api.multi
     def copy_data(self, default=None):
         # avoid tracking multiple temporary changes during copy
         return super(MailThread, self.with_context(mail_notrack=True)).copy_data(default=default)
@@ -507,7 +499,6 @@ class MailThread(models.AbstractModel):
             check_operation = operation
         return check_operation
 
-    @api.multi
     def message_change_thread(self, new_thread):
         """
         Transfer the list of the mail thread messages from an model to another
@@ -567,7 +558,6 @@ class MailThread(models.AbstractModel):
         :returns: a subtype browse record or False if no subtype is trigerred
         """
 
-    @api.multi
     def _track_subtype(self, init_values):
         """ Give the subtypes triggered by the changes on the record according
         to values that have been updated.
@@ -579,11 +569,9 @@ class MailThread(models.AbstractModel):
         """
         return False
 
-    @api.multi
     def _track_template(self, changes):
         return dict()
 
-    @api.multi
     def _message_track_post_template(self, changes):
         if not changes:
             return True
@@ -597,7 +585,6 @@ class MailThread(models.AbstractModel):
                 self.message_post_with_template(template.id, **post_kwargs)
         return True
 
-    @api.multi
     def _message_track(self, tracked_fields, initial):
         """ For a given record, fields to check (tuple column name, column info)
         and initial values, return a structure that is a tuple containing :
@@ -625,7 +612,6 @@ class MailThread(models.AbstractModel):
 
         return changes, tracking_value_ids
 
-    @api.multi
     def message_track(self, tracked_fields, initial_values):
         """ Track updated values. Comparing the initial and current values of
         the fields given in tracked_fields, it generates a message containing
@@ -1177,7 +1163,6 @@ class MailThread(models.AbstractModel):
             data[name_field] = msg_dict.get('subject', '')
         return self.create(data)
 
-    @api.multi
     def message_update(self, msg_dict, update_vals=None):
         """Called by ``message_process`` when a new message is received
            for an existing thread. The default behavior is to update the record
@@ -1195,7 +1180,6 @@ class MailThread(models.AbstractModel):
             self.write(update_vals)
         return True
 
-    @api.multi
     def _message_receive_bounce(self, email, partner, mail_id=None):
         """Called by ``message_process`` when a bounce email (such as Undelivered
         Mail Returned to Sender) is received for an existing thread. The default
@@ -1439,7 +1423,6 @@ class MailThread(models.AbstractModel):
             res[record.id] = {'partner_ids': recipient_ids, 'email_to': email_to, 'email_cc': email_cc}
         return res
 
-    @api.multi
     def _message_add_suggested_recipient(self, result, partner=None, email=None, reason=''):
         """ Called by _message_get_suggested_recipients, to add a suggested
             recipient in the result dictionary. The form is :
@@ -1464,7 +1447,6 @@ class MailThread(models.AbstractModel):
             result[self.ids[0]].append((False, email, reason))
         return result
 
-    @api.multi
     def _message_get_suggested_recipients(self):
         """ Returns suggested recipients for ids. Those are a list of
         tuple (partner_id, partner_name, reason), to be managed by Chatter. """
@@ -1547,7 +1529,6 @@ class MailThread(models.AbstractModel):
             partners.append(partner)
         return partners
 
-    @api.multi
     def _message_partner_info_from_emails(self, emails, link_mail=False):
         """ Convert a list of emails into a list partner_ids and a list
             new_partner_ids. The return value is non conventional because
@@ -1672,7 +1653,6 @@ class MailThread(models.AbstractModel):
         return_values['attachment_ids'] = m2m_attachment_ids
         return return_values
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self,
                      body='', subject=None, message_type='notification',
@@ -1809,7 +1789,6 @@ class MailThread(models.AbstractModel):
         using already-computed values instead of having to rebrowse things. """
         pass
 
-    @api.multi
     def message_post_with_view(self, views_or_xmlid, **kwargs):
         """ Helper method to send a mail / post a message using a view_id to
         render using the ir.qweb engine. This method is stand alone, because
@@ -1834,7 +1813,6 @@ class MailThread(models.AbstractModel):
             kwargs['body'] = rendered_template
             record.message_post_with_template(False, **kwargs)
 
-    @api.multi
     def message_post_with_template(self, template_id, email_layout_xmlid=None, **kwargs):
         """ Helper method to send a mail with a template
             :param template_id : the id of the template to render to create the body of the message
@@ -1976,7 +1954,6 @@ class MailThread(models.AbstractModel):
     # Notification API
     # ------------------------------------------------------
 
-    @api.multi
     def _notify_thread(self, message, msg_vals=False, **kwargs):
         """ Main notification method. This method basically does two things
 
@@ -2252,7 +2229,6 @@ class MailThread(models.AbstractModel):
             'lang': lang,
         }
 
-    @api.multi
     def _notify_compute_recipients(self, message, msg_vals):
         """ Compute recipients to notify based on subtype and followers. This
         method returns data structured as expected for ``_notify_recipients``. """
@@ -2321,7 +2297,6 @@ class MailThread(models.AbstractModel):
         hm = hmac.new(secret.encode('utf-8'), token.encode('utf-8'), hashlib.sha1).hexdigest()
         return hm
 
-    @api.multi
     def _notify_get_action_link(self, link_type, **kwargs):
         local_kwargs = dict(kwargs)  # do not modify in-place, modify copy instead
         base_params = {
@@ -2354,7 +2329,6 @@ class MailThread(models.AbstractModel):
 
         return link
 
-    @api.multi
     def _notify_get_groups(self):
         """ Return groups used to classify recipients of a notification email.
         Groups is a list of tuple containing of form (group_name, group_func,
@@ -2394,7 +2368,6 @@ class MailThread(models.AbstractModel):
             )
         ]
 
-    @api.multi
     def _notify_classify_recipients(self, recipient_data, model_name):
         """ Classify recipients to be notified of a message in groups to have
         specific rendering depending on their group. For example users could
@@ -2459,7 +2432,6 @@ class MailThread(models.AbstractModel):
 
         return result
 
-    @api.multi
     def _notify_get_reply_to(self, default=None, records=None, company=None, doc_names=None):
         """ Returns the preferred reply-to email address when replying to a thread
         on documents. Documents are either given by self it this method is called
@@ -2544,7 +2516,6 @@ class MailThread(models.AbstractModel):
             return records._notify_get_reply_to(default=default, company=company, doc_names=doc_names)
         return self._notify_get_reply_to(default=default, records=records, company=company, doc_names=doc_names)
 
-    @api.multi
     def _notify_email_recipient_values(self, recipient_ids):
         """ Format email notification recipient values to store on the notification
         mail.mail. Basic method just set the recipient partners as mail_mail
@@ -2561,7 +2532,6 @@ class MailThread(models.AbstractModel):
     # Followers API
     # ------------------------------------------------------
 
-    @api.multi
     def message_subscribe(self, partner_ids=None, channel_ids=None, subtype_ids=None):
         """ Main public API to add followers to a record set. Its main purpose is
         to perform access rights checks before calling ``_message_subscribe``. """
@@ -2618,7 +2588,6 @@ class MailThread(models.AbstractModel):
 
         return True
 
-    @api.multi
     def message_unsubscribe(self, partner_ids=None, channel_ids=None):
         """ Remove partners from the records followers. """
         # not necessary for computation, but saves an access right check
@@ -2673,7 +2642,6 @@ class MailThread(models.AbstractModel):
                 pass
         return []
 
-    @api.multi
     def _message_auto_subscribe_notify(self, partner_ids, template):
         """ Notify new followers, using a template to render the content of the
         notification message. Notifications pushed are done using the standard
@@ -2708,7 +2676,6 @@ class MailThread(models.AbstractModel):
                 model_description=model_description,
             )
 
-    @api.multi
     def _message_auto_subscribe(self, updated_values):
         """ Handle auto subscription. Auto subscription is done based on two
         main mechanisms
diff --git a/addons/mail/models/mail_tracking_value.py b/addons/mail/models/mail_tracking_value.py
index e99e2fec946138000c8e81bda85e6924a6335014..499ad86f5a78817ac5deb12173715ac762fbed15 100644
--- a/addons/mail/models/mail_tracking_value.py
+++ b/addons/mail/models/mail_tracking_value.py
@@ -81,7 +81,6 @@ class MailTracking(models.Model):
             return values
         return {}
 
-    @api.multi
     def get_display_value(self, type):
         assert type in ('new', 'old')
         result = []
@@ -106,12 +105,10 @@ class MailTracking(models.Model):
                 result.append(record['%s_value_char' % type])
         return result
 
-    @api.multi
     def get_old_display_value(self):
         # grep : # old_value_integer | old_value_datetime | old_value_char
         return self.get_display_value('old')
 
-    @api.multi
     def get_new_display_value(self):
         # grep : # new_value_integer | new_value_datetime | new_value_char
         return self.get_display_value('new')
diff --git a/addons/mail/models/models.py b/addons/mail/models/models.py
index e15bad70166e100e71c80898e0848ce0c8480b3d..8c407ea45356048596b3d0b4ea5ac59035846419 100644
--- a/addons/mail/models/models.py
+++ b/addons/mail/models/models.py
@@ -18,7 +18,6 @@ class BaseModel(models.AbstractModel):
         templates = E.templates(activity_box)
         return E.activity(templates, string=self._description)
 
-    @api.multi
     def _notify_email_headers(self):
         """
             Generate the email headers based on record
diff --git a/addons/mail/models/res_company.py b/addons/mail/models/res_company.py
index 45011902e83cce3ed0fd9e8d99ceb92a23da269a..e1223bf3192f68a9cdae9f3bd601cfb459ae3504 100644
--- a/addons/mail/models/res_company.py
+++ b/addons/mail/models/res_company.py
@@ -10,7 +10,6 @@ class Company(models.Model):
 
     catchall = fields.Char(string="Catchall Email", compute="_compute_catchall")
 
-    @api.multi
     def _compute_catchall(self):
         ConfigParameter = self.env['ir.config_parameter'].sudo()
         alias = ConfigParameter.get_param('mail.catchall.alias')
diff --git a/addons/mail/models/res_partner.py b/addons/mail/models/res_partner.py
index e2abaf7d75bebfa90ef12a7e010b6a7bdffc1656..ab32936b79c9034bca2a44c443e8120b14051e74 100644
--- a/addons/mail/models/res_partner.py
+++ b/addons/mail/models/res_partner.py
@@ -22,14 +22,12 @@ class Partner(models.Model):
     # override the field to track the visibility of user
     user_id = fields.Many2one(tracking=True)
 
-    @api.multi
     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
 
-    @api.multi
     def _message_get_default_recipients(self):
         return {r.id: {
             'partner_ids': [r.id],
diff --git a/addons/mail/models/res_users.py b/addons/mail/models/res_users.py
index c7c2142058530bdddaf97586941b1b60bd05a287..07be8de63eec428480ec78778a1dc6c60fc6ecd7 100644
--- a/addons/mail/models/res_users.py
+++ b/addons/mail/models/res_users.py
@@ -41,7 +41,6 @@ class Users(models.Model):
     out_of_office_message = fields.Char(string='Message')
 
     @api.depends('moderation_channel_ids.moderation', 'moderation_channel_ids.moderator_ids')
-    @api.multi
     def _compute_is_moderator(self):
         moderated = self.env['mail.channel'].search([
             ('id', 'in', self.mapped('moderation_channel_ids').ids),
@@ -52,7 +51,6 @@ class Users(models.Model):
         for user in self:
             user.is_moderator = user in user_ids
 
-    @api.multi
     def _compute_moderation_counter(self):
         self._cr.execute("""
 SELECT channel_moderator.res_users_id, COUNT(msg.id)
@@ -93,7 +91,6 @@ GROUP BY channel_moderator.res_users_id""", [tuple(self.ids)])
         self.env['mail.channel'].search([('group_ids', 'in', user.groups_id.ids)])._subscribe_users()
         return user
 
-    @api.multi
     def write(self, vals):
         write_res = super(Users, self).write(vals)
         sel_groups = [vals[k] for k in vals if is_selection_groups(k) and vals[k]]
@@ -159,7 +156,6 @@ class res_groups_mail_channel(models.Model):
     _inherit = 'res.groups'
     _description = 'Access Groups'
 
-    @api.multi
     def write(self, vals, context=None):
         write_res = super(res_groups_mail_channel, self).write(vals)
         if vals.get('users'):
diff --git a/addons/mail/models/update.py b/addons/mail/models/update.py
index 54cbc98ffef290815c20ea93d751033c54878273..5f3a1d70c40baaf8f5bc6469b58a8e8f857a9fd2 100644
--- a/addons/mail/models/update.py
+++ b/addons/mail/models/update.py
@@ -79,7 +79,6 @@ class PublisherWarrantyContract(AbstractModel):
         r.raise_for_status()
         return literal_eval(r.text)
 
-    @api.multi
     def update_notification(self, cron_mode=True):
         """
         Send a message to Odoo's publisher warranty server to check the
diff --git a/addons/mail/wizard/base_partner_merge.py b/addons/mail/wizard/base_partner_merge.py
index d31749cacad4f1d1eb77ec41bd74b90a77ed5c80..aed2cefd723f3ad17aa5cec743b16d606d672661 100644
--- a/addons/mail/wizard/base_partner_merge.py
+++ b/addons/mail/wizard/base_partner_merge.py
@@ -7,7 +7,6 @@ class MergePartnerAutomatic(models.TransientModel):
 
     _inherit = 'base.partner.merge.automatic.wizard'
 
-    @api.multi
     def _log_merge_operation(self, src_partners, dst_partner):
         super(MergePartnerAutomatic, self)._log_merge_operation(src_partners, dst_partner)
         dst_partner.message_post(body='%s %s' % (_("Merged with the following partners:"), ", ".join('%s <%s> (ID %s)' % (p.name, p.email or 'n/a', p.id) for p in src_partners)))
diff --git a/addons/mail/wizard/email_template_preview.py b/addons/mail/wizard/email_template_preview.py
index 95b9f9208c5b9142dcbbfd236019153c56006b76..244cdb295bc155826f4e5f2c292c105edd58e778 100644
--- a/addons/mail/wizard/email_template_preview.py
+++ b/addons/mail/wizard/email_template_preview.py
@@ -45,7 +45,6 @@ class TemplatePreview(models.TransientModel):
     preview_lang = fields.Selection(_get_languages, string='Template Preview Language')
 
     @api.onchange('res_id', 'preview_lang')
-    @api.multi
     def on_change_res_id(self):
         if not self.res_id:
             return {}
diff --git a/addons/mail/wizard/invite.py b/addons/mail/wizard/invite.py
index 5c7889b6a7617663c05fbd73ae863a0d16719722..34f42159cd4957e7bde3bf349b4e57e0cea6d317 100644
--- a/addons/mail/wizard/invite.py
+++ b/addons/mail/wizard/invite.py
@@ -46,7 +46,6 @@ class Invite(models.TransientModel):
     message = fields.Html('Message')
     send_mail = fields.Boolean('Send Email', default=True, help="If checked, the partners will receive an email warning they have been added in the document's followers.")
 
-    @api.multi
     def add_followers(self):
         email_from = self.env['mail.message']._get_default_from()
         for wizard in self:
diff --git a/addons/mail/wizard/mail_compose_message.py b/addons/mail/wizard/mail_compose_message.py
index 55cd6740b4b9181669958ceab6338c69061bad55..ac05a1cf2a0d7d8999a953980520064fb2322228 100644
--- a/addons/mail/wizard/mail_compose_message.py
+++ b/addons/mail/wizard/mail_compose_message.py
@@ -204,13 +204,11 @@ class MailComposer(models.TransientModel):
     #------------------------------------------------------
     # action buttons call with positionnal arguments only, so we need an intermediary function
     # to ensure the context is passed correctly
-    @api.multi
     def action_send_mail(self):
         self.send_mail()
         return {'type': 'ir.actions.act_window_close', 'infos': 'mail_sent'}
 
 
-    @api.multi
     def send_mail(self, auto_commit=False):
         """ Process the wizard content and proceed with sending the related
             email(s), rendering any template patterns on the fly if needed. """
@@ -289,7 +287,6 @@ class MailComposer(models.TransientModel):
                 if wizard.composition_mode == 'mass_mail':
                     batch_mails.send(auto_commit=auto_commit)
 
-    @api.multi
     def get_mail_values(self, res_ids):
         """Generate the values that will be used by send_mail to create mail_messages
         or mail_mails. """
@@ -380,7 +377,6 @@ class MailComposer(models.TransientModel):
     # Template methods
     #------------------------------------------------------
 
-    @api.multi
     @api.onchange('template_id')
     def onchange_template_id_wrapper(self):
         self.ensure_one()
@@ -388,7 +384,6 @@ class MailComposer(models.TransientModel):
         for fname, value in values.items():
             setattr(self, fname, value)
 
-    @api.multi
     def onchange_template_id(self, template_id, composition_mode, model, res_id):
         """ - mass_mailing: we cannot render, so return the template values
             - normal mode: return rendered values
@@ -434,7 +429,6 @@ class MailComposer(models.TransientModel):
 
         return {'value': values}
 
-    @api.multi
     def save_as_template(self):
         """ hit save as template button: current form value will be a new
             template attached to the current document. """
@@ -459,7 +453,6 @@ class MailComposer(models.TransientModel):
     # Template rendering
     #------------------------------------------------------
 
-    @api.multi
     def render_message(self, res_ids):
         """Generate template-based values of wizard, for the document records given
         by res_ids. This method is meant to be inherited by email_template that
diff --git a/addons/mail/wizard/mail_resend_cancel.py b/addons/mail/wizard/mail_resend_cancel.py
index f3bb83077549e8f13394f23abb84db8ea1396266..7f2c5d334fb43496cfe02dcb50e4342500168998 100644
--- a/addons/mail/wizard/mail_resend_cancel.py
+++ b/addons/mail/wizard/mail_resend_cancel.py
@@ -11,13 +11,11 @@ class MailResendCancel(models.TransientModel):
     model = fields.Char(string='Model')
     help_message = fields.Char(string='Help message', compute='_compute_help_message')
 
-    @api.multi
     @api.depends('model')
     def _compute_help_message(self):
         for wizard in self:
             wizard.help_message = _("Are you sure you want to discard %s mail delivery failures. You won't be able to re-send these mails later!") % (wizard._context.get('unread_counter'))
 
-    @api.multi
     def cancel_resend_action(self):
         author_id = self.env.user.partner_id.id
         for wizard in self:
diff --git a/addons/mail/wizard/mail_resend_message.py b/addons/mail/wizard/mail_resend_message.py
index 9c72944961be1b85c612048e3bc1ca37c7a33462..dc659681dac9a6fbe581a42e20c3ce36e85aabbb 100644
--- a/addons/mail/wizard/mail_resend_message.py
+++ b/addons/mail/wizard/mail_resend_message.py
@@ -49,7 +49,6 @@ class MailResendMessage(models.TransientModel):
             raise UserError('No message_id found in context')
         return rec
 
-    @api.multi
     def resend_mail_action(self):
         """ Process the wizard content and proceed with sending the related
             email(s), rendering any template patterns on the fly if needed. """
@@ -79,7 +78,6 @@ class MailResendMessage(models.TransientModel):
             self.mail_message_id._notify_mail_failure_update()
         return {'type': 'ir.actions.act_window_close'}
 
-    @api.multi
     def cancel_mail_action(self):
         for wizard in self:
             for notif in wizard.notification_ids:
diff --git a/addons/maintenance/models/maintenance.py b/addons/maintenance/models/maintenance.py
index 1978129da6e2aa90daf0bbc2c3eee64793482f0c..73a303473994b74e4c12b628b5b7402251d9c412 100644
--- a/addons/maintenance/models/maintenance.py
+++ b/addons/maintenance/models/maintenance.py
@@ -46,14 +46,12 @@ class MaintenanceEquipmentCategory(models.Model):
         "create new maintenance request for this equipment category.")
     fold = fields.Boolean(string='Folded in Maintenance Pipe', compute='_compute_fold', store=True)
 
-    @api.multi
     def _compute_equipment_count(self):
         equipment_data = self.env['maintenance.equipment'].read_group([('category_id', 'in', self.ids)], ['category_id'], ['category_id'])
         mapped_data = dict([(m['category_id'][0], m['category_id_count']) for m in equipment_data])
         for category in self:
             category.equipment_count = mapped_data.get(category.id, 0)
 
-    @api.multi
     def _compute_maintenance_count(self):
         maintenance_data = self.env['maintenance.request'].read_group([('category_id', 'in', self.ids)], ['category_id'], ['category_id'])
         mapped_data = dict([(m['category_id'][0], m['category_id_count']) for m in maintenance_data])
@@ -69,7 +67,6 @@ class MaintenanceEquipmentCategory(models.Model):
         category_id.alias_id.write({'alias_parent_thread_id': category_id.id, 'alias_defaults': {'category_id': category_id.id}})
         return category_id
 
-    @api.multi
     def unlink(self):
         MailAlias = self.env['mail.alias']
         for category in self:
@@ -94,14 +91,12 @@ class MaintenanceEquipment(models.Model):
     _inherit = ['mail.thread', 'mail.activity.mixin']
     _description = 'Maintenance Equipment'
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'owner_user_id' in init_values and self.owner_user_id:
             return self.env.ref('maintenance.mt_mat_assign')
         return super(MaintenanceEquipment, self)._track_subtype(init_values)
 
-    @api.multi
     def name_get(self):
         result = []
         for record in self:
@@ -211,7 +206,6 @@ class MaintenanceEquipment(models.Model):
             equipment.message_subscribe(partner_ids=[equipment.owner_user_id.partner_id.id])
         return equipment
 
-    @api.multi
     def write(self, vals):
         if vals.get('owner_user_id'):
             self.message_subscribe(partner_ids=self.env['res.users'].browse(vals['owner_user_id']).partner_id.ids)
@@ -264,11 +258,9 @@ class MaintenanceRequest(models.Model):
     def _default_stage(self):
         return self.env['maintenance.stage'].search([], limit=1)
 
-    @api.multi
     def _creation_subtype(self):
         return self.env.ref('maintenance.mt_req_created')
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'stage_id' in init_values:
@@ -307,11 +299,9 @@ class MaintenanceRequest(models.Model):
     maintenance_team_id = fields.Many2one('maintenance.team', string='Team', required=True, default=_get_default_team_id)
     duration = fields.Float(help="Duration in hours.")
 
-    @api.multi
     def archive_equipment_request(self):
         self.write({'archive': True})
 
-    @api.multi
     def reset_equipment_request(self):
         """ Reinsert the maintenance request into the maintenance pipe in the first stage"""
         first_stage_obj = self.env['maintenance.stage'].search([], order="sequence asc", limit=1)
@@ -342,7 +332,6 @@ class MaintenanceRequest(models.Model):
         request.activity_update()
         return request
 
-    @api.multi
     def write(self, vals):
         # Overridden to reset the kanban_state to normal whenever
         # the stage (stage_id) of the Maintenance Request changes.
diff --git a/addons/mass_mailing/models/mail_mail.py b/addons/mass_mailing/models/mail_mail.py
index 34ef0472c7eda315c6cd54b66994b4dd782c68d7..a4de6be697284ce88d96af350b0c77bf1dd860fd 100644
--- a/addons/mass_mailing/models/mail_mail.py
+++ b/addons/mass_mailing/models/mail_mail.py
@@ -52,7 +52,6 @@ class MailMail(models.Model):
         )
         return url
 
-    @api.multi
     def _send_prepare_body(self):
         """ Override to add the tracking URL to the body and to add
         Statistic_id in shorted urls """
@@ -80,7 +79,6 @@ class MailMail(models.Model):
 
         return body
 
-    @api.multi
     def _send_prepare_values(self, partner=None):
         # TDE: temporary addition (mail was parameter) due to semi-new-API
         res = super(MailMail, self)._send_prepare_values(partner)
@@ -94,7 +92,6 @@ class MailMail(models.Model):
                 res['body'] = res['body'].replace(link_to_replace, unsubscribe_url if unsubscribe_url else '#')
         return res
 
-    @api.multi
     def _postprocess_sent_message(self, success_pids, failure_reason=False, failure_type=None):
         mail_sent = not failure_type  # we consider that a recipient error is a failure with mass mailling and show them as failed
         for mail in self:
diff --git a/addons/mass_mailing/models/mail_thread.py b/addons/mass_mailing/models/mail_thread.py
index 4797fdfbff18446db33bd3182403d4feade4c1b5..5195672eead33de713676f7f9cb13d04cfc6a544 100644
--- a/addons/mass_mailing/models/mail_thread.py
+++ b/addons/mass_mailing/models/mail_thread.py
@@ -43,7 +43,6 @@ class MailThread(models.AbstractModel):
             self.env['mail.mail.statistics'].set_replied(mail_message_ids=message_ids)
         return super(MailThread, self).message_route_process(message, message_dict, routes)
 
-    @api.multi
     def message_post_with_template(self, template_id, **kwargs):
         # avoid having message send through `message_post*` methods being implicitly considered as
         # mass-mailing
@@ -53,7 +52,6 @@ class MailThread(models.AbstractModel):
         )
         return super(MailThread, no_massmail).message_post_with_template(template_id, **kwargs)
 
-    @api.multi
     def _message_receive_bounce(self, email, partner, mail_id=None):
         """In addition, an auto blacklist rule check if the email can be blacklisted
         to avoid sending mails indefinitely to this email address.
diff --git a/addons/mass_mailing/models/mass_mailing.py b/addons/mass_mailing/models/mass_mailing.py
index 4b049edd3b231acf3ddfb779031e7e62293c60a7..f4f598cf3c9f652d4f4f9ea69d58622fcc8bdcc1 100644
--- a/addons/mass_mailing/models/mass_mailing.py
+++ b/addons/mass_mailing/models/mass_mailing.py
@@ -75,7 +75,6 @@ class MassMailingContactListRel(models.Model):
             vals['unsubscription_date'] = vals['opt_out'] and fields.Datetime.now()
         return super(MassMailingContactListRel, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         if 'opt_out' in vals:
             vals['unsubscription_date'] = vals['opt_out'] and fields.Datetime.now()
@@ -133,11 +132,9 @@ class MassMailingList(models.Model):
         for mailing_list in self:
             mailing_list.contact_nbr = data.get(mailing_list.id, 0)
 
-    @api.multi
     def name_get(self):
         return [(list.id, "%s (%s)" % (list.name, list.contact_nbr)) for list in self]
 
-    @api.multi
     def action_merge(self, src_lists, archive):
         """
             Insert all the contact from the mailing lists 'src_lists' to the
@@ -200,7 +197,6 @@ class MassMailingList(models.Model):
         if archive:
             (src_lists - self).write({'active': False})
 
-    @api.multi
     def close_dialog(self):
         return {'type': 'ir.actions.act_window_close'}
 
@@ -285,7 +281,6 @@ class MassMailingContact(models.Model):
         contact = self.create({'name': name, 'email': email, 'list_ids': [(4, list_id)]})
         return contact.name_get()[0]
 
-    @api.multi
     def _message_get_default_recipients(self):
         return {r.id: {
             'partner_ids': [],
@@ -578,7 +573,6 @@ class MassMailing(models.Model):
             row['bounced_ratio'] = 100.0 * row['bounced'] / total
             self.browse(row.pop('mailing_id')).update(row)
 
-    @api.multi
     def _unsubscribe_token(self, res_id, email):
         """Generate a secure hash for this mailing list and parameters.
 
@@ -654,7 +648,6 @@ class MassMailing(models.Model):
             vals['subject'] = vals['name']
         return super(MassMailing, self).create(vals)
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         self.ensure_one()
@@ -734,7 +727,6 @@ class MassMailing(models.Model):
     # Views & Actions
     #------------------------------------------------------
 
-    @api.multi
     def action_duplicate(self):
         self.ensure_one()
         mass_mailing_copy = self.copy()
@@ -750,7 +742,6 @@ class MassMailing(models.Model):
             }
         return False
 
-    @api.multi
     def action_test_mailing(self):
         self.ensure_one()
         ctx = dict(self.env.context, default_mass_mailing_id=self.id)
@@ -763,22 +754,18 @@ class MassMailing(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     def action_schedule_date(self):
         self.ensure_one()
         action = self.env.ref('mass_mailing.mass_mailing_schedule_date_action').read()[0]
         action['context'] = dict(self.env.context, default_mass_mailing_id=self.id)
         return action
 
-    @api.multi
     def put_in_queue(self):
         self.write({'state': 'in_queue'})
 
-    @api.multi
     def cancel_mass_mailing(self):
         self.write({'state': 'draft', 'schedule_date': False})
 
-    @api.multi
     def retry_failed_mail(self):
         failed_mails = self.env['mail.mail'].search([('mailing_id', 'in', self.ids), ('state', '=', 'exception')])
         failed_mails.mapped('statistics_ids').unlink()
diff --git a/addons/mass_mailing/wizard/mail_compose_message.py b/addons/mass_mailing/wizard/mail_compose_message.py
index 3f88e62552b236f88fe3f863f77b8f5b8e51c191..3f5c0c03e2ea7dd345cd1c6ecdfdb5a67dac88d3 100644
--- a/addons/mass_mailing/wizard/mail_compose_message.py
+++ b/addons/mass_mailing/wizard/mail_compose_message.py
@@ -14,7 +14,6 @@ class MailComposeMessage(models.TransientModel):
     mass_mailing_name = fields.Char(string='Mass Mailing Name')
     mailing_list_ids = fields.Many2many('mail.mass_mailing.list', string='Mailing List')
 
-    @api.multi
     def get_mail_values(self, res_ids):
         """ Override method that generated the mail content by creating the
         mail.mail.statistics values in the o2m of mail_mail, when doing pure
diff --git a/addons/mass_mailing/wizard/mass_mailing_list_merge.py b/addons/mass_mailing/wizard/mass_mailing_list_merge.py
index c71661b668ef3bfbd209268074c618a405f54baf..9a1a0f4409f2359c48bd906b791ae6caa1202cd2 100644
--- a/addons/mass_mailing/wizard/mass_mailing_list_merge.py
+++ b/addons/mass_mailing/wizard/mass_mailing_list_merge.py
@@ -27,7 +27,6 @@ class MassMailingListMerge(models.TransientModel):
         })
         return res
 
-    @api.multi
     def action_mailing_lists_merge(self):
         if self.merge_options == 'new':
             self.dest_list_id = self.env['mail.mass_mailing.list'].create({
diff --git a/addons/mass_mailing/wizard/test_mailing.py b/addons/mass_mailing/wizard/test_mailing.py
index 7f2459d4a0772ddf9afa8b3e6e84cd1252cb1eff..ba66510ca68be0da51afe48e59428ffd1fbe7c41 100644
--- a/addons/mass_mailing/wizard/test_mailing.py
+++ b/addons/mass_mailing/wizard/test_mailing.py
@@ -12,7 +12,6 @@ class TestMassMailing(models.TransientModel):
                            help='Comma-separated list of email addresses.', default=lambda self: self.env['mail.message']._get_default_from())
     mass_mailing_id = fields.Many2one('mail.mass_mailing', string='Mailing', required=True, ondelete='cascade')
 
-    @api.multi
     def send_mail_test(self):
         self.ensure_one()
         mails = self.env['mail.mail']
diff --git a/addons/mass_mailing_crm/models/mass_mailing.py b/addons/mass_mailing_crm/models/mass_mailing.py
index 55749142d3f43c5e3ff89723900537c23b4e5b2b..2faede45ed0dab764ee86a622c602ca0e6d0890e 100644
--- a/addons/mass_mailing_crm/models/mass_mailing.py
+++ b/addons/mass_mailing_crm/models/mass_mailing.py
@@ -31,14 +31,12 @@ class MassMailing(models.Model):
                 mass_mailing.crm_lead_count = 0
                 mass_mailing.crm_opportunities_count = lead_and_opportunities_count
 
-    @api.multi
     def action_redirect_to_leads(self):
         action = self.env.ref('crm.crm_lead_all_leads').read()[0]
         action['domain'] = self._get_crm_utm_domain()
         action['context'] = {'default_type': 'lead', 'active_test': False}
         return action
 
-    @api.multi
     def action_redirect_to_opportunities(self):
         action = self.env.ref('crm.crm_lead_opportunities').read()[0]
         action['view_mode'] = 'tree,kanban,graph,pivot,form,calendar'
diff --git a/addons/mass_mailing_sale/models/mass_mailing.py b/addons/mass_mailing_sale/models/mass_mailing.py
index 3287f5cf08b636c8ea718b95d6af4152c60bbe3a..85b797a839e62dee217c6c4fcc4909bea4623d14 100644
--- a/addons/mass_mailing_sale/models/mass_mailing.py
+++ b/addons/mass_mailing_sale/models/mass_mailing.py
@@ -33,14 +33,12 @@ class MassMailing(models.Model):
             else:
                 mass_mailing.sale_invoiced_amount = 0
 
-    @api.multi
     def action_redirect_to_quotations(self):
         action = self.env.ref('sale.action_quotations_with_onboarding').read()[0]
         action['domain'] = self._get_sale_utm_domain()
         action['context'] = {'default_type': 'lead'}
         return action
 
-    @api.multi
     def action_redirect_to_invoiced(self):
         action = self.env.ref('account.view_move_form').read()[0]
         invoices = self.env['sale.order'].search(self._get_sale_utm_domain()).mapped('invoice_ids')
diff --git a/addons/membership/models/account_move.py b/addons/membership/models/account_move.py
index 62b7526eae54743731e7a6bf8ccf3dc293006126..06db8a82ce9f32f74a8fca42b824124278ab453d 100644
--- a/addons/membership/models/account_move.py
+++ b/addons/membership/models/account_move.py
@@ -9,7 +9,6 @@ from datetime import date
 class AccountMove(models.Model):
     _inherit = 'account.move'
 
-    @api.multi
     def button_draft(self):
         # OVERRIDE to update the cancel date.
         res = super(AccountMove, self).button_draft()
@@ -19,7 +18,6 @@ class AccountMove(models.Model):
             ]).write({'date_cancel': False})
         return res
 
-    @api.multi
     def button_cancel(self):
         # OVERRIDE to update the cancel date.
         res = super(AccountMove, self).button_cancel()
@@ -29,7 +27,6 @@ class AccountMove(models.Model):
             ]).write({'date_cancel': fields.Date.today()})
         return res
 
-    @api.multi
     def write(self, vals):
         # OVERRIDE to write the partner on the membership lines.
         res = super(AccountMove, self).write(vals)
@@ -43,7 +40,6 @@ class AccountMove(models.Model):
 class AccountMoveLine(models.Model):
     _inherit = 'account.move.line'
 
-    @api.multi
     def write(self, vals):
         # OVERRIDE
         res = super(AccountMoveLine, self).write(vals)
diff --git a/addons/membership/models/partner.py b/addons/membership/models/partner.py
index 03b69268a12680822b41cc4b59c9537719e2fcc9..3df55ae8d96e3ae4919c60cc028a31c44ad4c5ae 100644
--- a/addons/membership/models/partner.py
+++ b/addons/membership/models/partner.py
@@ -114,7 +114,6 @@ class Partner(models.Model):
         partners._recompute_todo(self._fields['membership_state'])
         self.recompute()
 
-    @api.multi
     def create_membership_invoice(self, product, amount):
         """ Create Customer Invoice of Membership for partners.
         """
diff --git a/addons/membership/wizard/membership_invoice.py b/addons/membership/wizard/membership_invoice.py
index 8502111a923f6114e22ce93e462e53cf33a402d6..e1228e3aacbca5afb094c0f5c4c24d6306fbe339 100644
--- a/addons/membership/wizard/membership_invoice.py
+++ b/addons/membership/wizard/membership_invoice.py
@@ -18,7 +18,6 @@ class MembershipInvoice(models.TransientModel):
         price_dict = self.product_id.price_compute('list_price')
         self.member_price = price_dict.get(self.product_id.id) or False
 
-    @api.multi
     def membership_invoice(self):
         invoice_list = self.env['res.partner'].browse(self._context.get('active_ids')).create_membership_invoice(self.product_id, self.member_price)
 
diff --git a/addons/mrp/models/mrp_bom.py b/addons/mrp/models/mrp_bom.py
index ca46c616e52cee53928b110c6461fc200d8e9af2..26be8ffcdf5f2b9b3b75fb9750b25ff455995ecf 100644
--- a/addons/mrp/models/mrp_bom.py
+++ b/addons/mrp/models/mrp_bom.py
@@ -110,11 +110,9 @@ class MrpBom(models.Model):
         for line in self.bom_line_ids:
             line.operation_id = False
 
-    @api.multi
     def name_get(self):
         return [(bom.id, '%s%s' % (bom.code and '%s: ' % bom.code or '', bom.product_tmpl_id.display_name)) for bom in self]
 
-    @api.multi
     def unlink(self):
         if self.env['mrp.production'].search([('bom_id', 'in', self.ids), ('state', 'not in', ['done', 'cancel'])], limit=1):
             raise UserError(_('You can not delete a Bill of Material with running manufacturing orders.\nPlease close or cancel it first.'))
@@ -336,7 +334,6 @@ class MrpBomLine(models.Model):
                     return True
         return False
 
-    @api.multi
     def action_see_attachments(self):
         domain = [
             '|',
diff --git a/addons/mrp/models/mrp_production.py b/addons/mrp/models/mrp_production.py
index 81c2cce85480dc5f8aa7234c481c4668cf5089a5..5131ad30b2d8c41e893e06075ac3a9b327b66605 100644
--- a/addons/mrp/models/mrp_production.py
+++ b/addons/mrp/models/mrp_production.py
@@ -248,7 +248,6 @@ class MrpProduction(models.Model):
         for production in self:
             production.finished_move_line_ids = production.move_finished_ids.mapped('move_line_ids')
 
-    @api.multi
     @api.depends('bom_id.routing_id', 'bom_id.routing_id.operation_ids')
     def _compute_routing(self):
         for production in self:
@@ -257,7 +256,6 @@ class MrpProduction(models.Model):
             else:
                 production.routing_id = False
 
-    @api.multi
     @api.depends('workorder_ids')
     def _compute_workorder_count(self):
         data = self.env['mrp.workorder'].read_group([('production_id', 'in', self.ids)], ['production_id'], ['production_id'])
@@ -265,7 +263,6 @@ class MrpProduction(models.Model):
         for production in self:
             production.workorder_count = count_data.get(production.id, 0)
 
-    @api.multi
     @api.depends('workorder_ids.state')
     def _compute_workorder_done_count(self):
         data = self.env['mrp.workorder'].read_group([
@@ -275,7 +272,6 @@ class MrpProduction(models.Model):
         for production in self:
             production.workorder_done_count = count_data.get(production.id, 0)
 
-    @api.multi
     @api.depends('move_raw_ids.state', 'move_finished_ids.state', 'workorder_ids', 'workorder_ids.state', 'qty_produced', 'move_raw_ids.quantity_done', 'product_qty')
     def _compute_state(self):
         """ Compute the production state. It use the same process than stock
@@ -329,7 +325,6 @@ class MrpProduction(models.Model):
             any_quantity_done = any([m.quantity_done > 0 for m in order.move_raw_ids])
             order.unreserve_visible = not any_quantity_done and already_reserved
 
-    @api.multi
     @api.depends('move_raw_ids.quantity_done', 'move_finished_ids.quantity_done', 'is_locked')
     def _compute_post_visible(self):
         for order in self:
@@ -338,7 +333,6 @@ class MrpProduction(models.Model):
             else:
                 order.post_visible = order.is_locked and any((x.quantity_done > 0 and x.state not in ['done', 'cancel']) for x in order.move_finished_ids)
 
-    @api.multi
     @api.depends('workorder_ids.state', 'move_finished_ids', 'move_finished_ids.quantity_done', 'is_locked')
     def _get_produced_qty(self):
         for production in self:
@@ -347,14 +341,12 @@ class MrpProduction(models.Model):
             production.qty_produced = qty_produced
         return True
 
-    @api.multi
     def _compute_scrap_move_count(self):
         data = self.env['stock.scrap'].read_group([('production_id', 'in', self.ids)], ['production_id'], ['production_id'])
         count_data = dict((item['production_id'][0], item['production_id_count']) for item in data)
         for production in self:
             production.scrap_count = count_data.get(production.id, 0)
 
-    @api.multi
     @api.depends('workorder_ids.date_planned_start', 'workorder_ids.date_planned_finished')
     def _compute_date_planned(self):
         for order in self:
@@ -427,7 +419,6 @@ class MrpProduction(models.Model):
         self.location_src_id = self.picking_type_id.default_location_src_id.id or location.id
         self.location_dest_id = self.picking_type_id.default_location_dest_id.id or location.id
 
-    @api.multi
     def write(self, vals):
         res = super(MrpProduction, self).write(vals)
         if 'date_planned_start' in vals:
@@ -454,7 +445,6 @@ class MrpProduction(models.Model):
             values['procurement_group_id'] = self.env["procurement.group"].create({'name': values['name']}).id
         return super(MrpProduction, self).create(values)
 
-    @api.multi
     def unlink(self):
         if any(production.state != 'cancel' for production in self):
             raise UserError(_('Cannot delete a manufacturing order not in cancel state'))
@@ -547,7 +537,6 @@ class MrpProduction(models.Model):
         }
         return data
 
-    @api.multi
     def _update_raw_move(self, bom_line, line_data):
         """ :returns update_move, old_quantity, new_quantity """
         quantity = line_data['qty']
@@ -608,20 +597,17 @@ class MrpProduction(models.Model):
             (production.move_raw_ids | production.move_finished_ids)._action_confirm()
         return True
 
-    @api.multi
     def action_assign(self):
         for production in self:
             production.move_raw_ids._action_assign()
             production.workorder_ids._refresh_wo_lines()
         return True
 
-    @api.multi
     def open_produce_product(self):
         self.ensure_one()
         action = self.env.ref('mrp.act_mrp_product_produce').read()[0]
         return action
 
-    @api.multi
     def button_plan(self):
         """ Create work orders. And probably do stuff, like things. """
         orders_to_plan = self.filtered(lambda order: order.routing_id and order.state == 'confirmed')
@@ -705,7 +691,6 @@ class MrpProduction(models.Model):
             raise UserError(_("Some work orders have already started, you cannot unplan this manufacturing order."))
         self.workorder_ids.unlink()
 
-    @api.multi
     def _generate_workorders(self, exploded_boms):
         workorders = self.env['mrp.workorder']
         original_one = False
@@ -779,7 +764,6 @@ class MrpProduction(models.Model):
                     error_msg += ml.product_id.display_name + ' (' + ', '.join((lots_short & ml.lot_produced_ids).mapped('name')) + ')\n'
                 raise UserError(error_msg)
 
-    @api.multi
     def action_cancel(self):
         """ Cancels production order, unfinished stock moves and set procurement
         orders in exception """
@@ -822,7 +806,6 @@ class MrpProduction(models.Model):
         self.ensure_one()
         return True
 
-    @api.multi
     def post_inventory(self):
         for order in self:
             moves_not_to_do = order.move_raw_ids.filtered(lambda x: x.state == 'done')
@@ -852,7 +835,6 @@ class MrpProduction(models.Model):
                     moveline.write({'consume_line_ids': [(6, 0, [x for x in consume_move_lines.ids])]})
         return True
 
-    @api.multi
     def button_mark_done(self):
         self.ensure_one()
         for wo in self.workorder_ids:
@@ -871,19 +853,16 @@ class MrpProduction(models.Model):
         self.write({'date_finished': fields.Datetime.now()})
         return True
 
-    @api.multi
     def do_unreserve(self):
         for production in self:
             production.move_raw_ids.filtered(lambda x: x.state not in ('done', 'cancel'))._do_unreserve()
         return True
 
-    @api.multi
     def button_unreserve(self):
         self.ensure_one()
         self.do_unreserve()
         return True
 
-    @api.multi
     def button_scrap(self):
         self.ensure_one()
         return {
@@ -899,7 +878,6 @@ class MrpProduction(models.Model):
             'target': 'new',
         }
 
-    @api.multi
     def action_see_move_scrap(self):
         self.ensure_one()
         action = self.env.ref('stock.action_stock_scrap').read()[0]
diff --git a/addons/mrp/models/mrp_routing.py b/addons/mrp/models/mrp_routing.py
index c79200ae8ebc3a1e7e0846cb46789e2c2f9e666a..f697df1cb3d0adc85ad511649707577778afd852 100644
--- a/addons/mrp/models/mrp_routing.py
+++ b/addons/mrp/models/mrp_routing.py
@@ -69,7 +69,6 @@ class MrpRoutingWorkcenter(models.Model):
     batch_size = fields.Float('Quantity to Process', default=1.0)
     workorder_ids = fields.One2many('mrp.workorder', 'operation_id', string="Work Orders")
 
-    @api.multi
     @api.depends('time_cycle_manual', 'time_mode', 'workorder_ids')
     def _compute_time_cycle(self):
         manual_ops = self.filtered(lambda operation: operation.time_mode == 'manual')
@@ -86,7 +85,6 @@ class MrpRoutingWorkcenter(models.Model):
             else:
                 operation.time_cycle = operation.time_cycle_manual
 
-    @api.multi
     def _compute_workorder_count(self):
         data = self.env['mrp.workorder'].read_group([
             ('operation_id', 'in', self.ids),
diff --git a/addons/mrp/models/mrp_unbuild.py b/addons/mrp/models/mrp_unbuild.py
index f02b27e467a5827cdd71babf12270a4bb323d55c..35058090c9b848e5f5636002fd0fae71c0a28525 100644
--- a/addons/mrp/models/mrp_unbuild.py
+++ b/addons/mrp/models/mrp_unbuild.py
@@ -92,13 +92,11 @@ class MrpUnbuild(models.Model):
             vals['name'] = self.env['ir.sequence'].next_by_code('mrp.unbuild') or _('New')
         return super(MrpUnbuild, self).create(vals)
 
-    @api.multi
     def unlink(self):
         if 'done' in self.mapped('state'):
             raise UserError(_("You cannot delete an unbuild order if the state is 'Done'."))
         return super(MrpUnbuild, self).unlink()
 
-    @api.multi
     def action_unbuild(self):
         self.ensure_one()
         if self.product_id.tracking != 'none' and not self.lot_id.id:
diff --git a/addons/mrp/models/mrp_workcenter.py b/addons/mrp/models/mrp_workcenter.py
index 65b05606a047721c7d3e555ecb6af4858e0880b0..50b861b79803f0bb391a46fab9c829d578cb34eb 100644
--- a/addons/mrp/models/mrp_workcenter.py
+++ b/addons/mrp/models/mrp_workcenter.py
@@ -95,7 +95,6 @@ class MrpWorkcenter(models.Model):
             workcenter.workorder_progress_count = result[workcenter.id].get('progress', 0)
             workcenter.workorder_late_count = count_data.get(workcenter.id, 0)
 
-    @api.multi
     @api.depends('time_ids', 'time_ids.date_end', 'time_ids.loss_type')
     def _compute_working_state(self):
         for workcenter in self:
@@ -116,7 +115,6 @@ class MrpWorkcenter(models.Model):
                 # the workcenter is blocked
                 workcenter.working_state = 'blocked'
 
-    @api.multi
     def _compute_blocked_time(self):
         # TDE FIXME: productivity loss type should be only losses, probably count other time logs differently ??
         data = self.env['mrp.workcenter.productivity'].read_group([
@@ -129,7 +127,6 @@ class MrpWorkcenter(models.Model):
         for workcenter in self:
             workcenter.blocked_time = count_data.get(workcenter.id, 0.0) / 60.0
 
-    @api.multi
     def _compute_productive_time(self):
         # TDE FIXME: productivity loss type should be only losses, probably count other time logs differently
         data = self.env['mrp.workcenter.productivity'].read_group([
@@ -150,7 +147,6 @@ class MrpWorkcenter(models.Model):
             else:
                 order.oee = 0.0
 
-    @api.multi
     def _compute_performance(self):
         wo_data = self.env['mrp.workorder'].read_group([
             ('date_start', '>=', fields.Datetime.to_string(datetime.datetime.now() - relativedelta.relativedelta(months=1))),
@@ -164,13 +160,11 @@ class MrpWorkcenter(models.Model):
             else:
                 workcenter.performance = 0.0
 
-    @api.multi
     @api.constrains('capacity')
     def _check_capacity(self):
         if any(workcenter.capacity <= 0.0 for workcenter in self):
             raise exceptions.UserError(_('The capacity must be strictly positive.'))
 
-    @api.multi
     def unblock(self):
         self.ensure_one()
         if self.working_state != 'blocked':
@@ -186,7 +180,6 @@ class MrpWorkcenter(models.Model):
         return super(MrpWorkcenter, self.with_context({
             'default_resource_type': 'material'})).create(vals)
 
-    @api.multi
     def action_work_order(self):
         action = self.env.ref('mrp.action_work_orders').read()[0]
         return action
@@ -264,7 +257,6 @@ class MrpWorkcenterProductivity(models.Model):
             else:
                 blocktime.duration = 0.0
 
-    @api.multi
     def button_block(self):
         self.ensure_one()
         self.workcenter_id.order_ids.end_all()
diff --git a/addons/mrp/models/mrp_workorder.py b/addons/mrp/models/mrp_workorder.py
index 5a7e1c257f9ee6aabcd917b54bbee6f43d249066..03ff2c69bcf40de88e58dbd3a0af948c5b5be2b7 100644
--- a/addons/mrp/models/mrp_workorder.py
+++ b/addons/mrp/models/mrp_workorder.py
@@ -199,7 +199,6 @@ class MrpWorkorder(models.Model):
                 else:
                     workorder.allowed_lots_domain = allowed_lot_ids
 
-    @api.multi
     def name_get(self):
         return [(wo.id, "%s - %s - %s" % (wo.production_id.name, wo.product_id.name, wo.name)) for wo in self]
 
@@ -232,14 +231,12 @@ class MrpWorkorder(models.Model):
             else:
                 order.is_user_working = False
 
-    @api.multi
     def _compute_scrap_move_count(self):
         data = self.env['stock.scrap'].read_group([('workorder_id', 'in', self.ids)], ['workorder_id'], ['workorder_id'])
         count_data = dict((item['workorder_id'][0], item['workorder_id_count']) for item in data)
         for workorder in self:
             workorder.scrap_count = count_data.get(workorder.id, 0)
 
-    @api.multi
     @api.depends('date_planned_finished', 'production_id.date_planned_finished')
     def _compute_color(self):
         late_orders = self.filtered(lambda x: x.production_id.date_planned_finished and x.date_planned_finished > x.production_id.date_planned_finished)
@@ -248,7 +245,6 @@ class MrpWorkorder(models.Model):
         for order in (self - late_orders):
             order.color = 2
 
-    @api.multi
     def write(self, values):
         if list(values.keys()) != ['time_ids'] and any(workorder.state == 'done' for workorder in self):
             raise UserError(_('You can not change the finished work order.'))
@@ -331,7 +327,6 @@ class MrpWorkorder(models.Model):
                 return True
         return False
 
-    @api.multi
     def record_production(self):
         if not self:
             return True
@@ -436,7 +431,6 @@ class MrpWorkorder(models.Model):
         else:
             current_lot_lines.qty_done += self.qty_producing
 
-    @api.multi
     def _start_nextworkorder(self):
         rounding = self.product_id.uom_id.rounding
         if self.next_work_order_id.state == 'pending' and (
@@ -446,7 +440,6 @@ class MrpWorkorder(models.Model):
                  float_compare(self.operation_id.batch_size, self.qty_produced, precision_rounding=rounding) <= 0)):
             self.next_work_order_id.state = 'ready'
 
-    @api.multi
     def button_start(self):
         self.ensure_one()
         # As button_start is automatically called in the new view
@@ -479,13 +472,11 @@ class MrpWorkorder(models.Model):
                     'date_start': datetime.now(),
         })
 
-    @api.multi
     def button_finish(self):
         self.ensure_one()
         self.end_all()
         return self.write({'state': 'done', 'date_finished': fields.Datetime.now()})
 
-    @api.multi
     def end_previous(self, doall=False):
         """
         @param: doall:  This will close all open time lines on the open work orders when doall = True, otherwise
@@ -518,26 +509,21 @@ class MrpWorkorder(models.Model):
             not_productive_timelines.write({'loss_id': loss_id.id})
         return True
 
-    @api.multi
     def end_all(self):
         return self.end_previous(doall=True)
 
-    @api.multi
     def button_pending(self):
         self.end_previous()
         return True
 
-    @api.multi
     def button_unblock(self):
         for order in self:
             order.workcenter_id.unblock()
         return True
 
-    @api.multi
     def action_cancel(self):
         return self.write({'state': 'cancel'})
 
-    @api.multi
     def button_done(self):
         if any([x.state in ('done', 'cancel') for x in self]):
             raise UserError(_('A Manufacturing Order is already done or cancelled.'))
@@ -545,7 +531,6 @@ class MrpWorkorder(models.Model):
         return self.write({'state': 'done',
                     'date_finished': datetime.now()})
 
-    @api.multi
     def button_scrap(self):
         self.ensure_one()
         return {
@@ -561,14 +546,12 @@ class MrpWorkorder(models.Model):
             'target': 'new',
         }
 
-    @api.multi
     def action_see_move_scrap(self):
         self.ensure_one()
         action = self.env.ref('stock.action_stock_scrap').read()[0]
         action['domain'] = [('workorder_id', '=', self.id)]
         return action
 
-    @api.multi
     @api.depends('qty_production', 'qty_produced')
     def _compute_qty_remaining(self):
         for wo in self:
diff --git a/addons/mrp/models/product.py b/addons/mrp/models/product.py
index 13dfecb427dbc0ab3040beaa0cca41c0af91ba4d..dd874cd31c562e53fcccdfe4693a19adfa09f14e 100644
--- a/addons/mrp/models/product.py
+++ b/addons/mrp/models/product.py
@@ -22,13 +22,11 @@ class ProductTemplate(models.Model):
         for product in self:
             product.bom_count = self.env['mrp.bom'].search_count([('product_tmpl_id', '=', product.id)])
 
-    @api.multi
     def _compute_used_in_bom_count(self):
         for template in self:
             template.used_in_bom_count = self.env['mrp.bom'].search_count(
                 [('bom_line_ids.product_id', 'in', template.product_variant_ids.ids)])
 
-    @api.multi
     def action_used_in_bom(self):
         self.ensure_one()
         action = self.env.ref('mrp.mrp_bom_form_action').read()[0]
@@ -39,7 +37,6 @@ class ProductTemplate(models.Model):
         for template in self:
             template.mrp_product_qty = float_round(sum(template.mapped('product_variant_ids').mapped('mrp_product_qty')), precision_rounding=template.uom_id.rounding)
 
-    @api.multi
     def action_view_mos(self):
         action = self.env.ref('mrp.mrp_production_report').read()[0]
         action['domain'] = [('state', '=', 'done'), ('product_tmpl_id', 'in', self.ids)]
@@ -63,12 +60,10 @@ class ProductProduct(models.Model):
         for product in self:
             product.bom_count = self.env['mrp.bom'].search_count(['|', ('product_id', '=', product.id), '&', ('product_id', '=', False), ('product_tmpl_id', '=', product.product_tmpl_id.id)])
 
-    @api.multi
     def _compute_used_in_bom_count(self):
         for product in self:
             product.used_in_bom_count = self.env['mrp.bom'].search_count([('bom_line_ids.product_id', '=', product.id)])
 
-    @api.multi
     def action_used_in_bom(self):
         self.ensure_one()
         action = self.env.ref('mrp.mrp_bom_form_action').read()[0]
@@ -118,7 +113,6 @@ class ProductProduct(models.Model):
             else:
                 super(ProductProduct, self)._compute_quantities()
 
-    @api.multi
     def action_view_bom(self):
         action = self.env.ref('mrp.product_open_bom').read()[0]
         template_ids = self.mapped('product_tmpl_id').ids
@@ -130,7 +124,6 @@ class ProductProduct(models.Model):
         action['domain'] = ['|', ('product_id', 'in', self.ids), '&', ('product_id', '=', False), ('product_tmpl_id', 'in', template_ids)]
         return action
 
-    @api.multi
     def action_view_mos(self):
         action = self.env.ref('mrp.mrp_production_report').read()[0]
         action['domain'] = [('state', '=', 'done'), ('product_id', 'in', self.ids)]
diff --git a/addons/mrp/models/stock_move.py b/addons/mrp/models/stock_move.py
index 331b744397d3f3e05b9161a97844e63875289cb7..3289c9aa52594276778e9ce6f40df9d63b34bf46 100644
--- a/addons/mrp/models/stock_move.py
+++ b/addons/mrp/models/stock_move.py
@@ -38,7 +38,6 @@ class StockMoveLine(models.Model):
                 return False
         return super(StockMoveLine, self)._reservation_is_updatable(quantity, reserved_quant)
 
-    @api.multi
     def write(self, vals):
         for move_line in self:
             if move_line.move_id.production_id and 'lot_id' in vals:
diff --git a/addons/mrp/models/stock_rule.py b/addons/mrp/models/stock_rule.py
index 91f5764747047e5da280f0c158107ab6b28ed1f9..5e7e9d1bf81afe4c7138ab34ee83588f92a39cc5 100644
--- a/addons/mrp/models/stock_rule.py
+++ b/addons/mrp/models/stock_rule.py
@@ -66,7 +66,6 @@ class StockRule(models.Model):
         fields += ['bom_line_id']
         return fields
 
-    @api.multi
     def _get_matching_bom(self, product_id, company_id, values):
         if values.get('bom_id', False):
             return values['bom_id']
diff --git a/addons/mrp/models/stock_warehouse.py b/addons/mrp/models/stock_warehouse.py
index a21b0f1277f8007d7f87aaebd80f2c2e6bfc09f8..4178fdb1b490d93b2f8e1150dfc1a36447a15166 100644
--- a/addons/mrp/models/stock_warehouse.py
+++ b/addons/mrp/models/stock_warehouse.py
@@ -239,14 +239,12 @@ class StockWarehouse(models.Model):
         })
         return data
 
-    @api.multi
     def write(self, vals):
         if any(field in vals for field in ('manufacture_steps', 'manufacture_to_resupply')):
             for warehouse in self:
                 warehouse._update_location_manufacture(vals.get('manufacture_steps', warehouse.manufacture_steps))
         return super(StockWarehouse, self).write(vals)
 
-    @api.multi
     def _get_all_routes(self):
         routes = super(StockWarehouse, self)._get_all_routes()
         routes |= self.filtered(lambda self: self.manufacture_to_resupply and self.manufacture_pull_id and self.manufacture_pull_id.route_id).mapped('manufacture_pull_id').mapped('route_id')
@@ -256,7 +254,6 @@ class StockWarehouse(models.Model):
         self.mapped('pbm_loc_id').write({'active': new_manufacture_step != 'mrp_one_step'})
         self.mapped('sam_loc_id').write({'active': new_manufacture_step == 'pbm_sam'})
 
-    @api.multi
     def _update_name_and_code(self, name=False, code=False):
         res = super(StockWarehouse, self)._update_name_and_code(name, code)
         # change the manufacture stock rule name
diff --git a/addons/mrp/wizard/change_production_qty.py b/addons/mrp/wizard/change_production_qty.py
index e92f053780a23afc66e778de52201135328b0a55..d2fad9cc431b03d5ff55a47735cafa6cd6693feb 100644
--- a/addons/mrp/wizard/change_production_qty.py
+++ b/addons/mrp/wizard/change_production_qty.py
@@ -39,7 +39,6 @@ class ChangeProductionQty(models.TransientModel):
             move[0].write({'product_uom_qty': move.product_uom_qty - qty})
         return modification
 
-    @api.multi
     def change_prod_qty(self):
         precision = self.env['decimal.precision'].precision_get('Product Unit of Measure')
         for wizard in self:
diff --git a/addons/mrp/wizard/mrp_product_produce.py b/addons/mrp/wizard/mrp_product_produce.py
index 981547e0e8bee3a82cd94932efb828a6a12329df..d4f402a16af4c884ee6d42ef3e314a3f283a174c 100644
--- a/addons/mrp/wizard/mrp_product_produce.py
+++ b/addons/mrp/wizard/mrp_product_produce.py
@@ -85,7 +85,6 @@ class MrpProductProduce(models.TransientModel):
             'target': 'new',
         }
 
-    @api.multi
     def do_produce(self):
         """ Save the current wizard and go back to the MO. """
         self.ensure_one()
@@ -99,7 +98,6 @@ class MrpProductProduce(models.TransientModel):
         todo_quantity = todo_quantity if (todo_quantity > 0) else 0
         return todo_quantity
 
-    @api.multi
     def _record_production(self):
         # Check all the product_produce line have a move id (the user can add product
         # to consume directly in the wizard)
diff --git a/addons/mrp_account/models/mrp_production.py b/addons/mrp_account/models/mrp_production.py
index 4a2d0f52a2946bc08d44ff3ca56139cfe4089a22..c0631356b4ec0e794e0d58bca4dd728b6b9fe298 100644
--- a/addons/mrp_account/models/mrp_production.py
+++ b/addons/mrp_account/models/mrp_production.py
@@ -62,7 +62,6 @@ class MrpProduction(models.Model):
                 # able to produce orders
                 AccountAnalyticLine.create(vals)
 
-    @api.multi
     def button_mark_done(self):
         self.ensure_one()
         res = super(MrpProduction, self).button_mark_done()
diff --git a/addons/note/models/note.py b/addons/note/models/note.py
index d8a0a9b94f6b74a18aafb145349b30ed6640948c..6fbe39477dfbc38eccd456ab24ad11d3b6540367 100644
--- a/addons/note/models/note.py
+++ b/addons/note/models/note.py
@@ -60,7 +60,6 @@ class Note(models.Model):
             text = html2plaintext(note.memo) if note.memo else ''
             note.name = text.strip().replace('*', '').split("\n")[0]
 
-    @api.multi
     def _compute_stage_id(self):
         first_user_stage = self.env['note.stage'].search([('user_id', '=', self.env.uid)], limit=1)
         for note in self:
@@ -70,7 +69,6 @@ class Note(models.Model):
             if not note.stage_id:
                 note.stage_id = first_user_stage
 
-    @api.multi
     def _inverse_stage_id(self):
         for note in self.filtered('stage_id'):
             note.stage_ids = note.stage_id + note.stage_ids.filtered(lambda stage: stage.user_id != self.env.user)
@@ -124,10 +122,8 @@ class Note(models.Model):
             return result
         return super(Note, self).read_group(domain, fields, groupby, offset=offset, limit=limit, orderby=orderby, lazy=lazy)
 
-    @api.multi
     def action_close(self):
         return self.write({'open': False, 'date_done': fields.date.today()})
 
-    @api.multi
     def action_open(self):
         return self.write({'open': True})
diff --git a/addons/pad/models/pad.py b/addons/pad/models/pad.py
index 404e645e6f0cf9916e14156e7b8bab411f8a3771..c43246e14419b5a5da97685f7ee832b86769e920 100644
--- a/addons/pad/models/pad.py
+++ b/addons/pad/models/pad.py
@@ -100,7 +100,6 @@ class PadCommon(models.AbstractModel):
     # TODO
     # reverse engineer protocol to be setHtml without using the api key
 
-    @api.multi
     def write(self, vals):
         self._set_field_to_pad(vals)
         self._set_pad_to_field(vals)
diff --git a/addons/partner_autocomplete/models/res_config_settings.py b/addons/partner_autocomplete/models/res_config_settings.py
index baa00e62d4d67cb1a672241f807e4cfb9a91397c..2ae3fd6d508c09dd57bbfd54382c2d3142ed7a8e 100644
--- a/addons/partner_autocomplete/models/res_config_settings.py
+++ b/addons/partner_autocomplete/models/res_config_settings.py
@@ -12,7 +12,6 @@ class ResConfigSettings(models.TransientModel):
         for config in self:
             config.partner_autocomplete_insufficient_credit = self.env['iap.account'].get_credits('partner_autocomplete') <= 0
 
-    @api.multi
     def redirect_to_buy_autocomplete_credit(self):
         Account = self.env['iap.account']
         return {
diff --git a/addons/partner_autocomplete/models/res_partner.py b/addons/partner_autocomplete/models/res_partner.py
index e0ed09a799d1bba2e1f41e8329800256271c2028..2259d987c188b923a8545040ccf51c008bb7d260 100644
--- a/addons/partner_autocomplete/models/res_partner.py
+++ b/addons/partner_autocomplete/models/res_partner.py
@@ -186,7 +186,6 @@ class ResPartner(models.Model):
 
         return partners
 
-    @api.multi
     def write(self, values):
         res = super(ResPartner, self).write(values)
         if len(self) == 1:
diff --git a/addons/payment/models/account_invoice.py b/addons/payment/models/account_invoice.py
index de16fb595c8c3b928873ddb5010061ab6a90f90d..882a25b6279711d270853c443843df814561448a 100644
--- a/addons/payment/models/account_invoice.py
+++ b/addons/payment/models/account_invoice.py
@@ -18,12 +18,10 @@ class AccountMove(models.Model):
         for trans in self:
             trans.authorized_transaction_ids = trans.transaction_ids.filtered(lambda t: t.state == 'authorized')
 
-    @api.multi
     def get_portal_last_transaction(self):
         self.ensure_one()
         return self.transaction_ids.get_last_transaction()
 
-    @api.multi
     def _create_payment_transaction(self, vals):
         '''Similar to self.env['payment.transaction'].create(vals) but the values are filled with the
         current invoices fields (e.g. the partner or the currency).
@@ -89,10 +87,8 @@ class AccountMove(models.Model):
 
         return transaction
 
-    @api.multi
     def payment_action_capture(self):
         self.authorized_transaction_ids.s2s_capture_transaction()
 
-    @api.multi
     def payment_action_void(self):
         self.authorized_transaction_ids.s2s_void_transaction()
diff --git a/addons/payment/models/account_payment.py b/addons/payment/models/account_payment.py
index 220cb37db387876dd8b7fe00fe13bfbdc2d7428f..fe6f31eeb21722c8cd821fae8aee137433329581 100644
--- a/addons/payment/models/account_payment.py
+++ b/addons/payment/models/account_payment.py
@@ -13,7 +13,6 @@ class AccountPayment(models.Model):
     payment_token_id = fields.Many2one('payment.token', string="Saved payment token", domain=[('acquirer_id.capture_manually', '=', False)],
                                        help="Note that tokens from acquirers set to only authorize transactions (instead of capturing the amount) are not available.")
 
-    @api.multi
     def _get_payment_chatter_link(self):
         self.ensure_one()
         return '<a href=# data-oe-model=account.payment data-oe-id=%d>%s</a>' % (self.id, self.name)
@@ -33,7 +32,6 @@ class AccountPayment(models.Model):
         res['domain'] = {'payment_token_id': domain}
         return res
 
-    @api.multi
     def _prepare_payment_transaction_vals(self):
         self.ensure_one()
         return {
@@ -48,7 +46,6 @@ class AccountPayment(models.Model):
             'type': 'server2server',
         }
 
-    @api.multi
     def _create_payment_transaction(self, vals=None):
         for pay in self:
             if pay.payment_transaction_id:
@@ -76,7 +73,6 @@ class AccountPayment(models.Model):
         self.mapped('payment_transaction_id').filtered(lambda x: x.state == 'done' and not x.is_processed)._post_process_after_done()
         return res
 
-    @api.multi
     def post(self):
         # Post the payments "normally" if no transactions are needed.
         # If not, let the acquirer updates the state.
diff --git a/addons/payment/models/chart_template.py b/addons/payment/models/chart_template.py
index ddf814d7d9354d708edb92f86ad38491e4dcb671..0e7ef826c13e695076c5d539cf0110a4eafe0ef4 100644
--- a/addons/payment/models/chart_template.py
+++ b/addons/payment/models/chart_template.py
@@ -6,7 +6,6 @@ from odoo import api, fields, models, _
 class AccountChartTemplate(models.Model):
     _inherit = 'account.chart.template'
 
-    @api.multi
     def _create_bank_journals(self, company, acc_template_ref):
         res = super(AccountChartTemplate, self)._create_bank_journals(company, acc_template_ref)
 
diff --git a/addons/payment/models/payment_acquirer.py b/addons/payment/models/payment_acquirer.py
index 7b747de0ce693be4b45084404ec3de731afefd78..2ae15c91fb94b98dd70aaec76780b4585477acaf 100644
--- a/addons/payment/models/payment_acquirer.py
+++ b/addons/payment/models/payment_acquirer.py
@@ -187,7 +187,6 @@ class PaymentAcquirer(models.Model):
             return [('provider', 'in', tokenized)]
         return [('provider', 'not in', tokenized)]
 
-    @api.multi
     def _compute_feature_support(self):
         feature_support = self._get_feature_support()
         for acquirer in self:
@@ -195,7 +194,6 @@ class PaymentAcquirer(models.Model):
             acquirer.authorize_implemented = acquirer.provider in feature_support['authorize']
             acquirer.token_implemented = acquirer.provider in feature_support['tokenize']
 
-    @api.multi
     def _check_required_if_provider(self):
         """ If the field has 'required_if_provider="<provider>"' attribute, then it
         required if record.provider is <provider>. """
@@ -225,7 +223,6 @@ class PaymentAcquirer(models.Model):
         """
         return dict(authorize=[], tokenize=[], fees=[])
 
-    @api.multi
     def _prepare_account_journal_vals(self):
         '''Prepare the values to create the acquirer's journal.
         :return: a dictionary to create a account.journal record.
@@ -282,12 +279,10 @@ class PaymentAcquirer(models.Model):
         image_resize_images(vals)
         return super(PaymentAcquirer, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         image_resize_images(vals)
         return super(PaymentAcquirer, self).write(vals)
 
-    @api.multi
     def toggle_website_published(self):
         ''' When clicking on the website publish toggle button, the website_published is reversed and
         the acquirer journal is set or not in favorite on the dashboard.
@@ -298,7 +293,6 @@ class PaymentAcquirer(models.Model):
             self.journal_id.show_on_dashboard = self.website_published
         return True
 
-    @api.multi
     def get_acquirer_extra_fees(self, amount, currency_id, country_id):
         extra_fees = {
             'currency_id': currency_id
@@ -311,7 +305,6 @@ class PaymentAcquirer(models.Model):
                 extra_fees[acq] = fees
         return extra_fees
 
-    @api.multi
     def get_form_action_url(self):
         """ Returns the form action URL, for form-based acquirer implementations. """
         if hasattr(self, '%s_get_form_action_url' % self.provider):
@@ -341,7 +334,6 @@ class PaymentAcquirer(models.Model):
                 ('acquirer_id', 'in', acquirers.ids)]),
         }
 
-    @api.multi
     def render(self, reference, amount, currency_id, partner_id=False, values=None):
         """ Renders the form template of the given acquirer as a qWeb template.
         :param string reference: the transaction reference
@@ -475,7 +467,6 @@ class PaymentAcquirer(models.Model):
             return ('%s.%s') % (model_data.module, model_data.name)
         return False
 
-    @api.multi
     def s2s_process(self, data):
         cust_method_name = '%s_s2s_form_process' % (self.provider)
         if not self.s2s_validate(data):
@@ -489,7 +480,6 @@ class PaymentAcquirer(models.Model):
             return method(data)
         return True
 
-    @api.multi
     def s2s_validate(self, data):
         cust_method_name = '%s_s2s_form_validate' % (self.provider)
         if hasattr(self, cust_method_name):
@@ -497,13 +487,11 @@ class PaymentAcquirer(models.Model):
             return method(data)
         return True
 
-    @api.multi
     def toggle_environment_value(self):
         prod = self.filtered(lambda acquirer: acquirer.environment == 'prod')
         prod.write({'environment': 'test'})
         (self-prod).write({'environment': 'prod'})
 
-    @api.multi
     def button_immediate_install(self):
         # TDE FIXME: remove that brol
         if self.module_id and self.module_state != 'installed':
@@ -534,7 +522,6 @@ class PaymentIcon(models.Model):
                 vals['image'] = image_process(image, size=(64,64))
         return super(PaymentIcon, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         if 'image' in vals:
             image = ustr(vals['image'] or '').encode('utf-8')
@@ -638,7 +625,6 @@ class PaymentTransaction(models.Model):
         for trans in self:
             trans.invoice_ids_nbr = len(trans.invoice_ids)
 
-    @api.multi
     def _prepare_account_payment_vals(self):
         self.ensure_one()
         return {
@@ -656,12 +642,10 @@ class PaymentTransaction(models.Model):
             'communication': self.reference,
         }
 
-    @api.multi
     def get_last_transaction(self):
         transactions = self.filtered(lambda t: t.state != 'draft')
         return transactions and transactions[0] or transactions
 
-    @api.multi
     def _get_payment_transaction_sent_message(self):
         self.ensure_one()
         if self.payment_token_id:
@@ -677,7 +661,6 @@ class PaymentTransaction(models.Model):
             message += ' ' + _('Waiting for payment confirmation...')
         return message % message_vals
 
-    @api.multi
     def _get_payment_transaction_received_message(self):
         self.ensure_one()
         amount = formatLang(self.env, self.amount, currency_obj=self.currency_id)
@@ -699,7 +682,6 @@ class PaymentTransaction(models.Model):
             message = _('The transaction %s with %s for %s has been cancelled.')
         return message % tuple(message_vals)
 
-    @api.multi
     def _log_payment_transaction_sent(self):
         '''Log the message saying the transaction has been sent to the remote server to be
         processed by the acquirer.
@@ -709,7 +691,6 @@ class PaymentTransaction(models.Model):
             for inv in trans.invoice_ids:
                 inv.message_post(body=post_message)
 
-    @api.multi
     def _log_payment_transaction_received(self):
         '''Log the message saying a response has been received from the remote server and some
         additional informations like the old/new state, the reference of the payment... etc.
@@ -721,7 +702,6 @@ class PaymentTransaction(models.Model):
             for inv in trans.invoice_ids:
                 inv.message_post(body=post_message)
 
-    @api.multi
     def _set_transaction_pending(self):
         '''Move the transaction to the pending state(e.g. Wire Transfer).'''
         if any(trans.state != 'draft' for trans in self):
@@ -730,7 +710,6 @@ class PaymentTransaction(models.Model):
         self.write({'state': 'pending', 'date': datetime.now().strftime(DEFAULT_SERVER_DATETIME_FORMAT)})
         self._log_payment_transaction_received()
 
-    @api.multi
     def _set_transaction_authorized(self):
         '''Move the transaction to the authorized state(e.g. Authorize).'''
         if any(trans.state != 'draft' for trans in self):
@@ -739,7 +718,6 @@ class PaymentTransaction(models.Model):
         self.write({'state': 'authorized', 'date': datetime.now().strftime(DEFAULT_SERVER_DATETIME_FORMAT)})
         self._log_payment_transaction_received()
 
-    @api.multi
     def _set_transaction_done(self):
         '''Move the transaction's payment to the done state(e.g. Paypal).'''
         if any(trans.state not in ('draft', 'authorized', 'pending') for trans in self):
@@ -747,7 +725,6 @@ class PaymentTransaction(models.Model):
 
         self.write({'state': 'done', 'date': datetime.now().strftime(DEFAULT_SERVER_DATETIME_FORMAT)})
 
-    @api.multi
     def _reconcile_after_transaction_done(self):
         # Validate invoices automatically upon the transaction is posted.
         invoices = self.mapped('invoice_ids').filtered(lambda inv: inv.state == 'draft')
@@ -770,7 +747,6 @@ class PaymentTransaction(models.Model):
         for company in payments:
             payments[company].with_context(force_company=company, company_id=company).post()
 
-    @api.multi
     def _set_transaction_cancel(self):
         '''Move the transaction's payment to the cancel state(e.g. Paypal).'''
         if any(trans.state not in ('draft', 'authorized') for trans in self):
@@ -782,7 +758,6 @@ class PaymentTransaction(models.Model):
         self.write({'state': 'cancel', 'date': datetime.now().strftime(DEFAULT_SERVER_DATETIME_FORMAT)})
         self._log_payment_transaction_received()
 
-    @api.multi
     def _set_transaction_error(self, msg):
         '''Move the transaction to the error state (Third party returning error e.g. Paypal).'''
         if any(trans.state != 'draft' for trans in self):
@@ -795,14 +770,12 @@ class PaymentTransaction(models.Model):
         })
         self._log_payment_transaction_received()
 
-    @api.multi
     def _post_process_after_done(self):
         self._reconcile_after_transaction_done()
         self._log_payment_transaction_received()
         self.write({'is_processed': True})
         return True
 
-    @api.multi
     def _cron_post_process_after_done(self):
         if not self:
             ten_minutes_ago = datetime.now() - relativedelta.relativedelta(minutes=10)
@@ -866,7 +839,6 @@ class PaymentTransaction(models.Model):
 
         return '%s-%s' % (prefix, suffix)
 
-    @api.multi
     def action_view_invoices(self):
         action = {
             'name': _('Invoices'),
@@ -978,7 +950,6 @@ class PaymentTransaction(models.Model):
     # SERVER2SERVER RELATED METHODS
     # --------------------------------------------------
 
-    @api.multi
     def s2s_do_transaction(self, **kwargs):
         custom_method_name = '%s_s2s_do_transaction' % self.acquirer_id.provider
         for trans in self:
@@ -986,25 +957,21 @@ class PaymentTransaction(models.Model):
             if hasattr(trans, custom_method_name):
                 return getattr(trans, custom_method_name)(**kwargs)
 
-    @api.multi
     def s2s_do_refund(self, **kwargs):
         custom_method_name = '%s_s2s_do_refund' % self.acquirer_id.provider
         if hasattr(self, custom_method_name):
             return getattr(self, custom_method_name)(**kwargs)
 
-    @api.multi
     def s2s_capture_transaction(self, **kwargs):
         custom_method_name = '%s_s2s_capture_transaction' % self.acquirer_id.provider
         if hasattr(self, custom_method_name):
             return getattr(self, custom_method_name)(**kwargs)
 
-    @api.multi
     def s2s_void_transaction(self, **kwargs):
         custom_method_name = '%s_s2s_void_transaction' % self.acquirer_id.provider
         if hasattr(self, custom_method_name):
             return getattr(self, custom_method_name)(**kwargs)
 
-    @api.multi
     def s2s_get_tx_status(self):
         """ Get the tx status. """
         invalid_param_method_name = '_%s_s2s_get_tx_status' % self.acquirer_id.provider
@@ -1012,7 +979,6 @@ class PaymentTransaction(models.Model):
             return getattr(self, invalid_param_method_name)()
         return True
 
-    @api.multi
     def execute_callback(self):
         res = None
         for transaction in self:
@@ -1034,14 +1000,12 @@ class PaymentTransaction(models.Model):
                 _logger.warning("Did not found record %s.%s for callback of transaction %d" % (transaction.callback_model_id.model, transaction.callback_res_id, transaction.id))
         return res
 
-    @api.multi
     def action_capture(self):
         if any([t.state != 'authorized' for t in self]):
             raise ValidationError(_('Only transactions having the capture status can be captured.'))
         for tx in self:
             tx.s2s_capture_transaction()
 
-    @api.multi
     def action_void(self):
         if any([t.state != 'authorized' for t in self]):
             raise ValidationError(_('Only transactions having the capture status can be voided.'))
@@ -1147,13 +1111,11 @@ class PaymentToken(models.Model):
 
         return tx
 
-    @api.multi
     @api.depends('name')
     def _compute_short_name(self):
         for token in self:
             token.short_name = token.name.replace('XXXXXXXXXXXX', '***')
 
-    @api.multi
     def get_linked_records(self):
         """ This method returns a dict containing all the records linked to the payment.token (e.g Subscriptions),
             the key is the id of the payment.token and the value is an array that must follow the scheme below.
diff --git a/addons/payment/wizards/payment_acquirer_onboarding_wizard.py b/addons/payment/wizards/payment_acquirer_onboarding_wizard.py
index 18e20567e19db5a7557dfbb7b3f84881a0f34da9..c1bce87d8ef41d0424a5120e113f06e6d1469062 100644
--- a/addons/payment/wizards/payment_acquirer_onboarding_wizard.py
+++ b/addons/payment/wizards/payment_acquirer_onboarding_wizard.py
@@ -88,7 +88,6 @@ class PaymentWizard(models.TransientModel):
     def _on_save_payment_acquirer(self):
         self._install_module('account_payment')
 
-    @api.multi
     def add_payment_methods(self):
         """ Install required payment acquiers, configure them and mark the
             onboarding step as done."""
diff --git a/addons/payment_adyen/models/payment.py b/addons/payment_adyen/models/payment.py
index 7cb1020870eb037279bd56efc7397dbf68706494..c6cbfa20f9bb1de33e9696b05af564d97190674c 100644
--- a/addons/payment_adyen/models/payment.py
+++ b/addons/payment_adyen/models/payment.py
@@ -69,7 +69,6 @@ class AcquirerAdyen(models.Model):
             'adyen_form_url': 'https://%s.adyen.com/hpp/pay.shtml' % ('live' if environment == 'prod' else environment),
         }
 
-    @api.multi
     def _adyen_generate_merchant_sig_sha256(self, inout, values):
         """ Generate the shasign for incoming or outgoing communications., when using the SHA-256
         signature.
@@ -119,7 +118,6 @@ class AcquirerAdyen(models.Model):
 
         return signParams(raw_values_ordered)
 
-    @api.multi
     def _adyen_generate_merchant_sig(self, inout, values):
         """ Generate the shasign for incoming or outgoing communications, when using the SHA-1
         signature (deprecated by Adyen).
@@ -148,7 +146,6 @@ class AcquirerAdyen(models.Model):
         key = self.adyen_skin_hmac_key.encode('ascii')
         return base64.b64encode(hmac.new(key, sign, hashlib.sha1).digest())
 
-    @api.multi
     def adyen_form_generate_values(self, values):
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
         # tmp
@@ -193,7 +190,6 @@ class AcquirerAdyen(models.Model):
 
         return values
 
-    @api.multi
     def adyen_get_form_action_url(self):
         return self._get_adyen_urls(self.environment)['adyen_form_url']
 
diff --git a/addons/payment_alipay/models/payment.py b/addons/payment_alipay/models/payment.py
index 83783fc0ccbf11c23c095b8b23b726ae11d7cba2..d1fcf343cb530f44a37c6941cbe828b8d4b85eaf 100644
--- a/addons/payment_alipay/models/payment.py
+++ b/addons/payment_alipay/models/payment.py
@@ -43,7 +43,6 @@ class PaymentAcquirer(models.Model):
             return 'https://mapi.alipay.com/gateway.do'
         return 'https://openapi.alipaydev.com/gateway.do'
 
-    @api.multi
     def alipay_compute_fees(self, amount, currency_id, country_id):
         """ Compute alipay fees.
 
@@ -65,7 +64,6 @@ class PaymentAcquirer(models.Model):
             fees = (percentage / 100.0 * amount + fixed) / (1 - percentage / 100.0)
         return fees
 
-    @api.multi
     def _build_sign(self, val):
         # Rearrange parameters in the data set alphabetically
         data_to_sign = sorted(val.items())
@@ -76,7 +74,6 @@ class PaymentAcquirer(models.Model):
         data_string += self.alipay_md5_signature_key
         return md5(data_string.encode('utf-8')).hexdigest()
 
-    @api.multi
     def _get_alipay_tx_values(self, values):
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
 
@@ -108,12 +105,10 @@ class PaymentAcquirer(models.Model):
         })
         return alipay_tx_values
 
-    @api.multi
     def alipay_form_generate_values(self, values):
         values.update(self._get_alipay_tx_values(values))
         return values
 
-    @api.multi
     def alipay_get_form_action_url(self):
         return self._get_alipay_urls(self.environment)
 
@@ -185,7 +180,6 @@ class PaymentTransaction(models.Model):
 
         return txs
 
-    @api.multi
     def _alipay_form_get_invalid_parameters(self, data):
         invalid_parameters = []
 
@@ -199,7 +193,6 @@ class PaymentTransaction(models.Model):
                 invalid_parameters.append(('seller_email', data.get('seller_email'), self.acquirer_id.alipay_seller_email))
         return invalid_parameters
 
-    @api.multi
     def _alipay_form_validate(self, data):
         if self.state in ['done']:
             _logger.info('Alipay: trying to validate an already validated tx (ref %s)', self.reference)
diff --git a/addons/payment_authorize/models/payment.py b/addons/payment_authorize/models/payment.py
index 6361a211f16fc5527a4038ab3bf0aaa47a148760..9b74ee6d7e7663d56c91e1eb4aec7b0c0f5ef2f6 100644
--- a/addons/payment_authorize/models/payment.py
+++ b/addons/payment_authorize/models/payment.py
@@ -67,7 +67,6 @@ class PaymentAcquirerAuthorize(models.Model):
         else:
             return hmac.new(values['x_trans_key'].encode('utf-8'), data, hashlib.md5).hexdigest()
 
-    @api.multi
     def authorize_form_generate_values(self, values):
         self.ensure_one()
         # State code is only supported in US, use state name by default
@@ -120,7 +119,6 @@ class PaymentAcquirerAuthorize(models.Model):
         authorize_tx_values.update(temp_authorize_tx_values)
         return authorize_tx_values
 
-    @api.multi
     def authorize_get_form_action_url(self):
         self.ensure_one()
         return self._get_authorize_urls(self.environment)['authorize_form_url']
@@ -139,7 +137,6 @@ class PaymentAcquirerAuthorize(models.Model):
         PaymentMethod = self.env['payment.token'].sudo().create(values)
         return PaymentMethod
 
-    @api.multi
     def authorize_s2s_form_validate(self, data):
         error = dict()
         mandatory_fields = ["cc_number", "cc_cvc", "cc_holder_name", "cc_expiry", "cc_brand"]
@@ -161,7 +158,6 @@ class PaymentAcquirerAuthorize(models.Model):
                 return False
         return False if error else True
 
-    @api.multi
     def authorize_test_credentials(self):
         self.ensure_one()
         transaction = AuthorizeAPI(self.acquirer_id)
@@ -198,7 +194,6 @@ class TxAuthorize(models.Model):
             raise ValidationError(error_msg)
         return tx[0]
 
-    @api.multi
     def _authorize_form_get_invalid_parameters(self, data):
         invalid_parameters = []
 
@@ -209,7 +204,6 @@ class TxAuthorize(models.Model):
             invalid_parameters.append(('Amount', data.get('x_amount'), '%.2f' % self.amount))
         return invalid_parameters
 
-    @api.multi
     def _authorize_form_validate(self, data):
         if self.state == 'done':
             _logger.warning('Authorize: trying to validate an already validated tx (ref %s)' % self.reference)
@@ -263,7 +257,6 @@ class TxAuthorize(models.Model):
             self._set_transaction_cancel()
             return False
 
-    @api.multi
     def authorize_s2s_do_transaction(self, **data):
         self.ensure_one()
         transaction = AuthorizeAPI(self.acquirer_id)
@@ -278,32 +271,27 @@ class TxAuthorize(models.Model):
             res = transaction.authorize(self.payment_token_id, self.amount, self.reference)
         return self._authorize_s2s_validate_tree(res)
 
-    @api.multi
     def authorize_s2s_do_refund(self):
         self.ensure_one()
         transaction = AuthorizeAPI(self.acquirer_id)
         res = transaction.credit(self.payment_token_id, self.amount, self.acquirer_reference)
         return self._authorize_s2s_validate_tree(res)
 
-    @api.multi
     def authorize_s2s_capture_transaction(self):
         self.ensure_one()
         transaction = AuthorizeAPI(self.acquirer_id)
         tree = transaction.capture(self.acquirer_reference or '', self.amount)
         return self._authorize_s2s_validate_tree(tree)
 
-    @api.multi
     def authorize_s2s_void_transaction(self):
         self.ensure_one()
         transaction = AuthorizeAPI(self.acquirer_id)
         tree = transaction.void(self.acquirer_reference or '')
         return self._authorize_s2s_validate_tree(tree)
 
-    @api.multi
     def _authorize_s2s_validate_tree(self, tree):
         return self._authorize_s2s_validate(tree)
 
-    @api.multi
     def _authorize_s2s_validate(self, tree):
         if self.state == 'done':
             _logger.warning('Authorize: trying to validate an already validated tx (ref %s)' % self.reference)
diff --git a/addons/payment_buckaroo/models/payment.py b/addons/payment_buckaroo/models/payment.py
index 552f1c3d93ecbd1a50ca244f6afe86c9ac6422cf..0936770ac9e675c9cbc108ff549b83b1a29bb9da 100644
--- a/addons/payment_buckaroo/models/payment.py
+++ b/addons/payment_buckaroo/models/payment.py
@@ -81,7 +81,6 @@ class AcquirerBuckaroo(models.Model):
         shasign = sha1(sign.encode('utf-8')).hexdigest()
         return shasign
 
-    @api.multi
     def buckaroo_form_generate_values(self, values):
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
         buckaroo_tx_values = dict(values)
@@ -101,7 +100,6 @@ class AcquirerBuckaroo(models.Model):
         buckaroo_tx_values['Brq_signature'] = self._buckaroo_generate_digital_sign('in', buckaroo_tx_values)
         return buckaroo_tx_values
 
-    @api.multi
     def buckaroo_get_form_action_url(self):
         return self._get_buckaroo_urls(self.environment)['buckaroo_form_url']
 
diff --git a/addons/payment_paypal/models/payment.py b/addons/payment_paypal/models/payment.py
index f83129749a92fbcbf707dd86f36864ff8b0d8b94..66ef80a0882d619a2a40bb866af8a6c430681c01 100644
--- a/addons/payment_paypal/models/payment.py
+++ b/addons/payment_paypal/models/payment.py
@@ -67,7 +67,6 @@ class AcquirerPaypal(models.Model):
                 'paypal_rest_url': 'https://api.sandbox.paypal.com/v1/oauth2/token',
             }
 
-    @api.multi
     def paypal_compute_fees(self, amount, currency_id, country_id):
         """ Compute paypal fees.
 
@@ -89,7 +88,6 @@ class AcquirerPaypal(models.Model):
         fees = (percentage / 100.0 * amount) + fixed / (1 - percentage / 100.0)
         return fees
 
-    @api.multi
     def paypal_form_generate_values(self, values):
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
 
@@ -117,7 +115,6 @@ class AcquirerPaypal(models.Model):
         })
         return paypal_tx_values
 
-    @api.multi
     def paypal_get_form_action_url(self):
         return self._get_paypal_urls(self.environment)['paypal_form_url']
 
@@ -151,7 +148,6 @@ class TxPaypal(models.Model):
             raise ValidationError(error_msg)
         return txs[0]
 
-    @api.multi
     def _paypal_form_get_invalid_parameters(self, data):
         invalid_parameters = []
         _logger.info('Received a notification from Paypal with IPN version %s', data.get('notify_version'))
@@ -188,7 +184,6 @@ class TxPaypal(models.Model):
 
         return invalid_parameters
 
-    @api.multi
     def _paypal_form_validate(self, data):
         status = data.get('payment_status')
         res = {
diff --git a/addons/payment_payulatam/models/payment.py b/addons/payment_payulatam/models/payment.py
index adf969392f3da82e9d5f793ebcf793832d4f9a5a..e6d69b55d0305fc15f3a5fc7a92cecab7da4b897 100644
--- a/addons/payment_payulatam/models/payment.py
+++ b/addons/payment_payulatam/models/payment.py
@@ -41,7 +41,6 @@ class PaymentAcquirerPayulatam(models.Model):
                                       str(float(values.get('TX_VALUE'))), values['currency'], values.get('transactionState')))
         return md5(data_string.encode('utf-8')).hexdigest()
 
-    @api.multi
     def payulatam_form_generate_values(self, values):
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
         tx = self.env['payment.transaction'].search([('reference', '=', values.get('reference'))])
@@ -65,7 +64,6 @@ class PaymentAcquirerPayulatam(models.Model):
         payulatam_values['signature'] = self._payulatam_generate_sign("in", payulatam_values)
         return payulatam_values
 
-    @api.multi
     def payulatam_get_form_action_url(self):
         self.ensure_one()
         return self._get_payulatam_urls(self.environment)
@@ -97,7 +95,6 @@ class PaymentTransactionPayulatam(models.Model):
             raise ValidationError(('PayU Latam: invalid sign, received %s, computed %s, for data %s') % (sign, sign_check, data))
         return transaction
 
-    @api.multi
     def _payulatam_form_get_invalid_parameters(self, data):
         invalid_parameters = []
 
@@ -109,7 +106,6 @@ class PaymentTransactionPayulatam(models.Model):
             invalid_parameters.append(('Merchant Id', data.get('merchantId'), self.acquirer_id.payulatam_merchant_id))
         return invalid_parameters
 
-    @api.multi
     def _payulatam_form_validate(self, data):
         self.ensure_one()
 
diff --git a/addons/payment_payumoney/models/payment.py b/addons/payment_payumoney/models/payment.py
index 91e6023e1074a75d2e9a0ee987be7c0cae33491a..d174f9bc997b2851ac6efe9fb2a85fca3dc5155b 100644
--- a/addons/payment_payumoney/models/payment.py
+++ b/addons/payment_payumoney/models/payment.py
@@ -52,7 +52,6 @@ class PaymentAcquirerPayumoney(models.Model):
         shasign = hashlib.sha512(sign.encode('utf-8')).hexdigest()
         return shasign
 
-    @api.multi
     def payumoney_form_generate_values(self, values):
         self.ensure_one()
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
@@ -74,7 +73,6 @@ class PaymentAcquirerPayumoney(models.Model):
         payumoney_values['hash'] = self._payumoney_generate_sign('in', payumoney_values)
         return payumoney_values
 
-    @api.multi
     def payumoney_get_form_action_url(self):
         self.ensure_one()
         return self._get_payumoney_urls(self.environment)['payumoney_form_url']
@@ -108,7 +106,6 @@ class PaymentTransactionPayumoney(models.Model):
             raise ValidationError(_('PayUmoney: invalid shasign, received %s, computed %s, for data %s') % (shasign, shasign_check, data))
         return transaction
 
-    @api.multi
     def _payumoney_form_get_invalid_parameters(self, data):
         invalid_parameters = []
 
@@ -122,7 +119,6 @@ class PaymentTransactionPayumoney(models.Model):
 
         return invalid_parameters
 
-    @api.multi
     def _payumoney_form_validate(self, data):
         status = data.get('status')
         result = self.write({
diff --git a/addons/payment_sips/models/payment.py b/addons/payment_sips/models/payment.py
index 7d46d56da2b6de7c48653a3461b5dd8b8b83ed37..d4eefabf89c860087c6cc5b44810333f6a5ee80f 100644
--- a/addons/payment_sips/models/payment.py
+++ b/addons/payment_sips/models/payment.py
@@ -66,7 +66,6 @@ class AcquirerSips(models.Model):
         shasign = sha256((data + key).encode('utf-8'))
         return shasign.hexdigest()
 
-    @api.multi
     def sips_form_generate_values(self, values):
         self.ensure_one()
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
@@ -107,7 +106,6 @@ class AcquirerSips(models.Model):
         sips_tx_values['Seal'] = shasign
         return sips_tx_values
 
-    @api.multi
     def sips_get_form_action_url(self):
         self.ensure_one()
         return self.environment == 'prod' and self.sips_prod_url or self.sips_test_url
@@ -165,7 +163,6 @@ class TxSips(models.Model):
             raise ValidationError(error_msg)
         return payment_tx
 
-    @api.multi
     def _sips_form_get_invalid_parameters(self, data):
         invalid_parameters = []
 
@@ -180,7 +177,6 @@ class TxSips(models.Model):
 
         return invalid_parameters
 
-    @api.multi
     def _sips_form_validate(self, data):
         data = self._sips_data_to_object(data.get('Data'))
         status = data.get('responseCode')
diff --git a/addons/payment_stripe/models/payment.py b/addons/payment_stripe/models/payment.py
index f35a44165e798badfe918e013821f5f60846e8c6..bfe9a0c6c93c4f027db18be57e44b0410b84ddf3 100644
--- a/addons/payment_stripe/models/payment.py
+++ b/addons/payment_stripe/models/payment.py
@@ -36,7 +36,6 @@ class PaymentAcquirerStripe(models.Model):
              "brand or product. As defined in your Stripe profile. See: "
              "https://stripe.com/docs/checkout")
 
-    @api.multi
     def stripe_form_generate_values(self, tx_values):
         self.ensure_one()
         stripe_tx_values = dict(tx_values)
@@ -74,7 +73,6 @@ class PaymentAcquirerStripe(models.Model):
         })
         return payment_token
 
-    @api.multi
     def stripe_s2s_form_validate(self, data):
         self.ensure_one()
 
@@ -127,7 +125,6 @@ class PaymentTransactionStripe(models.Model):
         _logger.info('_create_stripe_charge: Values received:\n%s', pprint.pformat(res))
         return res
 
-    @api.multi
     def stripe_s2s_do_transaction(self, **kwargs):
         self.ensure_one()
         result = self._create_stripe_charge(acquirer_ref=self.payment_token_id.acquirer_ref, email=self.partner_email)
@@ -152,7 +149,6 @@ class PaymentTransactionStripe(models.Model):
         _logger.info('_create_stripe_refund: Values received:\n%s', pprint.pformat(res))
         return res
 
-    @api.multi
     def stripe_s2s_do_refund(self, **kwargs):
         self.ensure_one()
         result = self._create_stripe_refund()
@@ -186,7 +182,6 @@ class PaymentTransactionStripe(models.Model):
             raise ValidationError(error_msg)
         return tx[0]
 
-    @api.multi
     def _stripe_s2s_validate_tree(self, tree):
         self.ensure_one()
         if self.state != 'draft':
@@ -215,7 +210,6 @@ class PaymentTransactionStripe(models.Model):
             self._set_transaction_cancel()
             return False
 
-    @api.multi
     def _stripe_form_get_invalid_parameters(self, data):
         invalid_parameters = []
         reference = data['metadata']['reference']
@@ -223,7 +217,6 @@ class PaymentTransactionStripe(models.Model):
             invalid_parameters.append(('Reference', reference, self.reference))
         return invalid_parameters
 
-    @api.multi
     def _stripe_form_validate(self,  data):
         return self._stripe_s2s_validate_tree(data)
 
diff --git a/addons/payment_transfer/models/payment.py b/addons/payment_transfer/models/payment.py
index 4464eb01309f95aded38570fca87bd8e27d5f5de..5c483597bb397d3246c78a76cf170c9f8b980188 100644
--- a/addons/payment_transfer/models/payment.py
+++ b/addons/payment_transfer/models/payment.py
@@ -59,7 +59,6 @@ class TransferPaymentAcquirer(models.Model):
             values['post_msg'] = self._format_transfer_data()
         return super(TransferPaymentAcquirer, self).create(values)
 
-    @api.multi
     def write(self, values):
         """ Hook in write to create a default post_msg. See create(). """
         if all(not acquirer.post_msg and acquirer.provider != 'transfer' for acquirer in self) and values.get('provider') == 'transfer':
diff --git a/addons/point_of_sale/models/account_bank_statement.py b/addons/point_of_sale/models/account_bank_statement.py
index b1d8492fb4b1b36db994378240a8dd8905b7e4a7..7b096d4082346fe1fc78d93bfde871f9a8e79bf3 100644
--- a/addons/point_of_sale/models/account_bank_statement.py
+++ b/addons/point_of_sale/models/account_bank_statement.py
@@ -11,7 +11,6 @@ class AccountBankStatement(models.Model):
     pos_session_id = fields.Many2one('pos.session', string="Session", copy=False)
     account_id = fields.Many2one('account.account', related='journal_id.default_debit_account_id', readonly=True)
 
-    @api.multi
     def check_confirm_bank(self):
         for bs in self:
             if bs.pos_session_id.state  in ('opened', 'closing_control') and bs.state == 'open':
diff --git a/addons/point_of_sale/models/account_tax.py b/addons/point_of_sale/models/account_tax.py
index 48a7ecbe0c69e7a3ca4c1f3d826d6b895f423e62..11375ec9ec88b766e6870d745abf26f9e6b789e0 100644
--- a/addons/point_of_sale/models/account_tax.py
+++ b/addons/point_of_sale/models/account_tax.py
@@ -7,7 +7,6 @@ from odoo.exceptions import UserError
 class AccountTax(models.Model):
     _inherit = 'account.tax'
 
-    @api.multi
     def write(self, vals):
         forbidden_fields = set([
             'amount_type', 'amount', 'type_tax_use', 'tax_group_id', 'price_include',
diff --git a/addons/point_of_sale/models/pos_category.py b/addons/point_of_sale/models/pos_category.py
index 8b7d69f43ff3d0f9493b628012dfaabf22f0554d..a8e01c2ae4fa3c93aee9172638dcf6ec13bad598 100644
--- a/addons/point_of_sale/models/pos_category.py
+++ b/addons/point_of_sale/models/pos_category.py
@@ -36,12 +36,10 @@ class PosCategory(models.Model):
         tools.image_resize_images(vals)
         return super(PosCategory, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         tools.image_resize_images(vals)
         return super(PosCategory, self).write(vals)
 
-    @api.multi
     def name_get(self):
         def get_names(cat):
             res = []
diff --git a/addons/point_of_sale/models/pos_config.py b/addons/point_of_sale/models/pos_config.py
index ab0c675d9a796232c56cbbcffad5228178abfcff..319fec28ab892b8cff0f6b1e30313cb8ec730174 100644
--- a/addons/point_of_sale/models/pos_config.py
+++ b/addons/point_of_sale/models/pos_config.py
@@ -13,7 +13,6 @@ class AccountCashboxLine(models.Model):
 
     default_pos_id = fields.Many2one('pos.config', string='This cashbox line is used by default when opening or closing a balance for this point of sale')
 
-    @api.multi
     def name_get(self):
         result = []
         for cashbox_line in self:
@@ -319,7 +318,6 @@ class PosConfig(models.Model):
             self.receipt_header = False
             self.receipt_footer = False
 
-    @api.multi
     def name_get(self):
         result = []
         for config in self:
@@ -354,7 +352,6 @@ class PosConfig(models.Model):
         # If you plan to add something after this, use a new environment. The one above is no longer valid after the modules install.
         return pos_config
 
-    @api.multi
     def write(self, vals):
         result = super(PosConfig, self).write(vals)
 
@@ -367,7 +364,6 @@ class PosConfig(models.Model):
         self.sudo()._check_groups_implied()
         return result
 
-    @api.multi
     def unlink(self):
         for pos_config in self.filtered(lambda pos_config: pos_config.sequence_id or pos_config.sequence_line_id):
             pos_config.sequence_id.unlink()
@@ -411,7 +407,6 @@ class PosConfig(models.Model):
          }
 
     # Methods to open the POS
-    @api.multi
     def open_ui(self):
         """ open the pos interface """
         self.ensure_one()
@@ -421,7 +416,6 @@ class PosConfig(models.Model):
             'target': 'self',
         }
 
-    @api.multi
     def open_session_cb(self):
         """ new session button
 
@@ -443,7 +437,6 @@ class PosConfig(models.Model):
             return self._open_session(self.current_session_id.id)
         return self._open_session(self.current_session_id.id)
 
-    @api.multi
     def open_existing_session_cb(self):
         """ close session button
 
diff --git a/addons/point_of_sale/models/pos_order.py b/addons/point_of_sale/models/pos_order.py
index da752d64f79d42a7e9b28287250b4c77bcbe10da..99acaa84e9a2e23297718f44b2e3db8ba70842de 100644
--- a/addons/point_of_sale/models/pos_order.py
+++ b/addons/point_of_sale/models/pos_order.py
@@ -580,7 +580,6 @@ class PosOrder(models.Model):
         if self.partner_id:
             self.pricelist = self.partner_id.property_product_pricelist.id
 
-    @api.multi
     def write(self, vals):
         res = super(PosOrder, self).write(vals)
         Partner = self.env['res.partner']
@@ -596,7 +595,6 @@ class PosOrder(models.Model):
                 order.statement_ids.write({'partner_id': partner_id})
         return res
 
-    @api.multi
     def unlink(self):
         for pos_order in self.filtered(lambda pos_order: pos_order.state not in ['draft', 'cancel']):
             raise UserError(_('In order to delete a sale, it must be new or cancelled.'))
@@ -616,7 +614,6 @@ class PosOrder(models.Model):
         values.setdefault('company_id', session.config_id.company_id.id)
         return values
 
-    @api.multi
     def action_view_invoice(self):
         return {
             'name': _('Customer Invoice'),
@@ -628,14 +625,12 @@ class PosOrder(models.Model):
             'res_id': self.account_move.id,
         }
 
-    @api.multi
     def action_pos_order_paid(self):
         if not self.test_paid():
             raise UserError(_("Order is not paid."))
         self.write({'state': 'paid'})
         return self.create_picking()
 
-    @api.multi
     def action_pos_order_invoice(self):
         moves = self.env['account.move']
 
@@ -686,11 +681,9 @@ class PosOrder(models.Model):
         }
 
     # this method is unused, and so is the state 'cancel'
-    @api.multi
     def action_pos_order_cancel(self):
         return self.write({'state': 'cancel'})
 
-    @api.multi
     def action_pos_order_done(self):
         return self._create_account_move_line()
 
@@ -937,7 +930,6 @@ class PosOrder(models.Model):
         self.amount_paid = sum(payment.amount for payment in self.statement_ids)
         return args.get('statement_id', False)
 
-    @api.multi
     def refund(self):
         """Create a copy of order  for refund order"""
         refund_orders = self.env['pos.order']
@@ -1105,7 +1097,6 @@ class PosOrderLine(models.Model):
                 self.price_subtotal = taxes['total_excluded']
                 self.price_subtotal_incl = taxes['total_included']
 
-    @api.multi
     def _get_tax_ids_after_fiscal_position(self):
         for line in self:
             line.tax_ids_after_fiscal_position = line.order_id.fiscal_position_id.map_tax(line.tax_ids, line.product_id, line.order_id.partner_id)
@@ -1235,7 +1226,6 @@ class ReportSaleDetails(models.AbstractModel):
             } for (product, price_unit, discount), qty in products_sold.items()], key=lambda l: l['product_name'])
         }
 
-    @api.multi
     def _get_report_values(self, docids, data=None):
         data = dict(data or {})
         configs = self.env['pos.config'].browse(data['config_ids'])
diff --git a/addons/point_of_sale/models/pos_session.py b/addons/point_of_sale/models/pos_session.py
index 2136395c4392574bba32176b6cdccab0233427d9..a84e1023c105ac2ab1fd9b7f78d415b434d86e12 100644
--- a/addons/point_of_sale/models/pos_session.py
+++ b/addons/point_of_sale/models/pos_session.py
@@ -114,20 +114,17 @@ class PosSession(models.Model):
 
     _sql_constraints = [('uniq_name', 'unique(name)', "The name of this POS Session must be unique !")]
 
-    @api.multi
     def _compute_order_count(self):
         orders_data = self.env['pos.order'].read_group([('session_id', 'in', self.ids)], ['session_id'], ['session_id'])
         sessions_data = {order_data['session_id'][0]: order_data['session_id_count'] for order_data in orders_data}
         for session in self:
             session.order_count = sessions_data.get(session.id, 0)
 
-    @api.multi
     def _compute_picking_count(self):
         for pos in self:
             pickings = pos.order_ids.mapped('picking_id').filtered(lambda x: x.state != 'done')
             pos.picking_count = len(pickings.ids)
 
-    @api.multi
     def action_stock_picking(self):
         pickings = self.order_ids.mapped('picking_id').filtered(lambda x: x.state != 'done')
         action_picking = self.env.ref('stock.action_picking_tree_ready')
@@ -242,20 +239,17 @@ class PosSession(models.Model):
 
         return res
 
-    @api.multi
     def unlink(self):
         for session in self.filtered(lambda s: s.statement_ids):
             session.statement_ids.unlink()
         return super(PosSession, self).unlink()
 
-    @api.multi
     def login(self):
         self.ensure_one()
         self.write({
             'login_number': self.login_number + 1,
         })
 
-    @api.multi
     def action_pos_session_open(self):
         # second browse because we need to refetch the data from the DB for cash_register_id
         # we only open sessions that haven't already been opened
@@ -268,7 +262,6 @@ class PosSession(models.Model):
             session.statement_ids.button_open()
         return True
 
-    @api.multi
     def action_pos_session_closing_control(self):
         self._check_pos_session_balance()
         for session in self:
@@ -276,19 +269,16 @@ class PosSession(models.Model):
             if not session.config_id.cash_control:
                 session.action_pos_session_close()
 
-    @api.multi
     def _check_pos_session_balance(self):
         for session in self:
             for statement in session.statement_ids:
                 if (statement != session.cash_register_id) and (statement.balance_end != statement.balance_end_real):
                     statement.write({'balance_end_real': statement.balance_end})
 
-    @api.multi
     def action_pos_session_validate(self):
         self._check_pos_session_balance()
         self.action_pos_session_close()
 
-    @api.multi
     def action_pos_session_close(self):
         # Close CashBox
         for session in self:
@@ -313,7 +303,6 @@ class PosSession(models.Model):
             'params': {'menu_id': self.env.ref('point_of_sale.menu_point_root').id},
         }
 
-    @api.multi
     def open_frontend_cb(self):
         if not self.ids:
             return {}
@@ -326,7 +315,6 @@ class PosSession(models.Model):
             'url':   '/pos/web/',
         }
 
-    @api.multi
     def open_cashbox(self):
         self.ensure_one()
         context = dict(self._context)
diff --git a/addons/point_of_sale/models/product.py b/addons/point_of_sale/models/product.py
index b5cd2b2bbf51c9bdcfb2d76c37c4759fb63a22b0..828c08c43c86b0ef1a3d1edef708fd8f44916709 100644
--- a/addons/point_of_sale/models/product.py
+++ b/addons/point_of_sale/models/product.py
@@ -13,7 +13,6 @@ class ProductTemplate(models.Model):
         'pos.category', string='Point of Sale Category',
         help="Category used in the Point of Sale.")
 
-    @api.multi
     def unlink(self):
         product_ctx = dict(self.env.context or {}, active_test=False)
         if self.with_context(product_ctx).search_count([('id', 'in', self.ids), ('available_in_pos', '=', True)]):
@@ -30,7 +29,6 @@ class ProductTemplate(models.Model):
 class ProductProduct(models.Model):
     _inherit = 'product.product'
 
-    @api.multi
     def unlink(self):
         product_ctx = dict(self.env.context or {}, active_test=False)
         if self.env['pos.session'].search_count([('state', '!=', 'closed')]):
diff --git a/addons/point_of_sale/wizard/pos_box.py b/addons/point_of_sale/wizard/pos_box.py
index e2ffe1dc96295ae26500a76462f42a234ca866d0..aac7131045c3c5371d36c9da05c6e97be85016d4 100644
--- a/addons/point_of_sale/wizard/pos_box.py
+++ b/addons/point_of_sale/wizard/pos_box.py
@@ -10,7 +10,6 @@ from odoo.addons.account.wizard.pos_box import CashBox
 class PosBox(CashBox):
     _register = False
 
-    @api.multi
     def run(self):
         active_model = self.env.context.get('active_model', False)
         active_ids = self.env.context.get('active_ids', [])
diff --git a/addons/point_of_sale/wizard/pos_details.py b/addons/point_of_sale/wizard/pos_details.py
index 6887bdb49a39426d5f00c1e01e34441ecac9a2a7..47578d68559f66497b0c8d4859d832f544504526 100644
--- a/addons/point_of_sale/wizard/pos_details.py
+++ b/addons/point_of_sale/wizard/pos_details.py
@@ -42,7 +42,6 @@ class PosDetails(models.TransientModel):
         if self.end_date and self.end_date < self.start_date:
             self.start_date = self.end_date
 
-    @api.multi
     def generate_report(self):
         if (not self.env.company.logo):
             raise UserError(_("You have to set a logo or a layout for your company."))
diff --git a/addons/point_of_sale/wizard/pos_open_statement.py b/addons/point_of_sale/wizard/pos_open_statement.py
index c5de54a14100a6de329a6825f2fc62ef454c8733..f6049bf5c584657d18a06d7b6c82554dc748f7d2 100644
--- a/addons/point_of_sale/wizard/pos_open_statement.py
+++ b/addons/point_of_sale/wizard/pos_open_statement.py
@@ -9,7 +9,6 @@ class PosOpenStatement(models.TransientModel):
     _name = 'pos.open.statement'
     _description = 'Point of Sale Open Statement'
 
-    @api.multi
     def open_statement(self):
         self.ensure_one()
         BankStatement = self.env['account.bank.statement']
diff --git a/addons/point_of_sale/wizard/pos_payment.py b/addons/point_of_sale/wizard/pos_payment.py
index ca366987f4b8938573beb878bb717e00c597303c..72998e7a3b68f61ccfd896c75c49b9f6276f9680 100644
--- a/addons/point_of_sale/wizard/pos_payment.py
+++ b/addons/point_of_sale/wizard/pos_payment.py
@@ -42,7 +42,6 @@ class PosMakePayment(models.TransientModel):
                 'domain': {'journal_id': [('id', 'in', self.session_id.config_id.journal_ids.ids)]}
             }
 
-    @api.multi
     def check(self):
         """Check the order:
         if the order is not paid: continue payment,
diff --git a/addons/portal/models/mail_message.py b/addons/portal/models/mail_message.py
index afe97f1b8ca83deb5b8ebf8a6a2c8a386223c35b..b00faf9a5e4221dc52bb4b7052c5479917011a9d 100644
--- a/addons/portal/models/mail_message.py
+++ b/addons/portal/models/mail_message.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class MailMessage(models.Model):
     _inherit = 'mail.message'
 
-    @api.multi
     def portal_message_format(self):
         return self._portal_message_format([
             'id', 'body', 'date', 'author_id', 'email_from',  # base message fields
@@ -15,7 +14,6 @@ class MailMessage(models.Model):
             'model', 'res_id', 'record_name',  # document related
         ])
 
-    @api.multi
     def _portal_message_format(self, fields_list):
         message_values = self.read(fields_list)
         message_tree = dict((m.id, m) for m in self.sudo())
diff --git a/addons/portal/models/mail_thread.py b/addons/portal/models/mail_thread.py
index 71aae5ca58d50db797671354957d0d6e508cd297..424e3de0c25c99c57ba78f0ba6df40a989c6e8a8 100644
--- a/addons/portal/models/mail_thread.py
+++ b/addons/portal/models/mail_thread.py
@@ -16,7 +16,6 @@ class MailThread(models.AbstractModel):
         domain=lambda self: [('model', '=', self._name), '|', ('message_type', '=', 'comment'), ('message_type', '=', 'email')], auto_join=True,
         help="Website communication history")
 
-    @api.multi
     def _sign_token(self, pid):
         """Generate a secure hash for this record with the email of the recipient with whom the record have been shared.
 
diff --git a/addons/portal/models/portal_mixin.py b/addons/portal/models/portal_mixin.py
index edf3f51af483c5b7ec83dabec8deec37003b83cb..a552277aac6b224b8d2b92772c8cb9070d08ed40 100644
--- a/addons/portal/models/portal_mixin.py
+++ b/addons/portal/models/portal_mixin.py
@@ -21,7 +21,6 @@ class PortalMixin(models.AbstractModel):
         for mixin in self:
             mixin.access_warning = ''
 
-    @api.multi
     def _compute_access_url(self):
         for record in self:
             record.access_url = '#'
@@ -61,7 +60,6 @@ class PortalMixin(models.AbstractModel):
 
         return '%s?%s' % ('/mail/view' if redirect else self.access_url, url_encode(params))
 
-    @api.multi
     def _notify_get_groups(self):
         access_token = self._portal_ensure_token()
         customer = self['partner_id']
@@ -85,7 +83,6 @@ class PortalMixin(models.AbstractModel):
             new_group = []
         return new_group + groups
 
-    @api.multi
     def get_access_action(self, access_uid=None):
         """ Instead of the classic form view, redirect to the online document for
         portal users or if force_website=True in the context. """
@@ -130,7 +127,6 @@ class PortalMixin(models.AbstractModel):
                              'active_model': self.env.context['active_model']}
         return action
 
-    @api.multi
     def get_portal_url(self, suffix=None, report_type=None, download=None, query_string=None, anchor=None):
         """
             Get a portal url for this model, including access_token.
diff --git a/addons/portal/wizard/portal_share.py b/addons/portal/wizard/portal_share.py
index a4597edbb626e60daae3adfeb779014ada28e32b..52164f430cb95d71f5fe3a2805bae122c1504af5 100644
--- a/addons/portal/wizard/portal_share.py
+++ b/addons/portal/wizard/portal_share.py
@@ -39,7 +39,6 @@ class PortalShare(models.TransientModel):
                 record = res_model.browse(rec.res_id)
                 rec.access_warning = record.access_warning
 
-    @api.multi
     def action_send_mail(self):
         active_record = self.env[self.res_model].browse(self.res_id)
         template = self.env.ref('portal.portal_share_template', False)
diff --git a/addons/portal/wizard/portal_wizard.py b/addons/portal/wizard/portal_wizard.py
index 95d2a9161cabbf4ea68d007e6b235d230c37176d..86aa84115bdcf63391087b4a3244d9ad37d39048 100644
--- a/addons/portal/wizard/portal_wizard.py
+++ b/addons/portal/wizard/portal_wizard.py
@@ -53,7 +53,6 @@ class PortalWizard(models.TransientModel):
     user_ids = fields.One2many('portal.wizard.user', 'wizard_id', string='Users',default=_default_user_ids)
     welcome_message = fields.Text('Invitation Message', help="This text is included in the email sent to new users of the portal.")
 
-    @api.multi
     def action_apply(self):
         self.ensure_one()
         self.user_ids.action_apply()
@@ -74,7 +73,6 @@ class PortalWizardUser(models.TransientModel):
     in_portal = fields.Boolean('In Portal')
     user_id = fields.Many2one('res.users', string='Login User')
 
-    @api.multi
     def get_error_messages(self):
         emails = []
         partners_error_empty = self.env['res.partner']
@@ -108,7 +106,6 @@ class PortalWizardUser(models.TransientModel):
                 "- Grant access only to contacts with unique emails"))
         return error_msg
 
-    @api.multi
     def action_apply(self):
         self.env['res.partner'].check_access_rights('write')
         """ From selected partners, add corresponding users to chosen portal group. It either granted
@@ -154,7 +151,6 @@ class PortalWizardUser(models.TransientModel):
                     else:
                         user.write({'groups_id': [(3, group_portal.id)]})
 
-    @api.multi
     def _create_user(self):
         """ create a new user for wizard_user.partner_id
             :returns record of res.users
@@ -168,7 +164,6 @@ class PortalWizardUser(models.TransientModel):
             'company_ids': [(6, 0, [company_id])],
         })
 
-    @api.multi
     def _send_email(self):
         """ send notification email to a new portal user """
         if not self.env.user.email:
diff --git a/addons/pos_cache/models/pos_cache.py b/addons/pos_cache/models/pos_cache.py
index 30ca2d261c0afe1af2c4a715d6443ee12fbe8931..8987907f98110830603adf8a20a2886f57312f1a 100644
--- a/addons/pos_cache/models/pos_cache.py
+++ b/addons/pos_cache/models/pos_cache.py
@@ -74,7 +74,6 @@ class pos_config(models.Model):
         else:
             return None
 
-    @api.multi
     def get_products_from_cache(self, fields, domain):
         cache_for_user = self._get_cache_for_user()
 
diff --git a/addons/pos_sale/models/pos_order.py b/addons/pos_sale/models/pos_order.py
index 821782a646a2f2976f30de11d0ae8d96ce4e7b2a..d3dfe97b8cf766447d3c73bc609c0a2c97e61446 100644
--- a/addons/pos_sale/models/pos_order.py
+++ b/addons/pos_sale/models/pos_order.py
@@ -22,7 +22,6 @@ class PosOrder(models.Model):
             date_order = order.date_order or fields.Datetime.now()
             order.currency_rate = self.env['res.currency']._get_conversion_rate(order.company_id.currency_id, order.pricelist_id.currency_id, order.company_id, date_order)
 
-    @api.multi
     def _prepare_invoice(self):
         invoice_vals = super(PosOrder, self)._prepare_invoice()
         invoice_vals['team_id'] = self.crm_team_id
diff --git a/addons/procurement_jit/sale.py b/addons/procurement_jit/sale.py
index c6e638ee721bce3b98056fef3d71eda22d02c8ab..baab963f0e3e7c20e9d2e94a6e5ad84bc90a3901 100644
--- a/addons/procurement_jit/sale.py
+++ b/addons/procurement_jit/sale.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class SaleOrderLine(models.Model):
     _inherit = "sale.order.line"
 
-    @api.multi
     def _action_launch_stock_rule(self, previous_product_uom_qty=False):
         res = super(SaleOrderLine, self)._action_launch_stock_rule(previous_product_uom_qty=previous_product_uom_qty)
         orders = list(set(x.order_id for x in self))
diff --git a/addons/product/models/product.py b/addons/product/models/product.py
index 1311563bb05f28c01a47bc1afa8ad63549011781..6dfd75e3b2d409ef604646eba1af73e2460d6e50 100644
--- a/addons/product/models/product.py
+++ b/addons/product/models/product.py
@@ -144,7 +144,6 @@ class ProductProduct(models.Model):
 
     image = fields.Binary("Image", compute='_compute_image', inverse='_set_image')
 
-    @api.multi
     @api.depends('image_raw_original')
     def _compute_images(self):
         for record in self:
@@ -158,13 +157,11 @@ class ProductProduct(models.Model):
             record.image_raw_small = image and images['image_small']
             record.can_image_raw_be_zoomed = image and tools.is_image_size_above(image)
 
-    @api.multi
     def _compute_image_original(self):
         """Get the image from the template if no image is set on the variant."""
         for record in self:
             record.image_original = record.image_raw_original or record.product_tmpl_id.image_original
 
-    @api.multi
     def _set_image_original(self):
         for record in self:
             if (
@@ -185,43 +182,36 @@ class ProductProduct(models.Model):
             else:
                 record.image_raw_original = record.image_original
 
-    @api.multi
     def _compute_image_big(self):
         """Get the image from the template if no image is set on the variant."""
         for record in self:
             record.image_big = record.image_raw_big or record.product_tmpl_id.image_big
 
-    @api.multi
     def _compute_image_large(self):
         """Get the image from the template if no image is set on the variant."""
         for record in self:
             record.image_large = record.image_raw_large or record.product_tmpl_id.image_large
 
-    @api.multi
     def _compute_image_medium(self):
         """Get the image from the template if no image is set on the variant."""
         for record in self:
             record.image_medium = record.image_raw_medium or record.product_tmpl_id.image_medium
 
-    @api.multi
     def _compute_image_small(self):
         """Get the image from the template if no image is set on the variant."""
         for record in self:
             record.image_small = record.image_raw_small or record.product_tmpl_id.image_small
 
-    @api.multi
     def _compute_can_image_be_zoomed(self):
         """Get the image from the template if no image is set on the variant."""
         for record in self:
             record.can_image_be_zoomed = record.can_image_raw_be_zoomed if record.image_raw_original else record.product_tmpl_id.can_image_be_zoomed
 
-    @api.multi
     @api.depends('image_big')
     def _compute_image(self):
         for record in self:
             record.image = record.image_big
 
-    @api.multi
     def _set_image(self):
         for record in self:
             record.image_original = record.image
@@ -382,7 +372,6 @@ class ProductProduct(models.Model):
         )
         return products
 
-    @api.multi
     def write(self, values):
         res = super(ProductProduct, self).write(values)
         if 'attribute_value_ids' in values:
@@ -396,7 +385,6 @@ class ProductProduct(models.Model):
             self.clear_caches()
         return res
 
-    @api.multi
     def unlink(self):
         unlink_products = self.env['product.product']
         unlink_templates = self.env['product.template']
@@ -456,7 +444,6 @@ class ProductProduct(models.Model):
                     # This is the case from existing stock reordering rules.
                     self.write({'active': False})
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         # TDE FIXME: clean context / variant brol
@@ -477,7 +464,6 @@ class ProductProduct(models.Model):
             args.append((('categ_id', 'child_of', self._context['search_default_categ_id'])))
         return super(ProductProduct, self)._search(args, offset=offset, limit=limit, order=order, count=count, access_rights_uid=access_rights_uid)
 
-    @api.multi
     def name_get(self):
         # TDE: this could be cleaned a bit I think
 
@@ -612,7 +598,6 @@ class ProductProduct(models.Model):
             return _('Products: ') + self.env['product.category'].browse(self._context['categ_id']).name
         return res
 
-    @api.multi
     def open_product_template(self):
         """ Utility method used to add an "Open Template" button in product views """
         self.ensure_one()
@@ -625,7 +610,6 @@ class ProductProduct(models.Model):
     def _prepare_sellers(self, params):
         return self.seller_ids
 
-    @api.multi
     def _select_seller(self, partner_id=False, quantity=0.0, date=None, uom_id=False, params=False):
         self.ensure_one()
         if date is None:
@@ -657,7 +641,6 @@ class ProductProduct(models.Model):
             break
         return res
 
-    @api.multi
     def price_compute(self, price_type, uom=False, currency=False, company=False):
         # TDE FIXME: delegate to template or not ? fields are reencoded here ...
         # compatibility about context keys used a bit everywhere in the code
@@ -738,7 +721,6 @@ class ProductProduct(models.Model):
                 return False
         return True
 
-    @api.multi
     def _is_variant_possible(self, parent_combination=None):
         """Return whether the variant is possible based on its own combination,
         and optionally a parent combination.
@@ -758,7 +740,6 @@ class ProductProduct(models.Model):
         self.ensure_one()
         return self.product_tmpl_id._is_combination_possible(self.product_template_attribute_value_ids, parent_combination=parent_combination)
 
-    @api.multi
     def toggle_active(self):
         """ Archiving related product.template if there is only one active product.product """
         with_one_active = self.filtered(lambda product: len(product.product_tmpl_id.product_variant_ids) == 1)
diff --git a/addons/product/models/product_attribute.py b/addons/product/models/product_attribute.py
index 033faa4c18eb49b73ca4eb5bc9f578715b2392d9..ba432228a062ee86bdb800949cad377c77700824 100644
--- a/addons/product/models/product_attribute.py
+++ b/addons/product/models/product_attribute.py
@@ -25,11 +25,9 @@ class ProductAttribute(models.Model):
         string="Create Variants",
         help="Check this if you want to create multiple variants for this attribute.", required=True)
 
-    @api.multi
     def _without_no_variant_attributes(self):
         return self.filtered(lambda pa: pa.create_variant != 'no_variant')
 
-    @api.multi
     def write(self, vals):
         """Override to make sure attribute type can't be changed if it's used on
         a product template.
@@ -51,7 +49,6 @@ class ProductAttribute(models.Model):
             self.invalidate_cache()
         return res
 
-    @api.multi
     def _get_related_product_templates(self):
         return self.env['product.template'].with_context(active_test=False).search([
             ('attribute_line_ids.attribute_id', 'in', self.ids),
@@ -73,7 +70,6 @@ class ProductAttributeValue(models.Model):
         ('value_company_uniq', 'unique (name, attribute_id)', 'This attribute value already exists !')
     ]
 
-    @api.multi
     def name_get(self):
         """Override because in general the name of the value is confusing if it
         is displayed without the name of the corresponding attribute.
@@ -87,11 +83,9 @@ class ProductAttributeValue(models.Model):
             return super(ProductAttributeValue, self).name_get()
         return [(value.id, "%s: %s" % (value.attribute_id.name, value.name)) for value in self]
 
-    @api.multi
     def _variant_name(self, variable_attributes):
         return ", ".join([v.name for v in self if v.attribute_id in variable_attributes])
 
-    @api.multi
     def write(self, values):
         invalidate_cache = 'sequence' in values and any(record.sequence != values['sequence'] for record in self)
         res = super(ProductAttributeValue, self).write(values)
@@ -101,18 +95,15 @@ class ProductAttributeValue(models.Model):
             self.invalidate_cache()
         return res
 
-    @api.multi
     def unlink(self):
         linked_products = self._get_related_product_templates()
         if linked_products:
             raise UserError(_('The operation cannot be completed:\nYou are trying to delete an attribute value with a reference on a product variant.'))
         return super(ProductAttributeValue, self).unlink()
 
-    @api.multi
     def _without_no_variant_attributes(self):
         return self.filtered(lambda pav: pav.attribute_id.create_variant != 'no_variant')
 
-    @api.multi
     def _get_related_product_templates(self):
         return self.env['product.template'].with_context(active_test=False).search([
             ('attribute_line_ids.value_ids', 'in', self.ids),
@@ -162,7 +153,6 @@ class ProductTemplateAttributeLine(models.Model):
                 ('product_attribute_value_id', 'in', product_template_attribute_line.value_ids.ids)]
             )
 
-    @api.multi
     def unlink(self):
         for product_template_attribute_line in self:
             self.env['product.template.attribute.value'].search([
@@ -215,7 +205,6 @@ class ProductTemplateAttributeLine(models.Model):
             return self.browse(attribute_ids).name_get()
         return super(ProductTemplateAttributeLine, self)._name_search(name=name, args=args, operator=operator, limit=limit, name_get_uid=name_get_uid)
 
-    @api.multi
     def _without_no_variant_attributes(self):
         return self.filtered(lambda ptal: ptal.attribute_id.create_variant != 'no_variant')
 
@@ -253,7 +242,6 @@ class ProductTemplateAttributeValue(models.Model):
         help="""Make this attribute value not compatible with
         other values of the product or some attribute values of optional and accessory products.""")
 
-    @api.multi
     def name_get(self):
         """Override because in general the name of the value is confusing if it
         is displayed without the name of the corresponding attribute.
@@ -261,7 +249,6 @@ class ProductTemplateAttributeValue(models.Model):
         """
         return [(value.id, "%s: %s" % (value.attribute_id.name, value.name)) for value in self]
 
-    @api.multi
     def _without_no_variant_attributes(self):
         return self.filtered(lambda ptav: ptav.attribute_id.create_variant != 'no_variant')
 
diff --git a/addons/product/models/product_pricelist.py b/addons/product/models/product_pricelist.py
index 3f6b1d0526002854ed2cebbc5f477745117587e7..8711fddfa1ea42ff789bb2ba6996975b90dcb103 100644
--- a/addons/product/models/product_pricelist.py
+++ b/addons/product/models/product_pricelist.py
@@ -39,7 +39,6 @@ class Pricelist(models.Model):
         ('without_discount', 'Show public price & discount to the customer')],
         default='with_discount')
 
-    @api.multi
     def name_get(self):
         return [(pricelist.id, '%s (%s)' % (pricelist.name, pricelist.currency_id.name)) for pricelist in self]
 
@@ -124,7 +123,6 @@ class Pricelist(models.Model):
         item_ids = [x[0] for x in self.env.cr.fetchall()]
         return self.env['product.pricelist.item'].browse(item_ids)
 
-    @api.multi
     def _compute_price_rule(self, products_qty_partner, date=False, uom_id=False):
         """ Low-level method - Mono pricelist, multi products
         Returns: dict{product_id: (price, suitable_rule) for the given pricelist}
@@ -289,17 +287,14 @@ class Pricelist(models.Model):
         self.ensure_one()
         return self._compute_price_rule([(product, quantity, partner)], date=date, uom_id=uom_id)[product.id]
 
-    @api.multi
     def price_get(self, prod_id, qty, partner=None):
         """ Multi pricelist, mono product - returns price per pricelist """
         return {key: price[0] for key, price in self.price_rule_get(prod_id, qty, partner=partner).items()}
 
-    @api.multi
     def price_rule_get_multi(self, products_by_qty_by_partner):
         """ Multi pricelist, multi product  - return tuple """
         return self._compute_price_rule_multi(products_by_qty_by_partner)
 
-    @api.multi
     def price_rule_get(self, prod_id, qty, partner=None):
         """ Multi pricelist, mono product - return tuple """
         product = self.env['product.product'].browse([prod_id])
@@ -515,7 +510,6 @@ class PricelistItem(models.Model):
                 'price_max_margin': 0.0,
             })
 
-    @api.multi
     def write(self, values):
         res = super(PricelistItem, self).write(values)
         # When the pricelist changes we need the product.template price
diff --git a/addons/product/models/product_template.py b/addons/product/models/product_template.py
index 7f3e271ccf4cbd2e2335a423205cee202895afb4..10d87c9c62378e43f0e1a8b107f40404ae1c2d70 100644
--- a/addons/product/models/product_template.py
+++ b/addons/product/models/product_template.py
@@ -155,7 +155,6 @@ class ProductTemplate(models.Model):
         for p in self:
             p.product_variant_id = p.product_variant_ids[:1].id
 
-    @api.multi
     def _compute_currency_id(self):
         main_company = self.env['res.company']._get_main_company()
         for template in self:
@@ -165,13 +164,11 @@ class ProductTemplate(models.Model):
         for template in self:
             template.cost_currency_id = self.env.company.currency_id.id
 
-    @api.multi
     def _compute_template_price(self):
         prices = self._compute_template_price_no_inverse()
         for template in self:
             template.price = prices.get(template.id, 0.0)
 
-    @api.multi
     def _compute_template_price_no_inverse(self):
         """The _compute_template_price writes the 'list_price' field with an inverse method
         This method allows computing the price without writing the 'list_price'
@@ -198,7 +195,6 @@ class ProductTemplate(models.Model):
 
         return prices
 
-    @api.multi
     def _set_template_price(self):
         if self._context.get('uom'):
             for template in self:
@@ -370,7 +366,6 @@ class ProductTemplate(models.Model):
 
         return templates
 
-    @api.multi
     def write(self, vals):
         res = super(ProductTemplate, self).write(vals)
         if 'attribute_line_ids' in vals or vals.get('active'):
@@ -379,7 +374,6 @@ class ProductTemplate(models.Model):
             self.with_context(active_test=False).mapped('product_variant_ids').write({'active': vals.get('active')})
         return res
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         # TDE FIXME: should probably be copy_data
@@ -390,7 +384,6 @@ class ProductTemplate(models.Model):
             default['name'] = _("%s (copy)") % self.name
         return super(ProductTemplate, self).copy(default=default)
 
-    @api.multi
     def name_get(self):
         # Prefetch the fields used by the `name_get`, so `browse` doesn't fetch other fields
         self.read(['name', 'default_code'])
@@ -434,7 +427,6 @@ class ProductTemplate(models.Model):
             '', args=[('id', 'in', list(searched_ids))],
             operator='ilike', limit=limit, name_get_uid=name_get_uid)
 
-    @api.multi
     def price_compute(self, price_type, uom=False, currency=False, company=False):
         # TDE FIXME: delegate to template or not ? fields are reencoded here ...
         # compatibility about context keys used a bit everywhere in the code
@@ -475,7 +467,6 @@ class ProductTemplate(models.Model):
 
         return prices
 
-    @api.multi
     def create_variant_ids(self):
         Product = self.env["product.product"]
 
@@ -562,7 +553,6 @@ class ProductTemplate(models.Model):
         self.ensure_one()
         return any(a.create_variant == 'dynamic' for a in self.valid_product_attribute_ids)
 
-    @api.multi
     def _compute_valid_attributes(self):
         """A product template attribute line is considered valid if it has at
         least one possible value.
@@ -594,7 +584,6 @@ class ProductTemplate(models.Model):
             record.valid_product_attribute_ids = record.valid_product_template_attribute_line_ids.mapped('attribute_id')
             record.valid_product_attribute_wnva_ids = record.valid_product_template_attribute_line_wnva_ids.mapped('attribute_id')
 
-    @api.multi
     def _get_possible_variants(self, parent_combination=None):
         """Return the existing variants that are possible.
 
@@ -619,7 +608,6 @@ class ProductTemplate(models.Model):
         self.ensure_one()
         return self.product_variant_ids.filtered(lambda p: p._is_variant_possible(parent_combination))
 
-    @api.multi
     def _get_attribute_exclusions(self, parent_combination=None, parent_name=None):
         """Return the list of attribute exclusions of a product.
 
@@ -667,7 +655,6 @@ class ProductTemplate(models.Model):
 
         return result
 
-    @api.multi
     def _get_own_attribute_exclusions(self):
         """Get exclusions coming from the current template.
 
@@ -686,7 +673,6 @@ class ProductTemplate(models.Model):
             for ptav in product_template_attribute_values
         }
 
-    @api.multi
     def _get_parent_attribute_exclusions(self, parent_combination):
         """Get exclusions coming from the parent combination.
 
@@ -712,7 +698,6 @@ class ProductTemplate(models.Model):
 
         return result
 
-    @api.multi
     def _get_mapped_attribute_names(self, parent_combination=None):
         """ The name of every attribute values based on their id,
         used to explain in the interface why that combination is not available
@@ -731,7 +716,6 @@ class ProductTemplate(models.Model):
             for attribute_value in all_product_attribute_values
         }
 
-    @api.multi
     def _is_combination_possible(self, combination, parent_combination=None):
         """
         The combination is possible if it is not excluded by any rule
@@ -801,7 +785,6 @@ class ProductTemplate(models.Model):
 
         return True
 
-    @api.multi
     def _get_variant_for_combination(self, combination):
         """Get the variant matching the combination.
 
@@ -820,7 +803,6 @@ class ProductTemplate(models.Model):
         attribute_values = filtered_combination.mapped('product_attribute_value_id')
         return self.env['product.product'].browse(self._get_variant_id_for_combination(attribute_values))
 
-    @api.multi
     @tools.ormcache('self.id', 'attribute_values')
     def _get_variant_id_for_combination(self, attribute_values):
         """See `_get_variant_for_combination`. This method returns an ID
@@ -842,7 +824,6 @@ class ProductTemplate(models.Model):
             lambda v: v.attribute_value_ids == attribute_values
         )[:1].id
 
-    @api.multi
     @tools.ormcache('self.id')
     def _get_first_possible_variant_id(self):
         """See `_create_first_product_variant`. This method returns an ID
@@ -850,7 +831,6 @@ class ProductTemplate(models.Model):
         self.ensure_one()
         return self._create_first_product_variant().id
 
-    @api.multi
     def _get_first_possible_combination(self, parent_combination=None, necessary_values=None):
         """See `_get_possible_combinations` (one iteration).
 
@@ -864,7 +844,6 @@ class ProductTemplate(models.Model):
         """
         return next(self._get_possible_combinations(parent_combination, necessary_values), self.env['product.template.attribute.value'])
 
-    @api.multi
     def _get_possible_combinations(self, parent_combination=None, necessary_values=None):
         """Generator returning combinations that are possible, following the
         sequence of attributes and values.
@@ -913,7 +892,6 @@ class ProductTemplate(models.Model):
 
         return _("There are no remaining possible combination.")
 
-    @api.multi
     def _get_closest_possible_combination(self, combination):
         """See `_get_closest_possible_combinations` (one iteration).
 
@@ -927,7 +905,6 @@ class ProductTemplate(models.Model):
         """
         return next(self._get_closest_possible_combinations(combination), self.env['product.template.attribute.value'])
 
-    @api.multi
     def _get_closest_possible_combinations(self, combination):
         """Generator returning the possible combinations that are the closest to
         the given combination.
@@ -961,7 +938,6 @@ class ProductTemplate(models.Model):
                     return _("There are no possible combination.")
                 combination = combination[:-1]
 
-    @api.multi
     def _get_current_company(self, **kwargs):
         """Get the most appropriate company for this product.
 
@@ -976,7 +952,6 @@ class ProductTemplate(models.Model):
         self.ensure_one()
         return self.company_id or self._get_current_company_fallback(**kwargs)
 
-    @api.multi
     def _get_current_company_fallback(self, **kwargs):
         """Fallback to get the most appropriate company for this product.
 
diff --git a/addons/product/models/res_company.py b/addons/product/models/res_company.py
index d94e8d2cda2ec4b9857a05e322315d20623c14ca..120235e15f6631a35b27840e309e3a852fbaf4c2 100644
--- a/addons/product/models/res_company.py
+++ b/addons/product/models/res_company.py
@@ -27,7 +27,6 @@ class ResCompany(models.Model):
         product_property.sudo().write({'company_id': new_company.id})
         return new_company
 
-    @api.multi
     def write(self, values):
         # When we modify the currency of the company, we reflect the change on the list0 pricelist, if
         # that pricelist is not used by another company. Otherwise, we create a new pricelist for the
diff --git a/addons/product/models/res_partner.py b/addons/product/models/res_partner.py
index 18e2750ccdf2ed5c589de6797761899d984c3284..5173845d5997c04bfc4bfa85d0c34001e1f2da48 100644
--- a/addons/product/models/res_partner.py
+++ b/addons/product/models/res_partner.py
@@ -14,7 +14,6 @@ class Partner(models.Model):
         inverse="_inverse_product_pricelist", company_dependent=False,
         help="This pricelist will be used, instead of the default one, for sales to the current partner")
 
-    @api.multi
     @api.depends('country_id')
     def _compute_product_pricelist(self):
         company = self.env.context.get('force_company', False)
diff --git a/addons/product/wizard/product_price_list.py b/addons/product/wizard/product_price_list.py
index 2488d8c335a6f7e54cdc537515e0613f548c6af0..a2c91a3d412099934cbceb297d05a37d10e1bc53 100644
--- a/addons/product/wizard/product_price_list.py
+++ b/addons/product/wizard/product_price_list.py
@@ -16,7 +16,6 @@ class product_price_list(models.TransientModel):
     qty4 = fields.Integer('Quantity-4', default=0)
     qty5 = fields.Integer('Quantity-5', default=0)
 
-    @api.multi
     def print_report(self):
         """
         To get the date and print the report
diff --git a/addons/product_email_template/models/account_move.py b/addons/product_email_template/models/account_move.py
index 87ed8e59663758beacca3a3ed969a58edb37ef7d..339347e1a28e8c98e0e202b2bc4889734443cfb2 100644
--- a/addons/product_email_template/models/account_move.py
+++ b/addons/product_email_template/models/account_move.py
@@ -17,7 +17,6 @@ class AccountMove(models.Model):
                     invoice.message_post_with_template(line.product_id.email_template_id.id, composition_mode='comment', custom_layout='mail.mail_notification_light')
         return True
 
-    @api.multi
     def post(self):
         # OVERRIDE
         res = super(AccountMove, self).post()
diff --git a/addons/product_margin/wizard/product_margin.py b/addons/product_margin/wizard/product_margin.py
index 67ae474722a50a0a9aae843ad770faa4f3c3fa61..32e0cd32e89eb697d60892a4b7d12dc57cb89e79 100644
--- a/addons/product_margin/wizard/product_margin.py
+++ b/addons/product_margin/wizard/product_margin.py
@@ -18,7 +18,6 @@ class ProductMargin(models.TransientModel):
         ('draft_open_paid', 'Draft, Open and Paid'),
     ], 'Invoice State', index=True, required=True, default="open_paid")
 
-    @api.multi
     def action_open_window(self):
         self.ensure_one()
         context = dict(self.env.context or {})
diff --git a/addons/project/models/analytic_account.py b/addons/project/models/analytic_account.py
index f61059058be55c04a8dcf1000bcb753a72418620..794f882c31879bb9a7557ed7c6ca768343085641 100644
--- a/addons/project/models/analytic_account.py
+++ b/addons/project/models/analytic_account.py
@@ -12,7 +12,6 @@ class AccountAnalyticAccount(models.Model):
     project_ids = fields.One2many('project.project', 'analytic_account_id', string='Projects')
     project_count = fields.Integer("Project Count", compute='_compute_project_count')
 
-    @api.multi
     @api.depends('project_ids')
     def _compute_project_count(self):
         project_data = self.env['project.project'].read_group([('analytic_account_id', 'in', self.ids)], ['analytic_account_id'], ['analytic_account_id'])
@@ -20,7 +19,6 @@ class AccountAnalyticAccount(models.Model):
         for account in self:
             account.project_count = mapping.get(account.id, 0)
 
-    @api.multi
     def unlink(self):
         projects = self.env['project.project'].search([('analytic_account_id', 'in', self.ids)])
         has_tasks = self.env['project.task'].search_count([('project_id', 'in', projects.ids)])
@@ -28,7 +26,6 @@ class AccountAnalyticAccount(models.Model):
             raise UserError(_('Please remove existing tasks in the project linked to the accounts you want to delete.'))
         return super(AccountAnalyticAccount, self).unlink()
 
-    @api.multi
     def action_view_projects(self):
         kanban_view_id = self.env.ref('project.view_project_kanban').id
         result = {
diff --git a/addons/project/models/project.py b/addons/project/models/project.py
index 19692c88686116f65ad3065a790ba028483143e9..6d5334cab5b2143d66ef45148554be0eb4c31062 100644
--- a/addons/project/models/project.py
+++ b/addons/project/models/project.py
@@ -48,7 +48,6 @@ class ProjectTaskType(models.Model):
             " * A good feedback from the customer will update the kanban state to 'ready for the new stage' (green bullet).\n"
             " * A medium or a bad feedback will set the kanban state to 'blocked' (red bullet).\n")
 
-    @api.multi
     def unlink(self):
         stages = self
         default_project_id = self.env.context.get('default_project_id')
@@ -94,7 +93,6 @@ class Project(models.Model):
         for project in self:
             project.task_count = result.get(project.id, 0)
 
-    @api.multi
     def attachment_tree_view(self):
         self.ensure_one()
         domain = [
@@ -255,7 +253,6 @@ class Project(models.Model):
             'name': task.name,
         }
 
-    @api.multi
     def map_tasks(self, new_project_id):
         """ copy and map tasks from old to new project """
         tasks = self.env['project.task']
@@ -274,7 +271,6 @@ class Project(models.Model):
 
         return self.browse(new_project_id).write({'tasks': [(6, 0, tasks.ids)]})
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         if default is None:
@@ -301,7 +297,6 @@ class Project(models.Model):
             project.message_subscribe(project.partner_id.ids)
         return project
 
-    @api.multi
     def write(self, vals):
         # directly compute is_favorite to dodge allow write access right
         if 'is_favorite' in vals:
@@ -316,7 +311,6 @@ class Project(models.Model):
                 project.message_subscribe(project.partner_id.ids)
         return res
 
-    @api.multi
     def unlink(self):
         # Check project is empty
         for project in self:
@@ -331,7 +325,6 @@ class Project(models.Model):
         analytic_accounts_to_delete.unlink()
         return result
 
-    @api.multi
     def message_subscribe(self, partner_ids=None, channel_ids=None, subtype_ids=None):
         """ Subscribe to all existing active tasks when subscribing to a project """
         res = super(Project, self).message_subscribe(partner_ids=partner_ids, channel_ids=channel_ids, subtype_ids=subtype_ids)
@@ -342,7 +335,6 @@ class Project(models.Model):
                 partner_ids=partner_ids, channel_ids=channel_ids, subtype_ids=task_subtypes)
         return res
 
-    @api.multi
     def message_unsubscribe(self, partner_ids=None, channel_ids=None):
         """ Unsubscribe from all tasks when unsubscribing from a project """
         self.mapped('tasks').message_unsubscribe(partner_ids=partner_ids, channel_ids=channel_ids)
@@ -352,7 +344,6 @@ class Project(models.Model):
     #  Actions
     # ---------------------------------------------------
 
-    @api.multi
     def toggle_favorite(self):
         favorite_projects = not_fav_projects = self.env['project.project'].sudo()
         for project in self:
@@ -365,7 +356,6 @@ class Project(models.Model):
         not_fav_projects.write({'favorite_user_ids': [(4, self.env.uid)]})
         favorite_projects.write({'favorite_user_ids': [(3, self.env.uid)]})
 
-    @api.multi
     def open_tasks(self):
         ctx = dict(self._context)
         ctx.update({'search_default_project_id': self.id})
@@ -379,7 +369,6 @@ class Project(models.Model):
         action['domain'] = [('account_id', '=', self.analytic_account_id.id)]
         return action
 
-    @api.multi
     def action_view_all_rating(self):
         """ return the action to see all the rating of the project, and activate default filters """
         if self.portal_show_rating:
@@ -411,7 +400,6 @@ class Project(models.Model):
         })
         return analytic_account
 
-    @api.multi
     def _create_analytic_account(self):
         for project in self:
             analytic_account = self.env['account.analytic.account'].create({
@@ -547,7 +535,6 @@ class Task(models.Model):
             message_attachment_ids = task.mapped('message_ids.attachment_ids').ids  # from mail_thread
             task.attachment_ids = list(set(attachment_ids) - set(message_attachment_ids))
 
-    @api.multi
     @api.depends('create_date', 'date_end', 'date_assign')
     def _compute_elapsed(self):
         task_linked_to_calendar = self.filtered(
@@ -631,7 +618,6 @@ class Task(models.Model):
             if task.parent_id and task.child_ids:
                 raise ValidationError(_('Task %s cannot have several subtask levels.' % (task.name,)))
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         if default is None:
@@ -711,7 +697,6 @@ class Task(models.Model):
         task = super(Task, self.with_context(context)).create(vals)
         return task
 
-    @api.multi
     def write(self, vals):
         now = fields.Datetime.now()
         # subtask: force some parent values, if needed
@@ -755,7 +740,6 @@ class Task(models.Model):
         """ Return the list of field name to apply on subtask when changing parent_id or when updating parent task. """
         return ['partner_id', 'email_from']
 
-    @api.multi
     def _subtask_write_values(self, values):
         """ Return the values to write on subtask when `values` is written on parent tasks
             :param values: dict of values to write on parent
@@ -778,7 +762,6 @@ class Task(models.Model):
     # Mail gateway
     # ---------------------------------------------------
 
-    @api.multi
     def _track_template(self, changes):
         res = super(Task, self)._track_template(changes)
         test_task = self[0]
@@ -790,11 +773,9 @@ class Task(models.Model):
             })
         return res
 
-    @api.multi
     def _creation_subtype(self):
         return self.env.ref('project.mt_task_new')
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'kanban_state_label' in init_values and self.kanban_state == 'blocked':
@@ -805,7 +786,6 @@ class Task(models.Model):
             return self.env.ref('project.mt_task_stage')
         return super(Task, self)._track_subtype(init_values)
 
-    @api.multi
     def _notify_get_groups(self):
         """ Handle project users and managers recipients that can assign
         tasks and create new one directly from notification emails. Also give
@@ -835,7 +815,6 @@ class Task(models.Model):
 
         return groups
 
-    @api.multi
     def _notify_get_reply_to(self, default=None, records=None, company=None, doc_names=None):
         """ Override to set alias of tasks to their project if any. """
         aliases = self.sudo().mapped('project_id')._notify_get_reply_to(default=default, records=None, company=company, doc_names=None)
@@ -845,7 +824,6 @@ class Task(models.Model):
             res.update(super(Task, leftover)._notify_get_reply_to(default=default, records=None, company=company, doc_names=doc_names))
         return res
 
-    @api.multi
     def email_split(self, msg):
         email_list = tools.email_split((msg.get('to') or '') + ',' + (msg.get('cc') or ''))
         # check left-part is not already an alias
@@ -880,7 +858,6 @@ class Task(models.Model):
         task.message_subscribe(partner_ids)
         return task
 
-    @api.multi
     def message_update(self, msg, update_vals=None):
         """ Override to update the task according to the email. """
         email_list = self.email_split(msg)
@@ -888,7 +865,6 @@ class Task(models.Model):
         self.message_subscribe(partner_ids)
         return super(Task, self).message_update(msg, update_vals=update_vals)
 
-    @api.multi
     def _message_get_suggested_recipients(self):
         recipients = super(Task, self)._message_get_suggested_recipients()
         for task in self:
@@ -899,7 +875,6 @@ class Task(models.Model):
                 task._message_add_suggested_recipient(recipients, email=task.email_from, reason=_('Customer Email'))
         return recipients
 
-    @api.multi
     def _notify_email_header_dict(self):
         headers = super(Task, self)._notify_email_header_dict()
         if self.project_id:
@@ -965,7 +940,6 @@ class Task(models.Model):
             return self.project_id.partner_id
         return res
 
-    @api.multi
     def rating_apply(self, rate, token=None, feedback=None, subtype=None):
         return super(Task, self).rating_apply(rate, token=token, feedback=feedback, subtype="project.mt_task_rating")
 
diff --git a/addons/project_timesheet_holidays/models/account_analytic.py b/addons/project_timesheet_holidays/models/account_analytic.py
index d9e8896aa5ced64c87f234d0e3760ec599a124eb..2ae5fa360c31df8cc2b2026ab36b7c36e3d0636c 100644
--- a/addons/project_timesheet_holidays/models/account_analytic.py
+++ b/addons/project_timesheet_holidays/models/account_analytic.py
@@ -10,7 +10,6 @@ class AccountAnalyticLine(models.Model):
 
     holiday_id = fields.Many2one("hr.leave", string='Leave Request')
 
-    @api.multi
     def unlink(self):
         if any(line.holiday_id for line in self):
             raise UserError(_('You cannot delete timesheet lines attached to a leaves. Please cancel the leaves instead.'))
diff --git a/addons/project_timesheet_holidays/models/hr_holidays.py b/addons/project_timesheet_holidays/models/hr_holidays.py
index e78420a0176b894dd2e9ac800c491e1288d44918..59c1eb17befdcba96c9fb5ce6652f31076bb5b71 100644
--- a/addons/project_timesheet_holidays/models/hr_holidays.py
+++ b/addons/project_timesheet_holidays/models/hr_holidays.py
@@ -88,7 +88,6 @@ class Holidays(models.Model):
 
         return super(Holidays, self)._validate_leave_request()
 
-    @api.multi
     def action_refuse(self):
         """ Remove the timesheets linked to the refused holidays """
         result = super(Holidays, self).action_refuse()
diff --git a/addons/purchase/models/account_invoice.py b/addons/purchase/models/account_invoice.py
index 18fb4b4f9de8e022b090e2c39b137a3157c9a64e..5c24343cb895242ca156c3d0478d2742895de569 100644
--- a/addons/purchase/models/account_invoice.py
+++ b/addons/purchase/models/account_invoice.py
@@ -83,7 +83,6 @@ class AccountMove(models.Model):
             move.message_post(body=message)
         return moves
 
-    @api.multi
     def write(self, vals):
         # OVERRIDE
         old_purchases = [move.mapped('line_ids.purchase_line_id.order_id') for move in self]
@@ -106,7 +105,6 @@ class AccountMoveLine(models.Model):
 
     purchase_line_id = fields.Many2one('purchase.order.line', 'Purchase Order Line', ondelete='set null', index=True)
 
-    @api.multi
     def _copy_data_extend_business_fields(self, values):
         # OVERRIDE to copy the 'purchase_line_id' field as well.
         super(AccountMoveLine, self)._copy_data_extend_business_fields(values)
diff --git a/addons/purchase/models/product.py b/addons/purchase/models/product.py
index 8e2e0b4826c7b995bc8247d44d5553b5a80cd698..90ed7ad196a1ef6e84dc1f21a3550844435c5495 100644
--- a/addons/purchase/models/product.py
+++ b/addons/purchase/models/product.py
@@ -24,7 +24,6 @@ class ProductTemplate(models.Model):
     purchase_line_warn = fields.Selection(WARNING_MESSAGE, 'Purchase Order Line', help=WARNING_HELP, required=True, default="no-message")
     purchase_line_warn_msg = fields.Text('Message for Purchase Order Line')
 
-    @api.multi
     def _compute_purchased_product_qty(self):
         for template in self:
             template.purchased_product_qty = float_round(sum([p.purchased_product_qty for p in template.product_variant_ids]), precision_rounding=template.uom_id.rounding)
@@ -39,7 +38,6 @@ class ProductTemplate(models.Model):
             }]
         return res
 
-    @api.multi
     def action_view_po(self):
         action = self.env.ref('purchase.action_purchase_order_report_all').read()[0]
         action['domain'] = ['&', ('state', 'in', ['purchase', 'done']), ('product_tmpl_id', 'in', self.ids)]
@@ -57,7 +55,6 @@ class ProductProduct(models.Model):
 
     purchased_product_qty = fields.Float(compute='_compute_purchased_product_qty', string='Purchased')
 
-    @api.multi
     def _compute_purchased_product_qty(self):
         date_from = fields.Datetime.to_string(fields.datetime.now() - timedelta(days=365))
         domain = [
@@ -74,7 +71,6 @@ class ProductProduct(models.Model):
                 continue
             product.purchased_product_qty = float_round(purchased_data.get(product.id, 0), precision_rounding=product.uom_id.rounding)
 
-    @api.multi
     def action_view_po(self):
         action = self.env.ref('purchase.action_purchase_order_report_all').read()[0]
         action['domain'] = ['&', ('state', 'in', ['purchase', 'done']), ('product_id', 'in', self.ids)]
diff --git a/addons/purchase/models/purchase.py b/addons/purchase/models/purchase.py
index 7c68c906954a12c72a0e943fff818ccc6398dd8e..fc0bfea51b03b2148439dbbf9a13848192eeb8ac 100644
--- a/addons/purchase/models/purchase.py
+++ b/addons/purchase/models/purchase.py
@@ -143,7 +143,6 @@ class PurchaseOrder(models.Model):
         for order in self:
             order.currency_rate = self.env['res.currency']._get_conversion_rate(order.company_id.currency_id, order.currency_id, order.company_id, order.date_order)
 
-    @api.multi
     @api.depends('name', 'partner_ref')
     def name_get(self):
         result = []
@@ -162,14 +161,12 @@ class PurchaseOrder(models.Model):
             vals['name'] = self.env['ir.sequence'].next_by_code('purchase.order') or '/'
         return super(PurchaseOrder, self).create(vals)
 
-    @api.multi
     def unlink(self):
         for order in self:
             if not order.state == 'cancel':
                 raise UserError(_('In order to delete a purchase order, you must cancel it first.'))
         return super(PurchaseOrder, self).unlink()
 
-    @api.multi
     def copy(self, default=None):
         new_po = super(PurchaseOrder, self).copy(default=default)
         for line in new_po.order_line:
@@ -179,7 +176,6 @@ class PurchaseOrder(models.Model):
             line.date_planned = line._get_date_planned(seller)
         return new_po
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'state' in init_values and self.state == 'purchase':
@@ -239,7 +235,6 @@ class PurchaseOrder(models.Model):
             return {'warning': warning}
         return {}
 
-    @api.multi
     def action_rfq_send(self):
         '''
         This function opens a window to compose an email, with the edi purchase template message loaded by default
@@ -295,30 +290,25 @@ class PurchaseOrder(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, **kwargs):
         if self.env.context.get('mark_rfq_as_sent'):
             self.filtered(lambda o: o.state == 'draft').write({'state': 'sent'})
         return super(PurchaseOrder, self.with_context(mail_post_autofollow=True)).message_post(**kwargs)
 
-    @api.multi
     def print_quotation(self):
         self.write({'state': "sent"})
         return self.env.ref('purchase.report_purchase_quotation').report_action(self)
 
-    @api.multi
     def button_approve(self, force=False):
         self.write({'state': 'purchase', 'date_approve': fields.Date.context_today(self)})
         self.filtered(lambda p: p.company_id.po_lock == 'lock').write({'state': 'done'})
         return {}
 
-    @api.multi
     def button_draft(self):
         self.write({'state': 'draft'})
         return {}
 
-    @api.multi
     def button_confirm(self):
         for order in self:
             if order.state not in ['draft', 'sent']:
@@ -335,7 +325,6 @@ class PurchaseOrder(models.Model):
                 order.write({'state': 'to approve'})
         return True
 
-    @api.multi
     def button_cancel(self):
         for order in self:
             for inv in order.invoice_ids:
@@ -344,15 +333,12 @@ class PurchaseOrder(models.Model):
 
         self.write({'state': 'cancel'})
 
-    @api.multi
     def button_unlock(self):
         self.write({'state': 'purchase'})
 
-    @api.multi
     def button_done(self):
         self.write({'state': 'done'})
 
-    @api.multi
     def _add_supplier_to_product(self):
         # Add the partner in the supplier list of the product if the supplier is not registered for
         # this product. We limit to 10 the number of suppliers for a product to avoid the mess that
@@ -389,7 +375,6 @@ class PurchaseOrder(models.Model):
                 except AccessError:  # no write access rights -> just ignore
                     break
 
-    @api.multi
     def action_view_invoice(self):
         '''
         This function returns an action that display existing vendor bills of given purchase order ids.
@@ -416,7 +401,6 @@ class PurchaseOrder(models.Model):
         result['context']['default_reference'] = self.partner_ref
         return result
 
-    @api.multi
     def action_set_date_planned(self):
         for order in self:
             order.order_line.update({'date_planned': order.date_planned})
@@ -509,7 +493,6 @@ class PurchaseOrderLine(models.Model):
             'partner': self.order_id.partner_id,
         }
 
-    @api.multi
     def _compute_tax_id(self):
         for line in self:
             fpos = line.order_id.fiscal_position_id or line.order_id.partner_id.property_account_position_id
@@ -529,21 +512,18 @@ class PurchaseOrderLine(models.Model):
                         qty -= inv_line.product_uom_id._compute_quantity(inv_line.quantity, line.product_uom)
             line.qty_invoiced = qty
 
-    @api.multi
     @api.depends('product_id')
     def _compute_qty_received_method(self):
         for line in self:
             if line.product_id.type in ['consu', 'service']:
                 line.qty_received_method = 'manual'
 
-    @api.multi
     @api.depends('qty_received_method', 'qty_received_manual')
     def _compute_qty_received(self):
         for line in self:
             if line.qty_received_method == 'manual':
                 line.qty_received = line.qty_received_manual or 0.0
 
-    @api.multi
     @api.onchange('qty_received')
     def _inverse_qty_received(self):
         """ When writing on qty_received, if the value should be modify manually (`qty_received_method` = 'manual' only),
@@ -567,7 +547,6 @@ class PurchaseOrderLine(models.Model):
             line.order_id.message_post(body=msg)
         return line
 
-    @api.multi
     def write(self, values):
         if 'display_type' in values and self.filtered(lambda line: line.display_type != values.get('display_type')):
             raise UserError("You cannot change the type of a purchase order line. Instead you should delete the current line and create a new line of the proper type.")
@@ -580,7 +559,6 @@ class PurchaseOrderLine(models.Model):
                                                          subtype_id=self.env.ref('mail.mt_note').id)
         return super(PurchaseOrderLine, self).write(values)
 
-    @api.multi
     def unlink(self):
         for line in self:
             if line.order_id.state in ['purchase', 'done']:
@@ -680,7 +658,6 @@ class PurchaseOrderLine(models.Model):
 
         self.price_unit = price_unit
 
-    @api.multi
     @api.depends('product_uom', 'product_qty', 'product_id.uom_id')
     def _compute_product_uom_qty(self):
         for line in self:
@@ -704,7 +681,6 @@ class PurchaseOrderLine(models.Model):
         else:
             self.product_qty = 1.0
 
-    @api.multi
     def _prepare_account_move_line(self, move):
         self.ensure_one()
         if self.product_id.purchase_method == 'purchase':
diff --git a/addons/purchase/models/res_partner.py b/addons/purchase/models/res_partner.py
index 3fbe6acd12cd11bb3e9bdf641cb450f85276b2a2..e323fe956580c02e174481aa198f6da62d11e635 100644
--- a/addons/purchase/models/res_partner.py
+++ b/addons/purchase/models/res_partner.py
@@ -9,7 +9,6 @@ class res_partner(models.Model):
     _name = 'res.partner'
     _inherit = 'res.partner'
 
-    @api.multi
     def _compute_purchase_order_count(self):
         # retrieve all children partners and prefetch 'parent_id' on them
         all_partners = self.search([('id', 'child_of', self.ids)])
@@ -26,7 +25,6 @@ class res_partner(models.Model):
                     partner.purchase_order_count += group['partner_id_count']
                 partner = partner.parent_id
 
-    @api.multi
     def _compute_supplier_invoice_count(self):
         # retrieve all children partners and prefetch 'parent_id' on them
         all_partners = self.search([('id', 'child_of', self.ids)])
diff --git a/addons/purchase_mrp/models/purchase_mrp.py b/addons/purchase_mrp/models/purchase_mrp.py
index 00fafc6dbdd36f41c066bd94ebe58fd8afec4a19..5fc0291882c2202ceb59847046db9009c07d8414 100644
--- a/addons/purchase_mrp/models/purchase_mrp.py
+++ b/addons/purchase_mrp/models/purchase_mrp.py
@@ -14,7 +14,6 @@ class MrpProduction(models.Model):
 class PurchaseOrderLine(models.Model):
     _inherit = 'purchase.order.line'
 
-    @api.multi
     def _compute_qty_received(self):
         super(PurchaseOrderLine, self)._compute_qty_received()
         for line in self:
diff --git a/addons/purchase_requisition/models/purchase.py b/addons/purchase_requisition/models/purchase.py
index 706437577815efa4829413742443644fbf38b529..694f2df18f605b4ed08fb84d9dffdea564147649 100644
--- a/addons/purchase_requisition/models/purchase.py
+++ b/addons/purchase_requisition/models/purchase.py
@@ -79,7 +79,6 @@ class PurchaseOrder(models.Model):
             order_lines.append((0, 0, order_line_values))
         self.order_line = order_lines
 
-    @api.multi
     def button_confirm(self):
         res = super(PurchaseOrder, self).button_confirm()
         for po in self:
@@ -100,7 +99,6 @@ class PurchaseOrder(models.Model):
                     subtype_id=self.env['ir.model.data'].xmlid_to_res_id('mail.mt_note'))
         return purchase
 
-    @api.multi
     def write(self, vals):
         result = super(PurchaseOrder, self).write(vals)
         if vals.get('requisition_id'):
diff --git a/addons/purchase_requisition/models/purchase_requisition.py b/addons/purchase_requisition/models/purchase_requisition.py
index 82324410bac01378b3c7f8df0560405cebf3d1c5..ed6a793f7e69b60d1e31e3ee7ec0236c0968ea28 100644
--- a/addons/purchase_requisition/models/purchase_requisition.py
+++ b/addons/purchase_requisition/models/purchase_requisition.py
@@ -86,13 +86,11 @@ class PurchaseRequisition(models.Model):
             }
             return {'warning': warning}
 
-    @api.multi
     @api.depends('purchase_ids')
     def _compute_orders_number(self):
         for requisition in self:
             requisition.order_count = len(requisition.purchase_ids)
 
-    @api.multi
     def action_cancel(self):
         # try to set all associated quotations to cancel state
         for requisition in self:
@@ -103,7 +101,6 @@ class PurchaseRequisition(models.Model):
                 po.message_post(body=_('Cancelled by the agreement associated to this quotation.'))
         self.write({'state': 'cancel'})
 
-    @api.multi
     def action_in_progress(self):
         self.ensure_one()
         if not all(obj.line_ids for obj in self):
@@ -125,7 +122,6 @@ class PurchaseRequisition(models.Model):
             else:
                 self.name = self.env['ir.sequence'].next_by_code('purchase.requisition.blanket.order')
 
-    @api.multi
     def action_open(self):
         self.write({'state': 'open'})
 
@@ -134,7 +130,6 @@ class PurchaseRequisition(models.Model):
         self.name = 'New'
         self.write({'state': 'draft'})
 
-    @api.multi
     def action_done(self):
         """
         Generate all purchase order based on selected lines, should only be called on one agreement at a time
@@ -200,7 +195,6 @@ class PurchaseRequisitionLine(models.Model):
                 raise UserError(_('You cannot confirm the blanket order without price.'))
         return res
 
-    @api.multi
     def write(self, vals):
         res = super(PurchaseRequisitionLine, self).write(vals)
         if 'price_unit' in vals:
@@ -229,7 +223,6 @@ class PurchaseRequisitionLine(models.Model):
                 'purchase_requisition_line_id': self.id,
             })
 
-    @api.multi
     @api.depends('requisition_id.purchase_ids.state')
     def _compute_ordered_qty(self):
         for line in self:
@@ -250,7 +243,6 @@ class PurchaseRequisitionLine(models.Model):
         if not self.schedule_date:
             self.schedule_date = self.requisition_id.schedule_date
 
-    @api.multi
     def _prepare_purchase_order_line(self, name, product_qty=0.0, price_unit=0.0, taxes_ids=False):
         self.ensure_one()
         requisition = self.requisition_id
diff --git a/addons/purchase_requisition_stock/models/purchase_requisition.py b/addons/purchase_requisition_stock/models/purchase_requisition.py
index 272612a634493e86f92e39f6701b4241b1e37855..aa85cd1e295e9845968b436a595f0c00535c6eea 100644
--- a/addons/purchase_requisition_stock/models/purchase_requisition.py
+++ b/addons/purchase_requisition_stock/models/purchase_requisition.py
@@ -31,7 +31,6 @@ class PurchaseRequisitionLine(models.Model):
 
     move_dest_id = fields.Many2one('stock.move', 'Downstream Move')
 
-    @api.multi
     def _prepare_purchase_order_line(self, name, product_qty=0.0, price_unit=0.0, taxes_ids=False):
         res = super(PurchaseRequisitionLine, self)._prepare_purchase_order_line(name, product_qty, price_unit, taxes_ids)
         res['move_dest_ids'] = self.move_dest_id and [(4, self.move_dest_id.id)] or []
diff --git a/addons/purchase_stock/models/account_invoice.py b/addons/purchase_stock/models/account_invoice.py
index 5658c8d4f9c2f422f037ea0a7a4ec1e0243ba811..d33bb2d802892e24f9e80f056d0996c5516ce876 100644
--- a/addons/purchase_stock/models/account_invoice.py
+++ b/addons/purchase_stock/models/account_invoice.py
@@ -8,7 +8,6 @@ from odoo.tools.float_utils import float_compare
 class AccountMove(models.Model):
     _inherit = 'account.move'
 
-    @api.multi
     def _stock_account_prepare_anglo_saxon_in_lines_vals(self):
         ''' Prepare values used to create the journal items (account.move.line) corresponding to the price difference
          lines for vendor bills.
@@ -158,14 +157,12 @@ class AccountMove(models.Model):
                         lines_vals_list.append(vals)
         return lines_vals_list
 
-    @api.multi
     def post(self):
         # OVERRIDE
         # Create additional price difference lines for vendor bills.
         self.env['account.move.line'].create(self._stock_account_prepare_anglo_saxon_in_lines_vals())
         return super(AccountMove, self).post()
 
-    @api.multi
     def _stock_account_get_last_step_stock_moves(self):
         """ Overridden from stock_account.
         Returns the stock moves associated to this invoice."""
diff --git a/addons/purchase_stock/models/purchase.py b/addons/purchase_stock/models/purchase.py
index cd7192ec7fe2b79ee74f20e5b0ac0cfbe898f31e..16f5fdbe1217c61a5cb2fff465701ce97eaf0f10 100644
--- a/addons/purchase_stock/models/purchase.py
+++ b/addons/purchase_stock/models/purchase.py
@@ -81,13 +81,11 @@ class PurchaseOrder(models.Model):
     # Actions
     # --------------------------------------------------
 
-    @api.multi
     def button_approve(self, force=False):
         result = super(PurchaseOrder, self).button_approve(force=force)
         self._create_picking()
         return result
 
-    @api.multi
     def button_cancel(self):
         for order in self:
             for move in order.order_line.mapped('move_ids'):
@@ -113,7 +111,6 @@ class PurchaseOrder(models.Model):
 
         return super(PurchaseOrder, self).button_cancel()
 
-    @api.multi
     def action_view_picking(self):
         """ This function returns an action that display existing picking orders of given purchase order ids. When only one found, show the picking immediately.
         """
@@ -170,7 +167,6 @@ class PurchaseOrder(models.Model):
             filtered_documents[(parent, responsible)] = rendering_context
         self.env['stock.picking']._log_activity(_render_note_exception_quantity_po, filtered_documents)
 
-    @api.multi
     def _get_destination_location(self):
         self.ensure_one()
         if self.dest_address_id:
@@ -197,7 +193,6 @@ class PurchaseOrder(models.Model):
             'company_id': self.company_id.id,
         }
 
-    @api.multi
     def _create_picking(self):
         StockPicking = self.env['stock.picking']
         for order in self:
@@ -233,14 +228,12 @@ class PurchaseOrderLine(models.Model):
     propagate_date_minimum_delta = fields.Integer(string='Reschedule if Higher Than', help='The change must be higher than this value to be propagated')
     propagate_cancel = fields.Boolean('Propagate cancellation', default=True)
 
-    @api.multi
     def _compute_qty_received_method(self):
         super(PurchaseOrderLine, self)._compute_qty_received_method()
         for line in self:
             if line.product_id.type in ['consu', 'product']:
                 line.qty_received_method = 'stock_moves'
 
-    @api.multi
     @api.depends('move_ids.state', 'move_ids.product_uom_qty', 'move_ids.product_uom')
     def _compute_qty_received(self):
         super(PurchaseOrderLine, self)._compute_qty_received()
@@ -269,7 +262,6 @@ class PurchaseOrderLine(models.Model):
             line._create_or_update_picking()
         return line
 
-    @api.multi
     def write(self, values):
         for line in self:
             if values.get('date_planned') and line.propagate_date:
@@ -291,7 +283,6 @@ class PurchaseOrderLine(models.Model):
     # Business methods
     # --------------------------------------------------
 
-    @api.multi
     def _create_or_update_picking(self):
         for line in self:
             if line.product_id.type in ('product', 'consu'):
@@ -324,7 +315,6 @@ class PurchaseOrderLine(models.Model):
                         ._action_confirm()\
                         ._action_assign()
 
-    @api.multi
     def _get_stock_move_price_unit(self):
         self.ensure_one()
         line = self[0]
@@ -341,7 +331,6 @@ class PurchaseOrderLine(models.Model):
                 price_unit, order.company_id.currency_id, self.company_id, self.date_order or fields.Date.today(), round=False)
         return price_unit
 
-    @api.multi
     def _prepare_stock_moves(self, picking):
         """ Prepare the stock moves data for one order line. This function returns a list of
         dictionary ready to be used in stock.move's create()
@@ -391,7 +380,6 @@ class PurchaseOrderLine(models.Model):
             res.append(template)
         return res
 
-    @api.multi
     def _create_stock_moves(self, picking):
         values = []
         for line in self:
diff --git a/addons/purchase_stock/models/res_config_settings.py b/addons/purchase_stock/models/res_config_settings.py
index b25b6eb8e90a281d10d4b65da550d560766d320e..1abab462893258563d49f6fca69d3896eba803e0 100644
--- a/addons/purchase_stock/models/res_config_settings.py
+++ b/addons/purchase_stock/models/res_config_settings.py
@@ -11,7 +11,6 @@ class ResConfigSettings(models.TransientModel):
 
     is_installed_sale = fields.Boolean(string="Is the Sale Module Installed")
 
-    @api.multi
     def get_values(self):
         res = super(ResConfigSettings, self).get_values()
         res.update(
diff --git a/addons/purchase_stock/models/stock.py b/addons/purchase_stock/models/stock.py
index 9a1e06fe64464faecef972ac9a4dc07eb9ca9929..5622b7846048f687cd6f50a3ee10570fb88935b6 100644
--- a/addons/purchase_stock/models/stock.py
+++ b/addons/purchase_stock/models/stock.py
@@ -32,7 +32,6 @@ class StockMove(models.Model):
         keys_sorted += [move.purchase_line_id.id, move.created_purchase_line_id.id]
         return keys_sorted
 
-    @api.multi
     def _get_price_unit(self):
         """ Returns the unit price for the move"""
         self.ensure_one()
@@ -136,13 +135,11 @@ class StockWarehouse(models.Model):
         })
         return rules
 
-    @api.multi
     def _get_all_routes(self):
         routes = super(StockWarehouse, self)._get_all_routes()
         routes |= self.filtered(lambda self: self.buy_to_resupply and self.buy_pull_id and self.buy_pull_id.route_id).mapped('buy_pull_id').mapped('route_id')
         return routes
 
-    @api.multi
     def _update_name_and_code(self, name=False, code=False):
         res = super(StockWarehouse, self)._update_name_and_code(name, code)
         warehouse = self[0]
diff --git a/addons/rating/models/mail_message.py b/addons/rating/models/mail_message.py
index aade3b9ade7029e21e550ae277623de5d4d9c795..56507a6cf5b918d98725f8d205f53f3b7d7a9350 100644
--- a/addons/rating/models/mail_message.py
+++ b/addons/rating/models/mail_message.py
@@ -10,7 +10,6 @@ class MailMessage(models.Model):
     rating_ids = fields.One2many('rating.rating', 'message_id', string='Related ratings')
     rating_value = fields.Float("Rating Value", compute='_compute_rating_value', store=False, search='_search_rating_value')
 
-    @api.multi
     @api.depends('rating_ids', 'rating_ids.rating')
     def _compute_rating_value(self):
         ratings = self.env['rating.rating'].search([('message_id', 'in', self.ids), ('consumed', '=', True)], order='create_date DESC')
@@ -18,6 +17,5 @@ class MailMessage(models.Model):
         for message in self:
             message.rating_value = mapping.get(message.id, 0.0)
 
-    @api.multi
     def _search_rating_value(self, operator, operand):
         return [('rating_ids.rating', operator, operand)]
diff --git a/addons/rating/models/mail_thread.py b/addons/rating/models/mail_thread.py
index 18f2155edd815af76aca87d6b15579b8bd8626ee..b0c229181dfe23534c274bee2b39b328293f2c59 100644
--- a/addons/rating/models/mail_thread.py
+++ b/addons/rating/models/mail_thread.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class MailThread(models.AbstractModel):
     _inherit = 'mail.thread'
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, **kwargs):
         rating_value = kwargs.pop('rating_value', False)
diff --git a/addons/rating/models/rating.py b/addons/rating/models/rating.py
index df25c8244fda2cd306123b12a2dd75c9f3438004..bc16bff69c1f9e010668efde7fdb8dea6fbe5060 100644
--- a/addons/rating/models/rating.py
+++ b/addons/rating/models/rating.py
@@ -63,7 +63,6 @@ class Rating(models.Model):
                 name = name and name[0][1] or ('%s/%s') % (rating.parent_res_model, rating.parent_res_id)
             rating.parent_res_name = name
 
-    @api.multi
     @api.depends('rating')
     def _compute_rating_image(self):
         for rating in self:
@@ -91,7 +90,6 @@ class Rating(models.Model):
             values.update(self._find_parent_data(values))
         return super(Rating, self).create(values)
 
-    @api.multi
     def write(self, values):
         if values.get('res_model_id') and values.get('res_id'):
             values.update(self._find_parent_data(values))
@@ -113,7 +111,6 @@ class Rating(models.Model):
                 data['parent_res_id'] = parent_res_model.id
         return data
 
-    @api.multi
     def reset(self):
         for record in self:
             record.write({
diff --git a/addons/rating/models/rating_mixin.py b/addons/rating/models/rating_mixin.py
index f7f35080a18376d3b8d39e7bb9a177ca82455cbc..f2d00a0a569c587613fa25c3dc2e5909f74b01a3 100644
--- a/addons/rating/models/rating_mixin.py
+++ b/addons/rating/models/rating_mixin.py
@@ -53,7 +53,6 @@ class RatingMixin(models.AbstractModel):
     rating_count = fields.Integer('Rating count', compute="_compute_rating_stats")
     rating_avg = fields.Float("Rating Average", compute='_compute_rating_stats')
 
-    @api.multi
     @api.depends('rating_ids.rating')
     def _compute_rating_last_value(self):
         for record in self:
@@ -61,7 +60,6 @@ class RatingMixin(models.AbstractModel):
             if ratings:
                 record.rating_last_value = ratings.rating
 
-    @api.multi
     @api.depends('rating_ids')
     def _compute_rating_stats(self):
         """ Compute avg and count in one query, as thoses fields will be used together most of the time. """
@@ -101,7 +99,6 @@ class RatingMixin(models.AbstractModel):
            Should return a Many2One"""
         return None
 
-    @api.multi
     def _rating_domain(self):
         """ Returns a normalized domain on rating.rating to select the records to
             include in count, avg, ... computation of current model.
@@ -135,7 +132,6 @@ class RatingMixin(models.AbstractModel):
             rating = ratings[0]
         return rating.access_token
 
-    @api.multi
     def rating_send_request(self, template, lang=False, subtype_id=False, force_send=True, composition_mode='comment', notif_layout=None):
         """ This method send rating request by email, using a template given
         in parameter.
@@ -164,7 +160,6 @@ class RatingMixin(models.AbstractModel):
                 subtype_id=subtype_id
             )
 
-    @api.multi
     def rating_apply(self, rate, token=None, feedback=None, subtype=None):
         """ Apply a rating given a token. If the current model inherits from
         mail.thread mixing, a message is posted on its chatter.
@@ -199,7 +194,6 @@ class RatingMixin(models.AbstractModel):
                     self.write({'kanban_state': 'blocked'})
         return rating
 
-    @api.multi
     def rating_get_repartition(self, add_stats=False, domain=None):
         """ get the repatition of rating grade for the given res_ids.
             :param add_stats : flag to add stat to the result
@@ -230,7 +224,6 @@ class RatingMixin(models.AbstractModel):
             return result
         return values
 
-    @api.multi
     def rating_get_grades(self, domain=None):
         """ get the repatition of rating grade for the given res_ids.
             :param domain : optional domain of the rating to include/exclude in grades computation
@@ -250,7 +243,6 @@ class RatingMixin(models.AbstractModel):
                 res['bad'] += data[key]
         return res
 
-    @api.multi
     def rating_get_stats(self, domain=None):
         """ get the statistics of the rating repatition
             :param domain : optional domain of the rating to include/exclude in statistic computation
diff --git a/addons/repair/models/repair.py b/addons/repair/models/repair.py
index 37b901f7b42680049bd88e7f2a0f2a2b5ed03c1f..b9bc8e8fe7ec632b4b2afde959a9d22633bbb4e7 100644
--- a/addons/repair/models/repair.py
+++ b/addons/repair/models/repair.py
@@ -185,12 +185,10 @@ class Repair(models.Model):
             self.partner_invoice_id = addresses['invoice']
             self.pricelist_id = self.partner_id.property_product_pricelist.id
 
-    @api.multi
     def button_dummy(self):
         # TDE FIXME: this button is very interesting
         return True
 
-    @api.multi
     def action_repair_cancel_draft(self):
         if self.filtered(lambda repair: repair.state != 'cancel'):
             raise UserError(_("Repair must be canceled in order to reset it to draft."))
@@ -220,7 +218,6 @@ class Repair(models.Model):
                 'target': 'new'
             }
 
-    @api.multi
     def action_repair_confirm(self):
         """ Repair order state is set to 'To be invoiced' when invoice method
         is 'Before repair' else state becomes 'Confirmed'.
@@ -237,7 +234,6 @@ class Repair(models.Model):
         to_confirm.write({'state': 'confirmed'})
         return True
 
-    @api.multi
     def action_repair_cancel(self):
         if self.filtered(lambda repair: repair.state == 'done'):
             raise UserError(_("Cannot cancel completed repairs."))
@@ -246,7 +242,6 @@ class Repair(models.Model):
         self.mapped('operations').write({'state': 'cancel'})
         return self.write({'state': 'cancel'})
 
-    @api.multi
     def action_send_mail(self):
         self.ensure_one()
         template_id = self.env.ref('repair.mail_template_repair_quotation').id
@@ -266,7 +261,6 @@ class Repair(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     def print_repair_order(self):
         return self.env.ref('repair.action_report_repair_order').report_action(self)
 
@@ -279,7 +273,6 @@ class Repair(models.Model):
                 repair.write({'state': 'done'})
         return True
 
-    @api.multi
     def _create_invoices(self, group=False):
         """ Creates invoice(s) for repair order.
         @param group: It is set to true when group invoice is to be generated.
@@ -429,7 +422,6 @@ class Repair(models.Model):
 
         return dict((repair.id, repair.invoice_id.id) for repair in repairs)
 
-    @api.multi
     def action_created_invoice(self):
         self.ensure_one()
         return {
@@ -446,7 +438,6 @@ class Repair(models.Model):
         self.mapped('operations').write({'state': 'confirmed'})
         return self.write({'state': 'ready'})
 
-    @api.multi
     def action_repair_start(self):
         """ Writes repair order state to 'Under Repair'
         @return: True
@@ -456,7 +447,6 @@ class Repair(models.Model):
         self.mapped('operations').write({'state': 'confirmed'})
         return self.write({'state': 'under_repair'})
 
-    @api.multi
     def action_repair_end(self):
         """ Writes repair order state to 'To be invoiced' if invoice method is
         After repair else state is set to 'Ready'.
@@ -473,7 +463,6 @@ class Repair(models.Model):
             repair.write(vals)
         return True
 
-    @api.multi
     def action_repair_done(self):
         """ Creates stock move for operation and stock move for final product of repair order.
         @return: Move ids of final products
diff --git a/addons/repair/wizard/repair_cancel.py b/addons/repair/wizard/repair_cancel.py
index ba3d8bce85b475d41f68ad2f62578a5863209dfa..918687b44df569c99ab0cc36f19286ae52adde17 100644
--- a/addons/repair/wizard/repair_cancel.py
+++ b/addons/repair/wizard/repair_cancel.py
@@ -9,7 +9,6 @@ class RepairCancel(models.TransientModel):
     _name = 'repair.cancel'
     _description = 'Cancel Repair'
 
-    @api.multi
     def cancel_repair(self):
         if not self._context.get('active_id'):
             return {'type': 'ir.actions.act_window_close'}
diff --git a/addons/repair/wizard/repair_make_invoice.py b/addons/repair/wizard/repair_make_invoice.py
index e3e853fb31a7eb9d690aac12c9cea64a341e9a90..e6942448ea4d5c8f0cd09c0505203d16053f01c4 100644
--- a/addons/repair/wizard/repair_make_invoice.py
+++ b/addons/repair/wizard/repair_make_invoice.py
@@ -10,7 +10,6 @@ class MakeInvoice(models.TransientModel):
 
     group = fields.Boolean('Group by partner invoice address')
 
-    @api.multi
     def make_invoices(self):
         if not self._context.get('active_ids'):
             return {'type': 'ir.actions.act_window_close'}
diff --git a/addons/resource/models/resource.py b/addons/resource/models/resource.py
index 6b195804f10ce85cf0a9769368b6a56fdcfa3c73..15c39e25792b1d540ae3c7c547966cb429a1e9f2 100644
--- a/addons/resource/models/resource.py
+++ b/addons/resource/models/resource.py
@@ -400,7 +400,6 @@ class ResourceCalendar(models.Model):
     # External API
     # --------------------------------------------------
 
-    @api.multi
     def get_work_hours_count(self, start_dt, end_dt, compute_leaves=True, domain=None):
         """
             `compute_leaves` controls whether or not this method is taking into
@@ -427,7 +426,6 @@ class ResourceCalendar(models.Model):
             for start, stop, meta in intervals
         )
 
-    @api.multi
     def plan_hours(self, hours, day_dt, compute_leaves=False, domain=None, resource=None):
         """
         `compute_leaves` controls whether or not this method is taking into
@@ -468,7 +466,6 @@ class ResourceCalendar(models.Model):
                     hours -= interval_hours
             return False
 
-    @api.multi
     def plan_days(self, days, day_dt, compute_leaves=False, domain=None):
         """
         `compute_leaves` controls whether or not this method is taking into
@@ -599,7 +596,6 @@ class ResourceResource(models.Model):
         ('check_time_efficiency', 'CHECK(time_efficiency>0)', 'Time efficiency must be strictly positive'),
     ]
 
-    @api.multi
     @api.constrains('time_efficiency')
     def _check_time_efficiency(self):
         for record in self:
@@ -618,7 +614,6 @@ class ResourceResource(models.Model):
                 values['tz'] = tz
         return super(ResourceResource, self).create(values)
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         self.ensure_one()
diff --git a/addons/resource/models/resource_mixin.py b/addons/resource/models/resource_mixin.py
index 32d2a2d3ae0c917d861dac55131bb1845b2dd742..46caea0c24bfeff4f2f7e69189c22c82b24672c2 100644
--- a/addons/resource/models/resource_mixin.py
+++ b/addons/resource/models/resource_mixin.py
@@ -49,7 +49,6 @@ class ResourceMixin(models.AbstractModel):
             values['resource_id'] = resource.id
         return super(ResourceMixin, self).create(values)
 
-    @api.multi
     def copy_data(self, default=None):
         if default is None:
             default = {}
diff --git a/addons/sale/models/account_invoice.py b/addons/sale/models/account_invoice.py
index 8e310e3c0a59f6fdd0b18028c8e092dbb2e83899..0dc4a1be60571d668d81da7389fcd2fe5a7c7963 100644
--- a/addons/sale/models/account_invoice.py
+++ b/addons/sale/models/account_invoice.py
@@ -32,7 +32,6 @@ class AccountMove(models.Model):
         if fiscal_position:
             self.fiscal_position_id = fiscal_position
 
-    @api.multi
     def unlink(self):
         downpayment_lines = self.mapped('line_ids.sale_line_ids').filtered(lambda line: line.is_downpayment)
         res = super(AccountMove, self).unlink()
@@ -60,7 +59,6 @@ class AccountMove(models.Model):
         if self.invoice_user_id and self.invoice_user_id.sale_team_id:
             self.team_id = self.invoice_user_id.sale_team_id
 
-    @api.multi
     def _reverse_moves(self, default_values_list=None, cancel=False):
         # OVERRIDE
         if not default_values_list:
@@ -73,7 +71,6 @@ class AccountMove(models.Model):
             })
         return super()._reverse_moves(default_values_list=default_values_list, cancel=cancel)
 
-    @api.multi
     def post(self):
         # OVERRIDE
         # Auto-reconcile the invoice with payments coming from transactions.
@@ -87,7 +84,6 @@ class AccountMove(models.Model):
                 invoice.js_assign_outstanding_line(line.id)
         return res
 
-    @api.multi
     def action_invoice_paid(self):
         # OVERRIDE
         res = super(AccountMove, self).action_invoice_paid()
@@ -100,13 +96,11 @@ class AccountMove(models.Model):
             order.message_post(body=_("Invoice %s paid") % name)
         return res
 
-    @api.multi
     def _get_invoice_delivery_partner_id(self):
         # OVERRIDE
         self.ensure_one()
         return self.partner_shipping_id.id or super(AccountMove, self)._get_invoice_delivery_partner_id()
 
-    @api.multi
     def _get_invoice_intrastat_country_id(self):
         # OVERRIDE
         self.ensure_one()
diff --git a/addons/sale/models/account_move.py b/addons/sale/models/account_move.py
index 8dfebda60d33f5061b53bc07381aa6b45846cd13..4d0174618c207b4f57fbf4c855a3bc79aefe0f9d 100644
--- a/addons/sale/models/account_move.py
+++ b/addons/sale/models/account_move.py
@@ -15,13 +15,11 @@ class AccountMoveLine(models.Model):
         'invoice_line_id', 'order_line_id',
         string='Sales Order Lines', readonly=True, copy=False)
 
-    @api.multi
     def _copy_data_extend_business_fields(self, values):
         # OVERRIDE to copy the 'sale_line_ids' field as well.
         super(AccountMoveLine, self)._copy_data_extend_business_fields(values)
         values['sale_line_ids'] = [(6, None, self.sale_line_ids.ids)]
 
-    @api.multi
     def _prepare_analytic_line(self):
         """ Note: This method is called only on the move.line that having an analytic account, and
             so that should create analytic entries.
@@ -48,7 +46,6 @@ class AccountMoveLine(models.Model):
 
         return values_list
 
-    @api.multi
     def _sale_create_reinvoice_sale_line(self):
 
         sale_order_map = self._sale_determine_order()
@@ -122,7 +119,6 @@ class AccountMoveLine(models.Model):
                 result[move_line_id] = unknown_sale_line
         return result
 
-    @api.multi
     def _sale_determine_order(self):
         """ Get the mapping of move.line with the sale.order record on which its analytic entries should be reinvoiced
             :return a dict where key is the move line id, and value is sale.order record (or None).
@@ -145,7 +141,6 @@ class AccountMoveLine(models.Model):
         # map of AAL index with the SO on which it needs to be reinvoiced. Maybe be None if no SO found
         return {move_line.id: mapping.get(move_line.analytic_account_id.id) for move_line in self}
 
-    @api.multi
     def _sale_prepare_sale_line_values(self, order, price):
         """ Generate the sale.line creation value from the current move line """
         self.ensure_one()
@@ -168,7 +163,6 @@ class AccountMoveLine(models.Model):
             'is_expense': True,
         }
 
-    @api.multi
     def _sale_get_invoice_price(self, order):
         """ Based on the current move line, compute the price to reinvoice the analytic line that is going to be created (so the
             price of the sale line).
diff --git a/addons/sale/models/payment.py b/addons/sale/models/payment.py
index 58b3a4d6ac7ade55c60d5ae6a4cad5af82a6686d..45dc251372ae62ca2f27315d533927c9510d1a4b 100644
--- a/addons/sale/models/payment.py
+++ b/addons/sale/models/payment.py
@@ -23,7 +23,6 @@ class PaymentTransaction(models.Model):
                                       string='Sales Orders', copy=False, readonly=True)
     sale_order_ids_nbr = fields.Integer(compute='_compute_sale_order_ids_nbr', string='# of Sales Orders')
 
-    @api.multi
     def _compute_sale_order_reference(self, order):
         self.ensure_one()
         if self.acquirer_id.so_reference_type == 'so_name':
@@ -38,7 +37,6 @@ class PaymentTransaction(models.Model):
         for trans in self:
             trans.sale_order_ids_nbr = len(trans.sale_order_ids)
 
-    @api.multi
     def _log_payment_transaction_sent(self):
         super(PaymentTransaction, self)._log_payment_transaction_sent()
         for trans in self:
@@ -46,7 +44,6 @@ class PaymentTransaction(models.Model):
             for so in trans.sale_order_ids:
                 so.message_post(body=post_message)
 
-    @api.multi
     def _log_payment_transaction_received(self):
         super(PaymentTransaction, self)._log_payment_transaction_received()
         for trans in self.filtered(lambda t: t.provider not in ('manual', 'transfer')):
@@ -54,7 +51,6 @@ class PaymentTransaction(models.Model):
             for so in trans.sale_order_ids:
                 so.message_post(body=post_message)
 
-    @api.multi
     def _set_transaction_pending(self):
         # Override of '_set_transaction_pending' in the 'payment' module
         # to sent the quotations automatically.
@@ -70,7 +66,6 @@ class PaymentTransaction(models.Model):
             # send order confirmation mail
             sales_orders._send_order_confirmation_mail()
 
-    @api.multi
     def _set_transaction_authorized(self):
         # Override of '_set_transaction_authorized' in the 'payment' module
         # to confirm the quotations automatically.
@@ -83,7 +78,6 @@ class PaymentTransaction(models.Model):
         # send order confirmation mail
         sales_orders._send_order_confirmation_mail()
 
-    @api.multi
     def _reconcile_after_transaction_done(self):
         # Override of '_set_transaction_done' in the 'payment' module
         # to confirm the quotations automatically and to generate the invoices if needed.
@@ -109,7 +103,6 @@ class PaymentTransaction(models.Model):
                         invoice.message_post_with_template(int(default_template), email_layout_xmlid="mail.mail_notification_paynow")
         return res
 
-    @api.multi
     def _invoice_sale_orders(self):
         if self.env['ir.config_parameter'].sudo().get_param('sale.automatic_invoice'):
             for trans in self.filtered(lambda t: t.sale_order_ids):
@@ -128,7 +121,6 @@ class PaymentTransaction(models.Model):
             return ','.join(dic['name'] for dic in many_list)
         return prefix
 
-    @api.multi
     def action_view_sales_orders(self):
         action = {
             'name': _('Sales Order(s)'),
diff --git a/addons/sale/models/product_product.py b/addons/sale/models/product_product.py
index aad85ac0142622722c89324b65d6fd380e05efa3..d11cae331f0bd56e9a1d6647645e8bd92fa45be6 100644
--- a/addons/sale/models/product_product.py
+++ b/addons/sale/models/product_product.py
@@ -10,7 +10,6 @@ class ProductProduct(models.Model):
 
     sales_count = fields.Float(compute='_compute_sales_count', string='Sold')
 
-    @api.multi
     def _compute_sales_count(self):
         r = {}
         if not self.user_has_groups('sales_team.group_sale_salesman'):
@@ -34,7 +33,6 @@ class ProductProduct(models.Model):
             product.sales_count = float_round(r.get(product.id, 0), precision_rounding=product.uom_id.rounding)
         return r
 
-    @api.multi
     def action_view_sales(self):
         action = self.env.ref('sale.report_all_channels_sales_action').read()[0]
         action['domain'] = [('product_id', 'in', self.ids)]
@@ -50,7 +48,6 @@ class ProductProduct(models.Model):
     def _get_invoice_policy(self):
         return self.invoice_policy
 
-    @api.multi
     def _get_combination_info_variant(self, add_qty=1, pricelist=False, parent_combination=False):
         """Return the variant info based on its combination.
         See `_get_combination_info` for more information.
diff --git a/addons/sale/models/product_template.py b/addons/sale/models/product_template.py
index 55943f3ac1380d522cc5655d0bf08d00329cceb6..c281c527ddc644bfa6a7345e65ecd842f258a0b7 100644
--- a/addons/sale/models/product_template.py
+++ b/addons/sale/models/product_template.py
@@ -36,20 +36,17 @@ class ProductTemplate(models.Model):
              'Delivered Quantity: Invoice quantities delivered to the customer.',
         default='order')
 
-    @api.multi
     @api.depends('name')
     def _compute_visible_expense_policy(self):
         visibility = self.user_has_groups('analytic.group_analytic_accounting')
         for product_template in self:
             product_template.visible_expense_policy = visibility
 
-    @api.multi
     @api.depends('product_variant_ids.sales_count')
     def _compute_sales_count(self):
         for product in self:
             product.sales_count = float_round(sum([p.sales_count for p in product.with_context(active_test=False).product_variant_ids]), precision_rounding=product.uom_id.rounding)
 
-    @api.multi
     def action_view_sales(self):
         action = self.env.ref('sale.report_all_channels_sales_action').read()[0]
         action['domain'] = [('product_tmpl_id', 'in', self.ids)]
@@ -62,7 +59,6 @@ class ProductTemplate(models.Model):
         }
         return action
 
-    @api.multi
     def _create_product_variant(self, combination, log_warning=False):
         """ Create if necessary and possible and return the product variant
         matching the given combination for this template.
@@ -108,7 +104,6 @@ class ProductTemplate(models.Model):
             'attribute_value_ids': [(6, 0, attribute_values.ids)]
         })
 
-    @api.multi
     def create_product_variant(self, product_template_attribute_value_ids):
         """ Create if necessary and possible and return the id of the product
         variant matching the given combination for this template.
@@ -170,7 +165,6 @@ class ProductTemplate(models.Model):
                 }]
         return res
 
-    @api.multi
     def _get_combination_info(self, combination=False, product_id=False, add_qty=1, pricelist=False, parent_combination=False, only_template=False):
         """ Return info about a given combination.
 
@@ -287,7 +281,6 @@ class ProductTemplate(models.Model):
             'has_discounted_price': has_discounted_price,
         }
 
-    @api.multi
     def _is_add_to_cart_possible(self, parent_combination=None):
         """
         It's possible to add to cart (potentially after configuration) if
@@ -306,7 +299,6 @@ class ProductTemplate(models.Model):
             return False
         return next(self._get_possible_combinations(parent_combination), False) is not False
 
-    @api.multi
     def _get_current_company_fallback(self, **kwargs):
         """Override: if a pricelist is given, fallback to the company of the
         pricelist if it is set, otherwise use the one from parent method."""
diff --git a/addons/sale/models/res_company.py b/addons/sale/models/res_company.py
index 4845a565bf97338c203d18068199757aee87073a..d730297b5ecec3f96fa20aee4d2965e55fb05304 100644
--- a/addons/sale/models/res_company.py
+++ b/addons/sale/models/res_company.py
@@ -86,7 +86,6 @@ class ResCompany(models.Model):
         }
         return action
 
-    @api.multi
     def action_save_onboarding_quotation_layout(self):
         """ Set the onboarding step as done """
         if bool(self.logo) and self.logo != self._get_logo():
diff --git a/addons/sale/models/sale.py b/addons/sale/models/sale.py
index 574b0318b810f68afa05da3bf5e1a5789dfbbc15..598f457b8bb4abe856b4c93b9116b7a41ab75648 100644
--- a/addons/sale/models/sale.py
+++ b/addons/sale/models/sale.py
@@ -114,7 +114,6 @@ class SaleOrder(models.Model):
         for order in self:
             order.order_line._compute_tax_id()
 
-    @api.multi
     def _get_payment_type(self):
         self.ensure_one()
         return 'form'
@@ -219,7 +218,6 @@ class SaleOrder(models.Model):
         for order in self:
             order.is_expired = order.state == 'sent' and order.validity_date and order.validity_date < today
 
-    @api.multi
     @api.depends('order_line.customer_lead', 'confirmation_date', 'order_line.state')
     def _compute_expected_date(self):
         """ For service and consumable, we only take the min dates. This method is extended in sale_stock to
@@ -234,7 +232,6 @@ class SaleOrder(models.Model):
             if dates_list:
                 order.expected_date = fields.Datetime.to_string(min(dates_list))
 
-    @api.multi
     def _compute_remaining_validity_days(self):
         for record in self:
             if record.validity_date:
@@ -254,20 +251,17 @@ class SaleOrder(models.Model):
                 total += line.price_subtotal + line.price_unit * ((line.discount or 0.0) / 100.0) * line.product_uom_qty  # why is there a discount in a field named amount_undiscounted ??
             order.amount_undiscounted = total
 
-    @api.multi
     @api.depends('state')
     def _compute_type_name(self):
         for record in self:
             record.type_name = _('Quotation') if record.state in ('draft', 'sent', 'cancel') else _('Sales Order')
 
-    @api.multi
     def unlink(self):
         for order in self:
             if order.state not in ('draft', 'cancel'):
                 raise UserError(_('You can not delete a sent quotation or a confirmed sales order. You must first cancel it.'))
         return super(SaleOrder, self).unlink()
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'state' in init_values and self.state == 'sale':
@@ -276,7 +270,6 @@ class SaleOrder(models.Model):
             return self.env.ref('sale.mt_order_sent')
         return super(SaleOrder, self)._track_subtype(init_values)
 
-    @api.multi
     @api.onchange('partner_shipping_id', 'partner_id')
     def onchange_partner_shipping_id(self):
         """
@@ -285,7 +278,6 @@ class SaleOrder(models.Model):
         self.fiscal_position_id = self.env['account.fiscal.position'].get_fiscal_position(self.partner_id.id, self.partner_shipping_id.id)
         return {}
 
-    @api.multi
     @api.onchange('partner_id')
     def onchange_partner_id(self):
         """
@@ -385,7 +377,6 @@ class SaleOrder(models.Model):
         result = super(SaleOrder, self).create(vals)
         return result
 
-    @api.multi
     def _write(self, values):
         """ Override of private write method in order to generate activities
         based in the invoice status. As the invoice status is a computed field
@@ -412,7 +403,6 @@ class SaleOrder(models.Model):
 
         return super(SaleOrder, self)._write(values)
 
-    @api.multi
     def copy_data(self, default=None):
         if default is None:
             default = {}
@@ -420,7 +410,6 @@ class SaleOrder(models.Model):
             default['order_line'] = [(0, 0, line.copy_data()[0]) for line in self.order_line.filtered(lambda l: not l.is_downpayment)]
         return super(SaleOrder, self).copy_data(default)
 
-    @api.multi
     def name_get(self):
         if self._context.get('sale_show_partner_name'):
             res = []
@@ -446,7 +435,6 @@ class SaleOrder(models.Model):
                 return self.browse(order_ids).name_get()
         return super(SaleOrder, self)._name_search(name, args=args, operator=operator, limit=limit, name_get_uid=name_get_uid)
 
-    @api.multi
     def _prepare_invoice(self):
         """
         Prepare the dict of values to create the new invoice for a sales order. This method may be
@@ -479,14 +467,12 @@ class SaleOrder(models.Model):
         }
         return invoice_vals
 
-    @api.multi
     def print_quotation(self):
         self.filtered(lambda s: s.state == 'draft').write({'state': 'sent'})
 
         return self.env.ref('sale.action_report_saleorder')\
             .with_context({'discard_logo_check': True}).report_action(self)
 
-    @api.multi
     def action_view_invoice(self):
         invoices = self.mapped('invoice_ids')
         action = self.env.ref('account.action_move_out_invoice_type').read()[0]
@@ -499,7 +485,6 @@ class SaleOrder(models.Model):
             action = {'type': 'ir.actions.act_window_close'}
         return action
 
-    @api.multi
     def _create_invoices(self, grouped=False, final=False):
         """
         Create the invoice associated to the SO.
@@ -589,7 +574,6 @@ class SaleOrder(models.Model):
             )
         return moves
 
-    @api.multi
     def action_draft(self):
         orders = self.filtered(lambda s: s.state in ['cancel', 'sent'])
         return orders.write({
@@ -599,7 +583,6 @@ class SaleOrder(models.Model):
             'signed_on': False,
         })
 
-    @api.multi
     def action_cancel(self):
         return self.write({'state': 'cancel'})
 
@@ -616,7 +599,6 @@ class SaleOrder(models.Model):
 
         return template_id
 
-    @api.multi
     def action_quotation_send(self):
         ''' Opens a wizard to compose an email, with relevant mail template loaded by default '''
         self.ensure_one()
@@ -643,7 +625,6 @@ class SaleOrder(models.Model):
             'context': ctx,
         }
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, **kwargs):
         if self.env.context.get('mark_so_as_sent'):
@@ -651,14 +632,12 @@ class SaleOrder(models.Model):
             self.env.company.set_onboarding_step_done('sale_onboarding_sample_quotation_state')
         return super(SaleOrder, self.with_context(mail_post_autofollow=True)).message_post(**kwargs)
 
-    @api.multi
     def _send_order_confirmation_mail(self):
         template_id = self._find_mail_template(force_confirmation_template=True)
         if template_id:
             for order in self:
                 order.with_context(force_send=True).message_post_with_template(template_id, composition_mode='comment', email_layout_xmlid="mail.mail_notification_paynow")
 
-    @api.multi
     def action_done(self):
         for order in self:
             tx = order.sudo().transaction_ids.get_last_transaction()
@@ -667,11 +646,9 @@ class SaleOrder(models.Model):
                 tx.write({'is_processed': True})
         return self.write({'state': 'done'})
 
-    @api.multi
     def action_unlock(self):
         self.write({'state': 'sale'})
 
-    @api.multi
     def _action_confirm(self):
         """ Implementation of additionnal mecanism of Sales Order confirmation.
             This method should be extended when the confirmation should generated
@@ -685,7 +662,6 @@ class SaleOrder(models.Model):
 
         return True
 
-    @api.multi
     def action_confirm(self):
         if self._get_forbidden_state_confirm() & set(self.mapped('state')):
             raise UserError(_(
@@ -706,7 +682,6 @@ class SaleOrder(models.Model):
     def _get_forbidden_state_confirm(self):
         return {'done', 'cancel'}
 
-    @api.multi
     def _create_analytic_account(self, prefix=None):
         for order in self:
             name = order.name
@@ -770,7 +745,6 @@ class SaleOrder(models.Model):
         transaction = self.get_portal_last_transaction()
         return (self.state == 'sent' or (self.state == 'draft' and include_draft)) and not self.is_expired and self.require_payment and transaction.state != 'done' and self.amount_total
 
-    @api.multi
     def _notify_get_groups(self):
         """ Give access button to users and portal customer as portal is integrated
         in sale. Customer and portal group have probably no right to see
@@ -785,7 +759,6 @@ class SaleOrder(models.Model):
 
         return groups
 
-    @api.multi
     def _create_payment_transaction(self, vals):
         '''Similar to self.env['payment.transaction'].create(vals) but the values are filled with the
         current sales orders fields (e.g. the partner or the currency).
@@ -851,7 +824,6 @@ class SaleOrder(models.Model):
 
         return transaction
 
-    @api.multi
     def preview_sale_order(self):
         self.ensure_one()
         return {
@@ -867,15 +839,12 @@ class SaleOrder(models.Model):
             else:
                 line.qty_to_invoice = 0
 
-    @api.multi
     def payment_action_capture(self):
         self.authorized_transaction_ids.s2s_capture_transaction()
 
-    @api.multi
     def payment_action_void(self):
         self.authorized_transaction_ids.s2s_void_transaction()
 
-    @api.multi
     def get_portal_last_transaction(self):
         self.ensure_one()
         return self.transaction_ids.get_last_transaction()
@@ -884,12 +853,10 @@ class SaleOrder(models.Model):
     def _get_customer_lead(self, product_tmpl_id):
         return False
 
-    @api.multi
     def _get_report_base_filename(self):
         self.ensure_one()
         return '%s %s' % (self.type_name, self.name)
 
-    @api.multi
     def _get_share_url(self, redirect=False, signup_partner=False, pid=None):
         """Override for sales order.
 
@@ -903,7 +870,6 @@ class SaleOrder(models.Model):
             return self.get_portal_url(query_string='&%s' % auth_param)
         return super(SaleOrder, self)._get_share_url(redirect, signup_partner, pid)
 
-    @api.multi
     def _get_payment_type(self):
         self.ensure_one()
         return 'form_save' if self.require_payment else 'form'
@@ -1013,7 +979,6 @@ class SaleOrderLine(models.Model):
         for line in self:
             line.price_reduce_taxexcl = line.price_subtotal / line.product_uom_qty if line.product_uom_qty else 0.0
 
-    @api.multi
     def _compute_tax_id(self):
         for line in self:
             fpos = line.order_id.fiscal_position_id or line.order_id.partner_id.property_account_position_id
@@ -1080,7 +1045,6 @@ class SaleOrderLine(models.Model):
             msg += "</ul>"
             order.message_post(body=msg)
 
-    @api.multi
     def write(self, values):
         if 'display_type' in values and self.filtered(lambda line: line.display_type != values.get('display_type')):
             raise UserError("You cannot change the type of a sale order line. Instead you should delete the current line and create a new line of the proper type.")
@@ -1193,7 +1157,6 @@ class SaleOrderLine(models.Model):
         ('line_section', "Section"),
         ('line_note', "Note")], default=False, help="Technical field for UX purpose.")
 
-    @api.multi
     @api.depends('state', 'is_expense')
     def _compute_qty_delivered_method(self):
         """ Sale module compute delivered qty for product [('type', 'in', ['consu']), ('service_type', '=', 'manual')]
@@ -1210,7 +1173,6 @@ class SaleOrderLine(models.Model):
             else:  # service and consu
                 line.qty_delivered_method = 'manual'
 
-    @api.multi
     @api.depends('qty_delivered_method', 'qty_delivered_manual', 'analytic_line_ids.so_line', 'analytic_line_ids.unit_amount', 'analytic_line_ids.product_uom_id')
     def _compute_qty_delivered(self):
         """ This method compute the delivered quantity of the SO lines: it covers the case provide by sale module, aka
@@ -1229,7 +1191,6 @@ class SaleOrderLine(models.Model):
             if line.qty_delivered_method == 'manual':
                 line.qty_delivered = line.qty_delivered_manual or 0.0
 
-    @api.multi
     def _get_delivered_quantity_by_analytic(self, additional_domain):
         """ Compute and write the delivered quantity of current SO lines, based on their related
             analytic lines.
@@ -1269,7 +1230,6 @@ class SaleOrderLine(models.Model):
 
         return result
 
-    @api.multi
     @api.onchange('qty_delivered')
     def _inverse_qty_delivered(self):
         """ When writing on qty_delivered, if the value should be modify manually (`qty_delivered_method` = 'manual' only),
@@ -1328,7 +1288,6 @@ class SaleOrderLine(models.Model):
                 amount_to_invoice = price_subtotal - line.untaxed_amount_invoiced
             line.untaxed_amount_to_invoice = amount_to_invoice
 
-    @api.multi
     def _prepare_invoice_line(self):
         """
         Prepare the dict of values to create the new invoice line for a sales order line.
@@ -1351,7 +1310,6 @@ class SaleOrderLine(models.Model):
             'sale_line_ids': [(4, self.id)],
         }
 
-    @api.multi
     def _prepare_procurement_values(self, group_id=False):
         """ Prepare specific key for moves or other components that will be created from a stock rule
         comming from a sale order line. This method could be override in order to add other custom key that could
@@ -1359,7 +1317,6 @@ class SaleOrderLine(models.Model):
         """
         return {}
 
-    @api.multi
     def _get_display_price(self, product):
         # TO DO: move me in master/saas-16 on sale.order
         # awa: don't know if it's still the case since we need the "product_no_variant_attribute_value_ids" field now
@@ -1392,7 +1349,6 @@ class SaleOrderLine(models.Model):
         # negative discounts (= surcharge) are included in the display price
         return max(base_price, final_price)
 
-    @api.multi
     @api.onchange('product_id')
     def product_id_change(self):
         if not self.product_id:
@@ -1464,7 +1420,6 @@ class SaleOrderLine(models.Model):
             )
             self.price_unit = self.env['account.tax']._fix_tax_included_price_company(self._get_display_price(product), product.taxes_id, self.tax_id, self.company_id)
 
-    @api.multi
     def name_get(self):
         result = []
         for so_line in self.sudo():
@@ -1483,7 +1438,6 @@ class SaleOrderLine(models.Model):
             ])
         return super(SaleOrderLine, self)._name_search(name, args=args, operator=operator, limit=limit, name_get_uid=name_get_uid)
 
-    @api.multi
     def unlink(self):
         if self.filtered(lambda line: line.state in ('sale', 'done') and (line.invoice_lines or not line.is_downpayment)):
             raise UserError(_('You can not remove an order line once the sales order is confirmed.\nYou should rather set the quantity to 0.'))
diff --git a/addons/sale/models/sales_team.py b/addons/sale/models/sales_team.py
index d0a16ecc1b7dbedc3c526b089eb9d2bbc316b032..8d0e0e506018ab82ffd33fc7a62c76bd02fcd6cf 100644
--- a/addons/sale/models/sales_team.py
+++ b/addons/sale/models/sales_team.py
@@ -53,7 +53,6 @@ class CrmTeam(models.Model):
             self.browse(datum['team_id']).quotations_amount = datum['amount_total']
             self.browse(datum['team_id']).quotations_count = datum['count']
 
-    @api.multi
     def _compute_sales_to_invoice(self):
         sale_order_data = self.env['sale.order'].read_group([
             ('team_id', 'in', self.ids),
@@ -63,7 +62,6 @@ class CrmTeam(models.Model):
         for team in self:
             team.sales_to_invoice_count = data_map.get(team.id,0.0)
 
-    @api.multi
     def _compute_invoiced(self):
         if not self:
             return
@@ -127,6 +125,5 @@ class CrmTeam(models.Model):
             return self.env.ref('sale.action_order_report_so_salesteam').read()[0]
         return super(CrmTeam, self).action_primary_channel_button()
             
-    @api.multi
     def update_invoiced_target(self, value):
         return self.write({'invoiced_target': round(float(value or 0))})
diff --git a/addons/sale/report/sale_report.py b/addons/sale/report/sale_report.py
index e1fa1ce8620a2ffb1f552419931e168b924b5922..5e994b762cb7e44da2d325de0edead0339eb1702 100644
--- a/addons/sale/report/sale_report.py
+++ b/addons/sale/report/sale_report.py
@@ -153,7 +153,6 @@ class SaleOrderReportProforma(models.AbstractModel):
     _name = 'report.sale.report_saleproforma'
     _description = 'Proforma Report'
 
-    @api.multi
     def _get_report_values(self, docids, data=None):
         docs = self.env['sale.order'].browse(docids)
         return {
diff --git a/addons/sale/wizard/payment_acquirer_onboarding_wizard.py b/addons/sale/wizard/payment_acquirer_onboarding_wizard.py
index 0586551e1567e88e673d91d5183f932cc6347641..3f932838183893d73fc129f98014c413fde817c7 100644
--- a/addons/sale/wizard/payment_acquirer_onboarding_wizard.py
+++ b/addons/sale/wizard/payment_acquirer_onboarding_wizard.py
@@ -27,7 +27,6 @@ class PaymentWizard(models.TransientModel):
         """ Override. """
         self.env.company.set_onboarding_step_done('sale_onboarding_order_confirmation_state')
 
-    @api.multi
     def add_payment_methods(self, *args, **kwargs):
         self.env.company.sale_onboarding_payment_method = self.payment_method
         if self.payment_method == 'digital_signature':
diff --git a/addons/sale/wizard/sale_make_invoice_advance.py b/addons/sale/wizard/sale_make_invoice_advance.py
index 33b4b4bd7529028932ddbe8d040fa553bc064118..37347617ecb778f54246de9d3aee36fdd18c169a 100644
--- a/addons/sale/wizard/sale_make_invoice_advance.py
+++ b/addons/sale/wizard/sale_make_invoice_advance.py
@@ -61,7 +61,6 @@ class SaleAdvancePaymentInv(models.TransientModel):
             return {'value': {'amount': 0}}
         return {}
 
-    @api.multi
     def _create_invoice(self, order, so_line, amount):
         if self.amount <= 0.00:
             raise UserError(_('The value of the down payment amount must be positive.'))
@@ -105,7 +104,6 @@ class SaleAdvancePaymentInv(models.TransientModel):
                     subtype_id=self.env.ref('mail.mt_note').id)
         return invoice
 
-    @api.multi
     def create_invoices(self):
         sale_orders = self.env['sale.order'].browse(self._context.get('active_ids', []))
 
diff --git a/addons/sale_coupon/models/sale_coupon.py b/addons/sale_coupon/models/sale_coupon.py
index af28ee204842dc0d98ec29da585fdfe98093bd27..522ce8362a22567def8c5b157e020a7e8f0e60fc 100644
--- a/addons/sale_coupon/models/sale_coupon.py
+++ b/addons/sale_coupon/models/sale_coupon.py
@@ -80,7 +80,6 @@ class SaleCoupon(models.Model):
                 message = {'error': _('At least one of the required conditions is not met to get the reward!')}
         return message
 
-    @api.multi
     def action_coupon_sent(self):
         """ Open a window to compose an email, with the edi invoice template
             message loaded by default
diff --git a/addons/sale_coupon/models/sale_coupon_reward.py b/addons/sale_coupon/models/sale_coupon_reward.py
index 4ac5b5b82c61ead32103012ee2b140b2a29f7f8e..e7af055055daa36737f70b8e7774b85fe37d1565 100644
--- a/addons/sale_coupon/models/sale_coupon_reward.py
+++ b/addons/sale_coupon/models/sale_coupon_reward.py
@@ -51,7 +51,6 @@ class SaleCouponReward(models.Model):
         if self.filtered(lambda reward: reward.discount_type == 'percentage' and (reward.discount_percentage < 0 or reward.discount_percentage > 100)):
             raise ValidationError(_('Discount percentage should be between 1-100'))
 
-    @api.multi
     def name_get(self):
         """
         Returns a complete description of the reward
diff --git a/addons/sale_coupon/models/sale_order.py b/addons/sale_coupon/models/sale_order.py
index fc49b4abc73fd0028e5bc15a50605306c784d7b9..01183d35cbe91fff59d2cf3b185127247d403aae 100644
--- a/addons/sale_coupon/models/sale_order.py
+++ b/addons/sale_coupon/models/sale_order.py
@@ -30,14 +30,12 @@ class SaleOrder(models.Model):
             lines = self.order_line.filtered(lambda l: l.product_id == self.code_promo_program_id.discount_line_product_id)
         return lines
 
-    @api.multi
     def recompute_coupon_lines(self):
         for order in self:
             order._remove_invalid_reward_lines()
             order._create_new_no_code_promo_reward_lines()
             order._update_existing_reward_lines()
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         order = super(SaleOrder, self).copy(default)
@@ -416,7 +414,6 @@ class SaleOrderLine(models.Model):
                 related_program_lines |= line.order_id.order_line.filtered(lambda l: l.product_id.id == related_program.discount_line_product_id.id) - line
         return super(SaleOrderLine, self | related_program_lines).unlink()
 
-    @api.multi
     def _compute_tax_id(self):
         reward_lines = self.filtered('is_reward_line')
         super(SaleOrderLine, self - reward_lines)._compute_tax_id()
diff --git a/addons/sale_coupon/wizard/sale_coupon_apply_code.py b/addons/sale_coupon/wizard/sale_coupon_apply_code.py
index def9b1a3a75c899000da83cb66496e7a540e011e..a31ddab4280e0d3148ed2a0b3ecfb109b0f58de4 100644
--- a/addons/sale_coupon/wizard/sale_coupon_apply_code.py
+++ b/addons/sale_coupon/wizard/sale_coupon_apply_code.py
@@ -11,7 +11,6 @@ class SaleCouponApplyCode(models.TransientModel):
 
     coupon_code = fields.Char(string="Coupon", required=True)
 
-    @api.multi
     def process_coupon(self):
         """
         Apply the entered coupon code if valid, raise an UserError otherwise.
diff --git a/addons/sale_coupon/wizard/sale_coupon_generate.py b/addons/sale_coupon/wizard/sale_coupon_generate.py
index 1c6d43e2f09811fc94d405a8497cf90aa09bce51..34f0ba9e01845be46065066a21fa41b75d187831 100644
--- a/addons/sale_coupon/wizard/sale_coupon_generate.py
+++ b/addons/sale_coupon/wizard/sale_coupon_generate.py
@@ -15,7 +15,6 @@ class SaleCouponGenerate(models.TransientModel):
         ], default='nbr_coupon')
     partners_domain = fields.Char(string="Customer", default='[]')
 
-    @api.multi
     def generate_coupon(self):
         """Generates the number of coupons entered in wizard field nbr_coupons
         """
diff --git a/addons/sale_crm/wizard/crm_opportunity_to_quotation.py b/addons/sale_crm/wizard/crm_opportunity_to_quotation.py
index d88d3706971f7443cd18d1ab63250b86b92f5e8b..6a4dabb151bc4dfcfee2da54effa7c598bb55b41 100644
--- a/addons/sale_crm/wizard/crm_opportunity_to_quotation.py
+++ b/addons/sale_crm/wizard/crm_opportunity_to_quotation.py
@@ -30,7 +30,6 @@ class Opportunity2Quotation(models.TransientModel):
     ], 'Quotation Customer', required=True)
     lead_id = fields.Many2one('crm.lead', "Associated Lead", required=True)
 
-    @api.multi
     def action_apply(self):
         """ Convert lead to opportunity or merge lead and opportunity and open
             the freshly created opportunity view.
diff --git a/addons/sale_expense/models/account_move.py b/addons/sale_expense/models/account_move.py
index 055f89f1d1653e06ead3a025153183c7830951b9..0d41cbf1593044ced28632def96caec46321a478 100644
--- a/addons/sale_expense/models/account_move.py
+++ b/addons/sale_expense/models/account_move.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class AccountMoveLine(models.Model):
     _inherit = 'account.move.line'
 
-    @api.multi
     def _sale_determine_order(self):
         """ For move lines created from expense, we override the normal behavior.
             Note: if no SO but an AA is given on the expense, we will determine anyway the SO from the AA, using the same
diff --git a/addons/sale_expense/models/hr_expense.py b/addons/sale_expense/models/hr_expense.py
index fc1c840a7fe69ee5c42388b9dbbcb94bcfea5102..1ab41e299ada92ebe62fde7d6837af6d629c1b31 100644
--- a/addons/sale_expense/models/hr_expense.py
+++ b/addons/sale_expense/models/hr_expense.py
@@ -14,7 +14,6 @@ class Expense(models.Model):
         if self.sale_order_id:
             self.analytic_account_id = self.sale_order_id.analytic_account_id
 
-    @api.multi
     def action_move_create(self):
         """ When posting expense, if a SO is set, this means you want to reinvoice. To do so, we
             have to set an Analytic Account on the expense. We choose the one from the SO, and
diff --git a/addons/sale_expense/models/product_template.py b/addons/sale_expense/models/product_template.py
index 58089a8378df68cf8e29e0adadacc6b91737203d..dcb9b0b1ec06c5a44dab83db04d88e031c1ee16f 100644
--- a/addons/sale_expense/models/product_template.py
+++ b/addons/sale_expense/models/product_template.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class ProductTemplate(models.Model):
     _inherit = 'product.template'
 
-    @api.multi
     def _compute_visible_expense_policy(self):
         super(ProductTemplate, self)._compute_visible_expense_policy()
 
diff --git a/addons/sale_expense/models/sale_order.py b/addons/sale_expense/models/sale_order.py
index ee27dc686f5637eb118ee3d889391ed2d69593f7..1f83148c178fd091fadbf306a45a7fc3c492e302 100644
--- a/addons/sale_expense/models/sale_order.py
+++ b/addons/sale_expense/models/sale_order.py
@@ -10,7 +10,6 @@ class SaleOrder(models.Model):
     expense_ids = fields.One2many('hr.expense', 'sale_order_id', string='Expenses', domain=[('state', '=', 'done')], readonly=True, copy=False)
     expense_count = fields.Integer("# of Expenses", compute='_compute_expense_count', compute_sudo=True)
 
-    @api.multi
     @api.depends('expense_ids')
     def _compute_expense_count(self):
         expense_data = self.env['hr.expense'].read_group([('sale_order_id', 'in', self.ids), ('state', '=', 'done')], ['sale_order_id'], ['sale_order_id'])
diff --git a/addons/sale_management/models/sale_order.py b/addons/sale_management/models/sale_order.py
index 47d224daac0274690d97bb7d577fdee5335d5495..cc26a6b8fc227991f04175d0f8d47c4411260d01 100644
--- a/addons/sale_management/models/sale_order.py
+++ b/addons/sale_management/models/sale_order.py
@@ -19,7 +19,6 @@ class SaleOrder(models.Model):
         copy=True, readonly=True,
         states={'draft': [('readonly', False)], 'sent': [('readonly', False)]})
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         if self.sale_order_template_id and self.sale_order_template_id.number_of_days > 0:
@@ -106,7 +105,6 @@ class SaleOrder(models.Model):
         if template.note:
             self.note = template.note
 
-    @api.multi
     def action_confirm(self):
         res = super(SaleOrder, self).action_confirm()
         for order in self:
@@ -114,7 +112,6 @@ class SaleOrder(models.Model):
                 self.sale_order_template_id.mail_template_id.send_mail(order.id)
         return res
 
-    @api.multi
     def get_access_action(self, access_uid=None):
         """ Instead of the classic form view, redirect to the online quote if it exists. """
         self.ensure_one()
@@ -194,11 +191,9 @@ class SaleOrderOption(models.Model):
         domain = {'uom_id': [('category_id', '=', self.product_id.uom_id.category_id.id)]}
         return {'domain': domain}
 
-    @api.multi
     def button_add_to_order(self):
         self.add_option_to_order()
 
-    @api.multi
     def add_option_to_order(self):
         self.ensure_one()
 
@@ -213,7 +208,6 @@ class SaleOrderOption(models.Model):
 
         self.write({'line_id': order_line.id})
 
-    @api.multi
     def _get_values_to_add_to_order(self):
         self.ensure_one()
         return {
diff --git a/addons/sale_management/models/sale_order_template.py b/addons/sale_management/models/sale_order_template.py
index 5574666a620d08cf09f1b9f8fc9cef2465a0e58d..8e3dc818ef4da7a0bbe224b8b8f6830dc8be4a54 100644
--- a/addons/sale_management/models/sale_order_template.py
+++ b/addons/sale_management/models/sale_order_template.py
@@ -29,7 +29,6 @@ class SaleOrderTemplate(models.Model):
         help="This e-mail template will be sent on confirmation. Leave empty to send nothing.")
     active = fields.Boolean(default=True, help="If unchecked, it will allow you to hide the quotation template without removing it.")
 
-    @api.multi
     def write(self, vals):
         if 'active' in vals and not vals.get('active'):
             template_id = self.env['ir.default'].get('sale.order', 'sale_order_template_id')
@@ -83,7 +82,6 @@ class SaleOrderTemplateLine(models.Model):
             values.update(product_id=False, price_unit=0, product_uom_qty=0, product_uom_id=False)
         return super(SaleOrderTemplateLine, self).create(values)
 
-    @api.multi
     def write(self, values):
         if 'display_type' in values and self.filtered(lambda line: line.display_type != values.get('display_type')):
             raise UserError("You cannot change the type of a sale quote line. Instead you should delete the current line and create a new line of the proper type.")
diff --git a/addons/sale_mrp/models/sale_mrp.py b/addons/sale_mrp/models/sale_mrp.py
index f63519c0f72ea8a58f4fa29e633a3af173b4bfd2..33f3bfc40f811a671da97fb470d4ad90c7ca1865 100644
--- a/addons/sale_mrp/models/sale_mrp.py
+++ b/addons/sale_mrp/models/sale_mrp.py
@@ -8,7 +8,6 @@ from odoo.tools import float_compare, float_round
 class SaleOrderLine(models.Model):
     _inherit = 'sale.order.line'
 
-    @api.multi
     def _compute_qty_delivered(self):
         super(SaleOrderLine, self)._compute_qty_delivered()
         for order_line in self:
@@ -29,7 +28,6 @@ class SaleOrderLine(models.Model):
                     order_qty = order_line.product_uom._compute_quantity(order_line.product_uom_qty, relevant_bom.product_uom_id)
                     order_line.qty_delivered = moves._compute_kit_quantities(order_line.product_id, order_qty, relevant_bom, filters)
 
-    @api.multi
     def _get_bom_component_qty(self, bom):
         bom_quantity = self.product_uom._compute_quantity(1, bom.product_uom_id)
         boms, lines = bom.explode(self.product_id, bom_quantity)
diff --git a/addons/sale_product_configurator/models/product.py b/addons/sale_product_configurator/models/product.py
index 612c14aaacc777c4dbfb3fcb5efea8a5e986ad1c..3250a72add68e08c131b4c9e8eb306bc3bb968f2 100644
--- a/addons/sale_product_configurator/models/product.py
+++ b/addons/sale_product_configurator/models/product.py
@@ -14,7 +14,6 @@ class ProductTemplate(models.Model):
         "e.g. for computers: warranty, software, etc.).")
     has_configurable_attributes = fields.Boolean("Is a configurable product", compute='_compute_has_configurable_attributes', store=True)
 
-    @api.multi
     @api.depends('attribute_line_ids.value_ids.is_custom', 'attribute_line_ids.attribute_id.create_variant')
     def _compute_has_configurable_attributes(self):
         """ A product is considered configurable if:
diff --git a/addons/sale_purchase/models/purchase_order.py b/addons/sale_purchase/models/purchase_order.py
index f54d4ab3490583dfb99cf7b0696aeccecb7719fa..5d4550ed7246a339925ff2fa97f81e8bc3d4ce6c 100644
--- a/addons/sale_purchase/models/purchase_order.py
+++ b/addons/sale_purchase/models/purchase_order.py
@@ -7,13 +7,11 @@ from odoo import api, fields, models
 class PurchaseOrder(models.Model):
     _inherit = "purchase.order"
 
-    @api.multi
     def button_cancel(self):
         result = super(PurchaseOrder, self).button_cancel()
         self.sudo()._activity_cancel_on_sale()
         return result
 
-    @api.multi
     def _activity_cancel_on_sale(self):
         """ If some PO are cancelled, we need to put an activity on their origin SO (only the open ones). Since a PO can have
             been modified by several SO, when cancelling one PO, many next activities can be schedulded on different SO.
diff --git a/addons/sale_purchase/models/sale_order.py b/addons/sale_purchase/models/sale_order.py
index a055090c590873b790561ecc48cbfd15dc0972a0..3668871f16b0402aab1a9695ec1bbce09fbafcb8 100644
--- a/addons/sale_purchase/models/sale_order.py
+++ b/addons/sale_purchase/models/sale_order.py
@@ -23,14 +23,12 @@ class SaleOrder(models.Model):
         for order in self:
             order.purchase_order_count = purchase_count_map.get(order.id, 0)
 
-    @api.multi
     def _action_confirm(self):
         result = super(SaleOrder, self)._action_confirm()
         for order in self:
             order.order_line.sudo()._purchase_service_generation()
         return result
 
-    @api.multi
     def action_cancel(self):
         result = super(SaleOrder, self).action_cancel()
         # When a sale person cancel a SO, he might not have the rights to write
@@ -39,13 +37,11 @@ class SaleOrder(models.Model):
         self.sudo()._activity_cancel_on_purchase()
         return result
 
-    @api.multi
     def action_view_purchase(self):
         action = self.env.ref('purchase.purchase_rfq').read()[0]
         action['domain'] = [('id', 'in', self.mapped('order_line.purchase_line_ids.order_id').ids)]
         return action
 
-    @api.multi
     def _activity_cancel_on_purchase(self):
         """ If some SO are cancelled, we need to put an activity on their generated purchase. If sale lines of
             differents sale orders impact different purchase, we only want one activity to be attached.
@@ -73,7 +69,6 @@ class SaleOrderLine(models.Model):
     purchase_line_ids = fields.One2many('purchase.order.line', 'sale_line_id', string="Generated Purchase Lines", readonly=True, help="Purchase line generated by this Sales item on order confirmation, or when the quantity was increased.")
     purchase_line_count = fields.Integer("Number of generated purchase items", compute='_compute_purchase_count', compute_sudo=True)
 
-    @api.multi
     @api.depends('purchase_line_ids')
     def _compute_purchase_count(self):
         database_data = self.env['purchase.order.line'].read_group([('sale_line_id', 'in', self.ids)], ['sale_line_id'], ['sale_line_id'])
@@ -106,7 +101,6 @@ class SaleOrderLine(models.Model):
             line.sudo()._purchase_service_generation()
         return line
 
-    @api.multi
     def write(self, values):
         increased_lines = None
         decreased_lines = None
@@ -131,7 +125,6 @@ class SaleOrderLine(models.Model):
     # Business Methods
     # --------------------------
 
-    @api.multi
     def _purchase_decrease_ordered_qty(self, new_qty, origin_values):
         """ Decrease the quantity from SO line will add a next acitivities on the related purchase order
             :param new_qty: new quantity (lower than the current one on SO line), expressed
@@ -156,7 +149,6 @@ class SaleOrderLine(models.Model):
                 views_or_xmlid='sale_purchase.exception_purchase_on_sale_quantity_decreased',
                 render_context=render_context)
 
-    @api.multi
     def _purchase_increase_ordered_qty(self, new_qty, origin_values):
         """ Increase the quantity on the related purchase lines
             :param new_qty: new quantity (higher than the current one on SO line), expressed
@@ -172,13 +164,11 @@ class SaleOrderLine(models.Model):
                 quantity = line.product_uom._compute_quantity(new_qty - origin_values.get(line.id, 0.0), last_purchase_line.product_uom)
                 line._purchase_service_create(quantity=quantity)
 
-    @api.multi
     def _purchase_get_date_order(self, supplierinfo):
         """ return the ordered date for the purchase order, computed as : SO commitment date - supplier delay """
         commitment_date = fields.Datetime.from_string(self.order_id.commitment_date or fields.Datetime.now())
         return commitment_date - relativedelta(days=int(supplierinfo.delay))
 
-    @api.multi
     def _purchase_service_prepare_order_values(self, supplierinfo):
         """ Returns the values to create the purchase order from the current SO line.
             :param supplierinfo: record of product.supplierinfo
@@ -200,7 +190,6 @@ class SaleOrderLine(models.Model):
             'fiscal_position_id': fiscal_position_id,
         }
 
-    @api.multi
     def _purchase_service_prepare_line_values(self, purchase_order, quantity=False):
         """ Returns the values to create the purchase order line from the current SO line.
             :param purchase_order: record of purchase.order
@@ -256,7 +245,6 @@ class SaleOrderLine(models.Model):
             'sale_line_id': self.id,
         }
 
-    @api.multi
     def _purchase_service_create(self, quantity=False):
         """ On Sales Order confirmation, some lines (services ones) can create a purchase order line and maybe a purchase order.
             If a line should create a RFQ, it will check for existing PO. If no one is find, the SO line will create one, then adds
@@ -306,7 +294,6 @@ class SaleOrderLine(models.Model):
             sale_line_purchase_map[line] |= purchase_line
         return sale_line_purchase_map
 
-    @api.multi
     def _purchase_service_generation(self):
         """ Create a Purchase for the first time from the sale line. If the SO line already created a PO, it
             will not create a second one.
diff --git a/addons/sale_quotation_builder/models/product_template.py b/addons/sale_quotation_builder/models/product_template.py
index 2c5d414b504d2417d5e8088a47eca9d8247f3d8e..91a107491f27da51aecb3cd39ddef40911bcedb3 100644
--- a/addons/sale_quotation_builder/models/product_template.py
+++ b/addons/sale_quotation_builder/models/product_template.py
@@ -14,7 +14,6 @@ class ProductTemplate(models.Model):
     quotation_description = fields.Html('Quotation Description', compute='_compute_quotation_description',
         help="This field uses the Quotation Only Description if it is defined, otherwise it will try to read the eCommerce Description.")
 
-    @api.multi
     def _compute_quotation_description(self):
         for record in self:
             if record.quotation_only_description:
diff --git a/addons/sale_quotation_builder/models/sale_order.py b/addons/sale_quotation_builder/models/sale_order.py
index 7a401379a03e37376d65434e9c09cf25359cdd3a..9cd20c4b93ca183dcc13e1cb6a7bc8cc6fad4ffb 100644
--- a/addons/sale_quotation_builder/models/sale_order.py
+++ b/addons/sale_quotation_builder/models/sale_order.py
@@ -47,7 +47,6 @@ class SaleOrderLine(models.Model):
         values = self._inject_quotation_description(values)
         return super(SaleOrderLine, self).create(values)
 
-    @api.multi
     def write(self, values):
         values = self._inject_quotation_description(values)
         return super(SaleOrderLine, self).write(values)
@@ -73,7 +72,6 @@ class SaleOrderOption(models.Model):
             self.website_description = product.quotation_description
         return ret
 
-    @api.multi
     def _get_values_to_add_to_order(self):
         values = super(SaleOrderOption, self)._get_values_to_add_to_order()
         values.update(website_description=self.website_description)
diff --git a/addons/sale_quotation_builder/models/sale_order_template.py b/addons/sale_quotation_builder/models/sale_order_template.py
index 2147a0c088143a218e5be65e4b69c0cd79a0057c..d2240caa57468b83b9618c93a8fa6e9294894988 100644
--- a/addons/sale_quotation_builder/models/sale_order_template.py
+++ b/addons/sale_quotation_builder/models/sale_order_template.py
@@ -10,7 +10,6 @@ class SaleOrderTemplate(models.Model):
 
     website_description = fields.Html('Website Description', translate=html_translate, sanitize_attributes=False)
 
-    @api.multi
     def open_template(self):
         self.ensure_one()
         return {
@@ -37,7 +36,6 @@ class SaleOrderTemplateLine(models.Model):
         values = self._inject_quotation_description(values)
         return super(SaleOrderTemplateLine, self).create(values)
 
-    @api.multi
     def write(self, values):
         values = self._inject_quotation_description(values)
         return super(SaleOrderTemplateLine, self).write(values)
diff --git a/addons/sale_stock/models/sale_order.py b/addons/sale_stock/models/sale_order.py
index 4379feb33705193260feef13f021b299914fa0d8..b7a9a1620d122b0dfac2ab0f26e5829a2b910a1e 100644
--- a/addons/sale_stock/models/sale_order.py
+++ b/addons/sale_stock/models/sale_order.py
@@ -56,7 +56,6 @@ class SaleOrder(models.Model):
                 expected_date = min(dates_list) if order.picking_policy == 'direct' else max(dates_list)
                 order.expected_date = fields.Datetime.to_string(expected_date)
 
-    @api.multi
     def write(self, values):
         if values.get('order_line') and self.state == 'sale':
             for order in self:
@@ -91,7 +90,6 @@ class SaleOrder(models.Model):
                     order_lines_to_run._action_launch_stock_rule(pre_order_line_qty)
         return res
 
-    @api.multi
     def _action_confirm(self):
         for order in self:
             order.order_line._action_launch_stock_rule()
@@ -122,7 +120,6 @@ class SaleOrder(models.Model):
             }
         return res
 
-    @api.multi
     def action_view_delivery(self):
         '''
         This function returns an action that display existing delivery orders
@@ -139,7 +136,6 @@ class SaleOrder(models.Model):
             action['res_id'] = pickings.id
         return action
 
-    @api.multi
     def action_cancel(self):
         documents = None
         for sale_order in self:
@@ -157,7 +153,6 @@ class SaleOrder(models.Model):
             self._log_decrease_ordered_quantity(filtered_documents, cancel=True)
         return super(SaleOrder, self).action_cancel()
 
-    @api.multi
     def _prepare_invoice(self):
         invoice_vals = super(SaleOrder, self)._prepare_invoice()
         invoice_vals['invoice_incoterm_id'] = self.incoterm.id
@@ -196,7 +191,6 @@ class SaleOrderLine(models.Model):
     route_id = fields.Many2one('stock.location.route', string='Route', domain=[('sale_selectable', '=', True)], ondelete='restrict')
     move_ids = fields.One2many('stock.move', 'sale_line_id', string='Stock Moves')
 
-    @api.multi
     @api.depends('product_id')
     def _compute_qty_delivered_method(self):
         """ Stock module compute delivered qty for product [('type', 'in', ['consu', 'product'])]
@@ -209,7 +203,6 @@ class SaleOrderLine(models.Model):
             if not line.is_expense and line.product_id.type in ['consu', 'product']:
                 line.qty_delivered_method = 'stock_move'
 
-    @api.multi
     @api.depends('move_ids.state', 'move_ids.scrapped', 'move_ids.product_uom_qty', 'move_ids.product_uom')
     def _compute_qty_delivered(self):
         super(SaleOrderLine, self)._compute_qty_delivered()
@@ -335,7 +328,6 @@ class SaleOrderLine(models.Model):
             return {'warning': warning_mess}
         return {}
 
-    @api.multi
     def _prepare_procurement_values(self, group_id=False):
         """ Prepare specific key for moves or other components that will be created from a stock rule
         comming from a sale order line. This method could be override in order to add other custom key that could
@@ -381,7 +373,6 @@ class SaleOrderLine(models.Model):
             'partner_id': self.order_id.partner_shipping_id.id,
         }
 
-    @api.multi
     def _action_launch_stock_rule(self, previous_product_uom_qty=False):
         """
         Launch procurement group run method with required/custom fields genrated by a
@@ -426,7 +417,6 @@ class SaleOrderLine(models.Model):
             self.env['procurement.group'].run(procurements)
         return True
 
-    @api.multi
     def _check_package(self):
         default_uom = self.product_id.uom_id
         pack = self.product_packaging
diff --git a/addons/sale_timesheet/models/account.py b/addons/sale_timesheet/models/account.py
index be4c3e6b6ce5d77b31a0e15d23dd11b691454f33..7860953e9e5892d4803ffdb429c7d835018c93b6 100644
--- a/addons/sale_timesheet/models/account.py
+++ b/addons/sale_timesheet/models/account.py
@@ -21,7 +21,6 @@ class AccountAnalyticLine(models.Model):
         ('non_billable_project', 'No task found')], string="Billable Type", compute='_compute_timesheet_invoice_type', compute_sudo=True, store=True, readonly=True)
     timesheet_invoice_id = fields.Many2one('account.move', string="Invoice", readonly=True, copy=False, help="Invoice created from the timesheet")
 
-    @api.multi
     @api.depends('so_line.product_id', 'project_id', 'task_id')
     def _compute_timesheet_invoice_type(self):
         for timesheet in self:
@@ -54,14 +53,12 @@ class AccountAnalyticLine(models.Model):
                 if timesheet.so_line not in timesheet.project_id.mapped('sale_line_employee_ids.sale_line_id') | timesheet.task_id.sale_line_id | timesheet.project_id.sale_line_id:
                     raise ValidationError(_("This timesheet line cannot be billed: there is no Sale Order Item defined on the task, nor on the project. Please define one to save your timesheet line."))
 
-    @api.multi
     def write(self, values):
         # prevent to update invoiced timesheets if one line is of type delivery
         self._check_can_write(values)
         result = super(AccountAnalyticLine, self).write(values)
         return result
 
-    @api.multi
     def _check_can_write(self, values):
         if self.sudo().filtered(lambda aal: aal.so_line.product_id.invoice_policy == "delivery") and self.filtered(lambda timesheet: timesheet.timesheet_invoice_id):
             if any([field_name in values for field_name in ['unit_amount', 'employee_id', 'project_id', 'task_id', 'so_line', 'amount', 'date']]):
@@ -77,7 +74,6 @@ class AccountAnalyticLine(models.Model):
             values['so_line'] = self._timesheet_determine_sale_line(task, employee).id
         return values
 
-    @api.multi
     def _timesheet_postprocess_values(self, values):
         result = super(AccountAnalyticLine, self)._timesheet_postprocess_values(values)
         # (re)compute the sale line
diff --git a/addons/sale_timesheet/models/account_move.py b/addons/sale_timesheet/models/account_move.py
index 08c797a819d596ad3f7b561730278668b38fa804..5ef655898beb680d9dce13faaf6868dee315dda5 100644
--- a/addons/sale_timesheet/models/account_move.py
+++ b/addons/sale_timesheet/models/account_move.py
@@ -11,7 +11,6 @@ class AccountMove(models.Model):
     timesheet_ids = fields.One2many('account.analytic.line', 'timesheet_invoice_id', string='Timesheets', readonly=True, copy=False)
     timesheet_count = fields.Integer("Number of timesheets", compute='_compute_timesheet_count')
 
-    @api.multi
     @api.depends('timesheet_ids')
     def _compute_timesheet_count(self):
         timesheet_data = self.env['account.analytic.line'].read_group([('timesheet_invoice_id', 'in', self.ids)], ['timesheet_invoice_id'], ['timesheet_invoice_id'])
diff --git a/addons/sale_timesheet/models/product.py b/addons/sale_timesheet/models/product.py
index 5d1d240ea9ae1030088903ce8d5152574ea5c8e3..0b132291a7899529c2506265eb1fe9f4289f5ec8 100644
--- a/addons/sale_timesheet/models/product.py
+++ b/addons/sale_timesheet/models/product.py
@@ -33,7 +33,6 @@ class ProductTemplate(models.Model):
         'project.project', 'Project Template', company_dependent=True, domain=[('billable_type', '=', 'no')], copy=True,
         help='Select a non billable project to be the skeleton of the new created project when selling the current product. Its stages and tasks will be duplicated.')
 
-    @api.multi
     def _compute_visible_expense_policy(self):
         super(ProductTemplate, self)._compute_visible_expense_policy()
 
diff --git a/addons/sale_timesheet/models/project.py b/addons/sale_timesheet/models/project.py
index edeff617fd9e816da6102b7b363b15433040909e..63d1d451e43604394f2e41852db897ff07f76c54 100644
--- a/addons/sale_timesheet/models/project.py
+++ b/addons/sale_timesheet/models/project.py
@@ -59,7 +59,6 @@ class Project(models.Model):
                 if project.sale_line_id and project.sale_line_id.is_expense:
                     raise ValidationError(_("A billable project should be linked to a Sales Order Item that does not come from an expense or a vendor bill."))
 
-    @api.multi
     def action_view_timesheet(self):
         self.ensure_one()
         if self.allow_timesheets:
@@ -87,7 +86,6 @@ class Project(models.Model):
             }
         }
 
-    @api.multi
     def action_view_timesheet_plan(self):
         action = self.env.ref('sale_timesheet.project_timesheet_action_client_timesheet_plan').read()[0]
         action['params'] = {
@@ -100,7 +98,6 @@ class Project(models.Model):
         }
         return action
 
-    @api.multi
     def action_make_billable(self):
         return {
             "name": _("Create Sales Order"),
@@ -158,7 +155,6 @@ class ProjectTask(models.Model):
     ], string="Billable Type", compute='_compute_billable_type', compute_sudo=True, store=True)
     is_project_map_empty = fields.Boolean("Is Project map empty", compute='_compute_is_project_map_empty')
 
-    @api.multi
     @api.depends('sale_line_id', 'project_id', 'billable_type')
     def _compute_sale_order_id(self):
         for task in self:
@@ -169,7 +165,6 @@ class ProjectTask(models.Model):
             elif task.billable_type == 'no':
                 task.sale_order_id = False
 
-    @api.multi
     @api.depends('project_id.billable_type', 'sale_line_id')
     def _compute_billable_type(self):
         for task in self:
@@ -209,7 +204,6 @@ class ProjectTask(models.Model):
             result.setdefault('domain', {})['sale_line_id'] = [('is_service', '=', True), ('is_expense', '=', False), ('order_partner_id', 'child_of', self.partner_id.commercial_partner_id.id), ('state', 'in', ['sale', 'done'])]
         return result
 
-    @api.multi
     @api.constrains('sale_line_id')
     def _check_sale_line_type(self):
         for task in self.sudo():
@@ -217,7 +211,6 @@ class ProjectTask(models.Model):
                 if not task.sale_line_id.is_service or task.sale_line_id.is_expense:
                     raise ValidationError(_('You cannot link the order item %s - %s to this task because it is a re-invoiced expense.' % (task.sale_line_id.order_id.id, task.sale_line_id.product_id.name)))
 
-    @api.multi
     def write(self, values):
         if values.get('project_id'):
             project_dest = self.env['project.project'].browse(values['project_id'])
@@ -225,7 +218,6 @@ class ProjectTask(models.Model):
                 values['sale_line_id'] = False
         return super(ProjectTask, self).write(values)
 
-    @api.multi
     def unlink(self):
         if any(task.sale_line_id for task in self):
             raise ValidationError(_('You have to unlink the task from the sale order item in order to delete it.'))
@@ -253,7 +245,6 @@ class ProjectTask(models.Model):
     # Actions
     # ---------------------------------------------------
 
-    @api.multi
     def action_view_so(self):
         self.ensure_one()
         return {
diff --git a/addons/sale_timesheet/models/sale_order.py b/addons/sale_timesheet/models/sale_order.py
index 70c45218e9bea87255346288e5521de161863d82..3582e706b188eac9dcae8c73dfd202dc5fd19e32 100644
--- a/addons/sale_timesheet/models/sale_order.py
+++ b/addons/sale_timesheet/models/sale_order.py
@@ -24,7 +24,6 @@ class SaleOrder(models.Model):
         help='Select a non billable project on which tasks can be created.')
     project_ids = fields.Many2many('project.project', compute="_compute_project_ids", string='Projects', copy=False, groups="project.group_project_user", help="Projects used in this sales order.")
 
-    @api.multi
     @api.depends('analytic_account_id.line_ids')
     def _compute_timesheet_ids(self):
         for order in self:
@@ -37,14 +36,12 @@ class SaleOrder(models.Model):
                 order.timesheet_ids = []
             order.timesheet_count = len(order.timesheet_ids)
 
-    @api.multi
     @api.depends('order_line.product_id.project_id')
     def _compute_tasks_ids(self):
         for order in self:
             order.tasks_ids = self.env['project.task'].search([('sale_line_id', 'in', order.order_line.ids)])
             order.tasks_count = len(order.tasks_ids)
 
-    @api.multi
     @api.depends('order_line.product_id.service_tracking')
     def _compute_visible_project(self):
         """ Users should be able to select a project_id on the SO if at least one SO line has a product with its service tracking
@@ -54,7 +51,6 @@ class SaleOrder(models.Model):
                 service_tracking == 'task_in_project' for service_tracking in order.order_line.mapped('product_id.service_tracking')
             )
 
-    @api.multi
     @api.depends('order_line.product_id', 'order_line.project_id')
     def _compute_project_ids(self):
         for order in self:
@@ -69,7 +65,6 @@ class SaleOrder(models.Model):
         if self.project_id.analytic_account_id:
             self.analytic_account_id = self.project_id.analytic_account_id
 
-    @api.multi
     def _action_confirm(self):
         """ On SO confirmation, some lines should generate a task or a project. """
         result = super(SaleOrder, self)._action_confirm()
@@ -79,7 +74,6 @@ class SaleOrder(models.Model):
         )._timesheet_service_generation()
         return result
 
-    @api.multi
     def action_view_task(self):
         self.ensure_one()
 
@@ -108,7 +102,6 @@ class SaleOrder(models.Model):
         action['context'].update({'search_default_sale_order_id': self.id})
         return action
 
-    @api.multi
     def action_view_project_ids(self):
         self.ensure_one()
         # redirect to form or kanban view
@@ -128,7 +121,6 @@ class SaleOrder(models.Model):
             }
         return action
 
-    @api.multi
     def action_view_timesheet(self):
         self.ensure_one()
         action = self.env.ref('hr_timesheet.timesheet_action_all').read()[0]
@@ -150,7 +142,6 @@ class SaleOrderLine(models.Model):
     is_service = fields.Boolean("Is a Service", compute='_compute_is_service', store=True, compute_sudo=True, help="Sales Order item should generate a task and/or a project, depending on the product settings.")
     analytic_line_ids = fields.One2many(domain=[('project_id', '=', False)])  # only analytic lines, not timesheets (since this field determine if SO line came from expense)
 
-    @api.multi
     @api.depends('product_id')
     def _compute_qty_delivered_method(self):
         """ Sale Timesheet module compute delivered qty for product [('type', 'in', ['service']), ('service_type', '=', 'timesheet')] """
@@ -159,7 +150,6 @@ class SaleOrderLine(models.Model):
             if not line.is_expense and line.product_id.type == 'service' and line.product_id.service_type == 'timesheet':
                 line.qty_delivered_method = 'timesheet'
 
-    @api.multi
     @api.depends('analytic_line_ids.project_id')
     def _compute_qty_delivered(self):
         super(SaleOrderLine, self)._compute_qty_delivered()
@@ -170,12 +160,10 @@ class SaleOrderLine(models.Model):
         for line in lines_by_timesheet:
             line.qty_delivered = mapping.get(line.id, 0.0)
 
-    @api.multi
     def _timesheet_compute_delivered_quantity_domain(self):
         """ Hook for validated timesheet in addionnal module """
         return [('project_id', '!=', False)]
 
-    @api.multi
     @api.depends('product_id')
     def _compute_is_service(self):
         for so_line in self:
@@ -203,7 +191,6 @@ class SaleOrderLine(models.Model):
                     line.order_id.message_post(body=msg_body)
         return lines
 
-    @api.multi
     def write(self, values):
         result = super(SaleOrderLine, self).write(values)
         # changing the ordered quantity should change the planned hours on the
@@ -228,7 +215,6 @@ class SaleOrderLine(models.Model):
             planned_hours = self.product_uom_qty
         return planned_hours
 
-    @api.multi
     def _timesheet_create_project(self):
         """ Generate project for the given so line, and link it.
             :param project: record of project.project in which the task should be created
@@ -287,7 +273,6 @@ class SaleOrderLine(models.Model):
             'user_id': False,  # force non assigned task, as created as sudo()
         }
 
-    @api.multi
     def _timesheet_create_task(self, project):
         """ Generate task for the given so line, and link it.
             :param project: record of project.project in which the task should be created
@@ -301,7 +286,6 @@ class SaleOrderLine(models.Model):
         task.message_post(body=task_msg)
         return task
 
-    @api.multi
     def _timesheet_service_generation(self):
         """ For service lines, create the task or the project. If already exists, it simply links
             the existing one to the line.
diff --git a/addons/sale_timesheet/wizard/project_create_invoice.py b/addons/sale_timesheet/wizard/project_create_invoice.py
index 1df7bf948b23aeb60c0b905e7af62e4fdb76a1a9..c159d788df890a0279f5c86fd88c1a7641a6cb94 100644
--- a/addons/sale_timesheet/wizard/project_create_invoice.py
+++ b/addons/sale_timesheet/wizard/project_create_invoice.py
@@ -34,7 +34,6 @@ class ProjectCreateInvoice(models.TransientModel):
             'domain': {'sale_order_id': [('id', 'in', sale_orders.ids)]},
         }
 
-    @api.multi
     @api.depends('sale_order_id')
     def _compute_amount_to_invoice(self):
         for wizard in self:
@@ -45,7 +44,6 @@ class ProjectCreateInvoice(models.TransientModel):
                 amount_tax += line.price_tax
             wizard.amount_to_invoice = amount_untaxed + amount_tax
 
-    @api.multi
     def action_create_invoice(self):
         if not self.sale_order_id and self.sale_order_id.invoice_status != 'to invoice':
             raise UserError(_("The selected Sales Order should contain something to invoice."))
diff --git a/addons/sale_timesheet/wizard/project_create_sale_order.py b/addons/sale_timesheet/wizard/project_create_sale_order.py
index 364e3056ac366d6686596a592dc7b540ea08a2d7..26e11d11a0fdb25c4d70a06d41b08c3061557a0d 100644
--- a/addons/sale_timesheet/wizard/project_create_sale_order.py
+++ b/addons/sale_timesheet/wizard/project_create_sale_order.py
@@ -47,7 +47,6 @@ class ProjectCreateSalesOrder(models.TransientModel):
         else:
             self.price_unit = 0.0
 
-    @api.multi
     def action_create_sale_order(self):
         # if project linked to SO line or at least on tasks with SO line, then we consider project as billable.
         if self.project_id.sale_line_id:
diff --git a/addons/sales_team/models/crm_team.py b/addons/sales_team/models/crm_team.py
index d2e0b7977e0f9c398f8136936e167847e896793b..26700b547ba387e5198f18ba89acee0707704c9f 100644
--- a/addons/sales_team/models/crm_team.py
+++ b/addons/sales_team/models/crm_team.py
@@ -210,14 +210,12 @@ class CrmTeam(models.Model):
             team._add_members_to_favorites()
         return team
 
-    @api.multi
     def write(self, values):
         res = super(CrmTeam, self).write(values)
         if values.get('member_ids'):
             self._add_members_to_favorites()
         return res
 
-    @api.multi
     def unlink(self):
         default_teams = [
             self.env.ref('sales_team.salesteam_website_sales'),
diff --git a/addons/sms/models/mail_message.py b/addons/sms/models/mail_message.py
index 92fda5e8a832a52d2f9cc4912e5e1581e7e86e4f..9e79500e9c0ebc6ed032ddfceff054c5668448e1 100644
--- a/addons/sms/models/mail_message.py
+++ b/addons/sms/models/mail_message.py
@@ -19,7 +19,6 @@ class MailMessage(models.Model):
         'Has SMS error', compute='_compute_has_sms_error', search='_search_has_sms_error',
         help='Has error')
 
-    @api.multi
     def _compute_has_sms_error(self):
         sms_error_from_notification = self.env['mail.notification'].sudo().search([
             ('notification_type', '=', 'sms'),
@@ -28,13 +27,11 @@ class MailMessage(models.Model):
         for message in self:
             message.has_error = message in sms_error_from_notification
 
-    @api.multi
     def _search_has_sms_error(self, operator, operand):
         if operator == '=' and operand:
             return ['&', ('notification_ids.notification_status', '=', 'exception'), ('notification_ids.notification_type', '=', True)]
         raise NotImplementedError()
 
-    @api.multi
     def _format_mail_failures(self):
         """ A shorter message to notify a SMS delivery failure update
 
@@ -62,7 +59,6 @@ class MailMessage(models.Model):
             res.append(info)
         return res
 
-    @api.multi
     def _notify_sms_update(self):
         """ Send bus notifications to update status of notifications in chatter.
         Purpose is to send the updated status per author.
@@ -88,7 +84,6 @@ class MailMessage(models.Model):
         ] for author, author_messages in groupby(messages, itemgetter('author_id'))]
         self.env['bus.bus'].sendmany(updates)
 
-    @api.multi
     def message_format(self):
         """ Override in order to retrieves data about SMS (recipient name and
             SMS status)
diff --git a/addons/sms/models/mail_thread.py b/addons/sms/models/mail_thread.py
index a432d29a2d308ab30e1cc030ec80abcc09f5d7e3..467a60127cd4169aaf333614f10d08618484b07c 100644
--- a/addons/sms/models/mail_thread.py
+++ b/addons/sms/models/mail_thread.py
@@ -17,7 +17,6 @@ class MailThread(models.AbstractModel):
         'SMS Delivery error', compute='_compute_message_has_sms_error', search='_search_message_has_sms_error',
         help="If checked, some messages have a delivery error.")
 
-    @api.multi
     def _compute_message_has_sms_error(self):
         res = {}
         if self.ids:
@@ -185,13 +184,11 @@ class MailThread(models.AbstractModel):
             **kwargs
         )
 
-    @api.multi
     def _notify_thread(self, message, msg_vals=False, **kwargs):
         recipients_data = super(MailThread, self)._notify_thread(message, msg_vals=msg_vals, **kwargs)
         self._notify_record_by_sms(message, recipients_data, msg_vals=msg_vals, **kwargs)
         return recipients_data
 
-    @api.multi
     def _notify_record_by_sms(self, message, recipients_data, msg_vals=False,
                               sms_numbers=None, sms_pid_to_number=None,
                               check_existing=False, put_in_queue=False, **kwargs):
diff --git a/addons/sms/models/sms_sms.py b/addons/sms/models/sms_sms.py
index 699f4efa5f5b1d5908fb731891fa975bc6327f48..98120662b04c3b264b53d2283930ddc5f0a33f84 100644
--- a/addons/sms/models/sms_sms.py
+++ b/addons/sms/models/sms_sms.py
@@ -31,7 +31,6 @@ class SmsSms(models.Model):
         ('sms_server', 'Server Error')
     ])
 
-    @api.multi
     def send(self, delete_all=False, auto_commit=False, raise_exception=False):
         """ Main API method to send SMS.
 
@@ -76,7 +75,6 @@ class SmsSms(models.Model):
         for sms_batch in tools.split_every(batch_size, self.ids):
             yield sms_batch
 
-    @api.multi
     def _send(self, delete_all=False, raise_exception=False):
         """ This method tries to send SMS after checking the number (presence and
         formatting). """
@@ -129,7 +127,6 @@ class SmsSms(models.Model):
         if todelete_sms_ids:
             self.browse(todelete_sms_ids).sudo().unlink()
 
-    @api.multi
     def cancel(self):
         self.write({
             'state': 'canceled',
diff --git a/addons/sms/models/sms_template.py b/addons/sms/models/sms_template.py
index 6835bac7eb654c89aa1de7568d15ce307e9fe046..636e40bb534bcb6a5941a63b21094c9ee77eabe8 100644
--- a/addons/sms/models/sms_template.py
+++ b/addons/sms/models/sms_template.py
@@ -80,14 +80,12 @@ class SMSTemplate(models.Model):
             expression += "}"
         return expression
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         default = dict(default or {},
                        name=_("%s (copy)") % self.name)
         return super(SMSTemplate, self).copy(default=default)
 
-    @api.multi
     def _get_context_lang_per_id(self, res_ids):
         self.ensure_one()
         if res_ids is None:
@@ -104,7 +102,6 @@ class SMSTemplate(models.Model):
 
         return results
 
-    @api.multi
     def _get_ids_per_lang(self, res_ids):
         self.ensure_one()
 
diff --git a/addons/sms/wizard/sms_cancel.py b/addons/sms/wizard/sms_cancel.py
index 2b27b237920d1ed14f2704a8bb1c2aefee340e20..945b4d8d84374e018d840066bb5ba6815c91b60f 100644
--- a/addons/sms/wizard/sms_cancel.py
+++ b/addons/sms/wizard/sms_cancel.py
@@ -11,13 +11,11 @@ class SMSCancel(models.TransientModel):
     model = fields.Char(string='Model', required=True)
     help_message = fields.Char(string='Help message', compute='_compute_help_message')
 
-    @api.multi
     @api.depends('model')
     def _compute_help_message(self):
         for wizard in self:
             wizard.help_message = _("Are you sure you want to discard %s SMS delivery failures. You won't be able to re-send these SMS later!") % (wizard._context.get('unread_counter'))
 
-    @api.multi
     def action_cancel(self):
         # TDE CHECK: delete pending SMS
         author_id = self.env.user.partner_id.id
diff --git a/addons/sms/wizard/sms_resend.py b/addons/sms/wizard/sms_resend.py
index 10ae893fab81967a9e32e9522b9d46b633facd62..aad00074c6739abc1ea3903b6eac09e7fc874aef 100644
--- a/addons/sms/wizard/sms_resend.py
+++ b/addons/sms/wizard/sms_resend.py
@@ -61,7 +61,6 @@ class SMSResend(models.TransientModel):
         record.check_access_rights('read')
         record.check_access_rule('read')
 
-    @api.multi
     def action_resend(self):
         self._check_access()
 
@@ -98,7 +97,6 @@ class SMSResend(models.TransientModel):
         self.mail_message_id._notify_sms_update()
         return {'type': 'ir.actions.act_window_close'}
 
-    @api.multi
     def action_cancel(self):
         self._check_access()
 
@@ -107,7 +105,6 @@ class SMSResend(models.TransientModel):
         self.mail_message_id._notify_sms_update()
         return {'type': 'ir.actions.act_window_close'}
 
-    @api.multi
     def action_buy_credits(self):
         url = self.env['iap.account'].get_credits_url(service_name='sms')
         return {
diff --git a/addons/snailmail/models/ir_actions_report.py b/addons/snailmail/models/ir_actions_report.py
index b441d55c0fb11626286c913ca41e3e0a194cd5d8..91573ef4d7fbf608b0bbd4c70e2136f8687d4292 100644
--- a/addons/snailmail/models/ir_actions_report.py
+++ b/addons/snailmail/models/ir_actions_report.py
@@ -6,7 +6,6 @@ from odoo import models, fields, api, _
 class IrActionsReport(models.Model):
     _inherit = 'ir.actions.report'
 
-    @api.multi
     def retrieve_attachment(self, record):
         # Override this method in order to force to re-render the pdf in case of
         # using snailmail
diff --git a/addons/snailmail/models/mail_message.py b/addons/snailmail/models/mail_message.py
index f649455ca709800f616ed893f7a7922415699145..38364f75590ac1abe09fc0e95baaa87a41a6c1df 100644
--- a/addons/snailmail/models/mail_message.py
+++ b/addons/snailmail/models/mail_message.py
@@ -9,14 +9,12 @@ class Message(models.Model):
     letter_ids = fields.One2many(comodel_name='snailmail.letter', inverse_name='message_id')
     message_type = fields.Selection(selection_add=[('snailmail', 'Snailmail')])
 
-    @api.multi
     def _get_message_format_fields(self):
         res = super(Message, self)._get_message_format_fields()
         res.append('snailmail_error')
         res.append('snailmail_status')
         return res
 
-    @api.multi
     @api.depends('letter_ids', 'letter_ids.state')
     def _compute_snailmail_error(self):
         for message in self:
@@ -27,21 +25,17 @@ class Message(models.Model):
                 message.snailmail_error = False
                 message.snailmail_status = ''
 
-    @api.multi
     def _search_snailmail_error(self, operator, operand):
         if operator == '=' and operand:
             return ['&', ('letter_ids.state', '=', 'error'), ('letter_ids.user_id', '=', self.env.user.id)]
         return ['!', '&', ('letter_ids.state', '=', 'error'), ('letter_ids.user_id', '=', self.env.user.id)] 
 
-    @api.multi
     def cancel_letter(self):
         self.mapped('letter_ids').cancel()
 
-    @api.multi
     def send_letter(self):
         self.mapped('letter_ids')._snailmail_print()
 
-    @api.multi
     def message_fetch_failed(self):
         res = super(Message, self).message_fetch_failed()
         failed_letters = self.letter_ids.fetch_failed_letters()
diff --git a/addons/snailmail/models/res_partner.py b/addons/snailmail/models/res_partner.py
index c4b3b576bf007fcf5eba2beafcd9ab31da98e7ad..ce105b3685fe3541ff711b73551bff6a4c78f649 100644
--- a/addons/snailmail/models/res_partner.py
+++ b/addons/snailmail/models/res_partner.py
@@ -9,7 +9,6 @@ from odoo.addons.snailmail.country_utils import SNAILMAIL_COUNTRIES
 class ResPartner(models.Model):
     _inherit = "res.partner"
 
-    @api.multi
     def write(self, vals):
         letter_address_vals = {}
         address_fields = ['street', 'street2', 'city', 'zip', 'state_id', 'country_id']
@@ -23,7 +22,6 @@ class ResPartner(models.Model):
 
         return super(ResPartner, self).write(vals)
 
-    @api.multi
     def _get_country_name(self):
         # when sending a letter, thus rendering the report with the snailmail_layout,
         # we need to override the country name to its english version following the
diff --git a/addons/snailmail/models/snailmail_letter.py b/addons/snailmail/models/snailmail_letter.py
index b9e2fb554778f54f5de4ea7899a6c8726cc6d5f3..96b1a91e4c4e064b78231664a0b62193aa590587 100644
--- a/addons/snailmail/models/snailmail_letter.py
+++ b/addons/snailmail/models/snailmail_letter.py
@@ -95,7 +95,6 @@ class SnailmailLetter(models.Model):
         })
         return super(SnailmailLetter, self).create(vals)
 
-    @api.multi
     def _fetch_attachment(self):
         """
         This method will check if we have any existent attachement matching the model
@@ -141,7 +140,6 @@ class SnailmailLetter(models.Model):
             pages = int(match.group(1))
         return pages
 
-    @api.multi
     def _snailmail_create(self, route):
         """
         Create a dictionnary object to send to snailmail server.
@@ -271,7 +269,6 @@ class SnailmailLetter(models.Model):
             return _('An unknown error happened. Please contact the support.')
         return error
 
-    @api.multi
     def _snailmail_print(self, immediate=True):
         valid_address_letters = self.filtered(lambda l: l._is_valid_address(l))
         invalid_address_letters = self - valid_address_letters
@@ -280,7 +277,6 @@ class SnailmailLetter(models.Model):
             valid_address_letters._snailmail_print_valid_address()
         self.env.cr.commit()
 
-    @api.multi
     def _snailmail_print_invalid_address(self):
         for letter in self:
             letter.write({
@@ -290,7 +286,6 @@ class SnailmailLetter(models.Model):
             })
         self.send_snailmail_update()
 
-    @api.multi
     def _snailmail_print_valid_address(self):
         """
         get response
@@ -326,7 +321,6 @@ class SnailmailLetter(models.Model):
             letter.write(letter_data)
         self.send_snailmail_update()
 
-    @api.multi
     def send_snailmail_update(self):
         notifications = []
         for letter in self:
@@ -336,11 +330,9 @@ class SnailmailLetter(models.Model):
             ])
         self.env['bus.bus'].sendmany(notifications)
 
-    @api.multi
     def snailmail_print(self):
         self._snailmail_print()
 
-    @api.multi
     def cancel(self):
         self.write({'state': 'canceled', 'error_code': False})
         self.send_snailmail_update()
@@ -367,7 +359,6 @@ class SnailmailLetter(models.Model):
         required_keys = ['street', 'city', 'zip', 'country_id']
         return all(record[key] for key in required_keys)
 
-    @api.multi
     def _format_snailmail_failures(self):
         """
         A shorter message to notify a failure update
diff --git a/addons/snailmail/wizard/snailmail_letter_cancel.py b/addons/snailmail/wizard/snailmail_letter_cancel.py
index 3cb5aa1621ca4983d473ee5a71287d5e1abe54c6..d27eb80131434527b54d0b9e56c2e8b5b730fd6e 100644
--- a/addons/snailmail/wizard/snailmail_letter_cancel.py
+++ b/addons/snailmail/wizard/snailmail_letter_cancel.py
@@ -8,13 +8,11 @@ class SnailmailLetterCancel(models.TransientModel):
     model = fields.Char(string='Model')
     help_message = fields.Char(string='Help message', compute='_compute_help_message')
 
-    @api.multi
     @api.depends('model')
     def _compute_help_message(self):
         for wizard in self:
             wizard.help_message = _("Are you sure you want to discard %s snailmail delivery failures. You won't be able to re-send these letters later!") % (wizard._context.get('unread_counter'))
 
-    @api.multi
     def cancel_resend_action(self):
         author_id = self.env.user.id
         for wizard in self:
diff --git a/addons/snailmail/wizard/snailmail_letter_format_error.py b/addons/snailmail/wizard/snailmail_letter_format_error.py
index 0f830dd4ce67b7002ee55eb779b927777e03b927..d8b6c06bd6926f7343816d406291a19e4bd1b9e8 100644
--- a/addons/snailmail/wizard/snailmail_letter_format_error.py
+++ b/addons/snailmail/wizard/snailmail_letter_format_error.py
@@ -18,7 +18,6 @@ class SnailmailLetterFormatError(models.TransientModel):
         })
         return res
 
-    @api.multi
     def update_resend_action(self):
         self.env.company.write({'snailmail_cover': self.snailmail_cover})
         letters_to_resend = self.env['snailmail.letter'].search([
@@ -29,6 +28,5 @@ class SnailmailLetterFormatError(models.TransientModel):
             letter.write({'cover': self.snailmail_cover})
             letter.snailmail_print()
 
-    @api.multi
     def cancel_letter_action(self):
         self.message_id.cancel_letter()
diff --git a/addons/snailmail/wizard/snailmail_letter_missing_required_fields.py b/addons/snailmail/wizard/snailmail_letter_missing_required_fields.py
index a6b82807be9ddef84b06c1936ed80da98b01321c..63326ab63c545b290a0c16c43a423f54f526489a 100644
--- a/addons/snailmail/wizard/snailmail_letter_missing_required_fields.py
+++ b/addons/snailmail/wizard/snailmail_letter_missing_required_fields.py
@@ -31,11 +31,9 @@ class SnailmailLetterMissingRequiredFields(models.TransientModel):
         })
         return rec
 
-    @api.multi
     def update_address_cancel(self):
         self.letter_id.cancel()
 
-    @api.multi
     def update_address_save(self):
         address_data = {
             'street': self.street,
diff --git a/addons/snailmail_account/wizard/account_invoice_send.py b/addons/snailmail_account/wizard/account_invoice_send.py
index 58aa0c6c4b119cb8717a95dc110056b2a5ac6c65..bf6471b76cde78cc517db0f1e3b2f8fbc022a5ab 100644
--- a/addons/snailmail_account/wizard/account_invoice_send.py
+++ b/addons/snailmail_account/wizard/account_invoice_send.py
@@ -16,7 +16,6 @@ class AccountInvoiceSend(models.TransientModel):
     invalid_addresses = fields.Integer('Invalid Addresses Count', compute='_compute_invalid_addresses')
     invalid_invoice_ids = fields.Many2many('account.move', string='Invalid Addresses', compute='_compute_invalid_addresses')
 
-    @api.multi
     @api.depends('invoice_ids')
     def _compute_invalid_addresses(self):
         for wizard in self:
@@ -24,20 +23,17 @@ class AccountInvoiceSend(models.TransientModel):
             wizard.invalid_invoice_ids = invalid_invoices
             wizard.invalid_addresses = len(invalid_invoices)
 
-    @api.multi
     @api.depends('invoice_ids')
     def _get_partner(self):
         for wizard in self:
             if wizard.invoice_ids and len(wizard.invoice_ids) == 1:
                 wizard.partner_id = wizard.invoice_ids.partner_id.id
 
-    @api.multi
     @api.depends('snailmail_is_letter')
     def _compute_snailmail_cost(self):
         for wizard in self:
             wizard.snailmail_cost = len(wizard.invoice_ids.ids)
 
-    @api.multi
     def snailmail_print_action(self):
         self.ensure_one()
         letters = self.env['snailmail.letter']
@@ -58,7 +54,6 @@ class AccountInvoiceSend(models.TransientModel):
         else:
             letters._snailmail_print(immediate=False)
 
-    @api.multi
     def send_and_print_action(self):
         if self.snailmail_is_letter:
             if self.invalid_addresses and self.composition_mode == "mass_mail":
@@ -67,7 +62,6 @@ class AccountInvoiceSend(models.TransientModel):
         res = super(AccountInvoiceSend, self).send_and_print_action()
         return res
 
-    @api.multi
     def notify_invalid_addresses(self):
         self.ensure_one()
         self.env['bus.bus'].sendone(
@@ -76,7 +70,6 @@ class AccountInvoiceSend(models.TransientModel):
             'message': _("%s of the selected invoice(s) had an invalid address and were not sent") % self.invalid_addresses}
         )
 
-    @api.multi
     def invalid_addresses_action(self):
         return {
             'name': _('Invalid Addresses'),
diff --git a/addons/stock/models/res_config_settings.py b/addons/stock/models/res_config_settings.py
index c6f52d3d258db2ad3c1af686e4c16f65fd3f988d..5c1bedc62d51cb21b8c10cabfc512e9b957c900a 100644
--- a/addons/stock/models/res_config_settings.py
+++ b/addons/stock/models/res_config_settings.py
@@ -59,7 +59,6 @@ class ResConfigSettings(models.TransientModel):
         if self.group_stock_adv_location and not self.group_stock_multi_locations:
             self.group_stock_multi_locations = True
 
-    @api.multi
     def set_values(self):
         super(ResConfigSettings, self).set_values()
 
diff --git a/addons/stock/models/stock_move.py b/addons/stock/models/stock_move.py
index 14e62ac4e585d2fdabcf51e35f599d41452f0321..b1a8abde76c979479a6a0e858bff240ebd981f8e 100644
--- a/addons/stock/models/stock_move.py
+++ b/addons/stock/models/stock_move.py
@@ -224,7 +224,6 @@ class StockMove(models.Model):
             else:
                 move.is_initial_demand_editable = False
 
-    @api.multi
     @api.depends('state', 'picking_id', 'product_id')
     def _compute_is_quantity_done_editable(self):
         for move in self:
@@ -295,7 +294,6 @@ class StockMove(models.Model):
         detect errors. """
         raise UserError(_('The requested operation cannot be processed because of a programming error setting the `product_qty` field instead of the `product_uom_qty`.'))
 
-    @api.multi
     @api.depends('move_line_ids.product_qty')
     def _compute_reserved_availability(self):
         """ Fill the `availability` field on a stock move, which is the actual reserved quantity
diff --git a/addons/stock/models/stock_picking.py b/addons/stock/models/stock_picking.py
index 86e1e4fc8351a7f13d373521ec11ee96ca1d1979..fc4811e9af7dcd1ce56ca97b80931cf592ac48ba 100644
--- a/addons/stock/models/stock_picking.py
+++ b/addons/stock/models/stock_picking.py
@@ -408,7 +408,6 @@ class Picking(models.Model):
                 for move in picking.move_lines
             )
 
-    @api.multi
     @api.depends('state', 'move_lines')
     def _compute_show_mark_as_todo(self):
         for picking in self:
@@ -421,7 +420,6 @@ class Picking(models.Model):
             else:
                 picking.show_mark_as_todo = True
 
-    @api.multi
     @api.depends('state', 'is_locked')
     def _compute_show_validate(self):
         for picking in self:
@@ -488,7 +486,6 @@ class Picking(models.Model):
         res._autoconfirm_picking()
         return res
 
-    @api.multi
     def write(self, vals):
         res = super(Picking, self).write(vals)
         # Change locations of moves if those of the picking change
@@ -514,7 +511,6 @@ class Picking(models.Model):
             (self - pickings_to_not_autoconfirm)._autoconfirm_picking()
         return res
 
-    @api.multi
     def unlink(self):
         self.mapped('move_lines')._action_cancel()
         self.mapped('move_lines').unlink() # Checks if moves are not done
@@ -531,12 +527,10 @@ class Picking(models.Model):
         for picking in self:
             picking.move_lines.write({'partner_id': picking.partner_id.id})
 
-    @api.multi
     def do_print_picking(self):
         self.write({'printed': True})
         return self.env.ref('stock.action_report_picking').report_action(self)
 
-    @api.multi
     def action_confirm(self):
         self.mapped('package_level_ids').filtered(lambda pl: pl.state == 'draft' and not pl.move_ids)._generate_moves()
         # call `_action_confirm` on every draft move
@@ -548,7 +542,6 @@ class Picking(models.Model):
             .mapped('move_lines')._action_assign()
         return True
 
-    @api.multi
     def action_assign(self):
         """ Check availability of picking moves.
         This has the effect of changing the state and reserve quants on available moves, and may
@@ -567,13 +560,11 @@ class Picking(models.Model):
         package_level_done.write({'is_done': True})
         return True
 
-    @api.multi
     def action_cancel(self):
         self.mapped('move_lines')._action_cancel()
         self.write({'is_locked': True})
         return True
 
-    @api.multi
     def action_done(self):
         """Changes picking state to done by processing the Stock Moves of the Picking
 
@@ -664,7 +655,6 @@ class Picking(models.Model):
             all_in = False
         return all_in
 
-    @api.multi
     def _check_entire_pack(self):
         """ This function check if entire packs are moved in the picking"""
         for picking in self:
@@ -697,13 +687,11 @@ class Picking(models.Model):
                             'package_level_id': package_level_ids[0].id,
                         })
 
-    @api.multi
     def do_unreserve(self):
         for picking in self:
             picking.move_lines._do_unreserve()
             picking.package_level_ids.filtered(lambda p: not p.move_ids).unlink()
 
-    @api.multi
     def button_validate(self):
         self.ensure_one()
         if not self.move_lines and not self.move_line_ids:
@@ -811,7 +799,6 @@ class Picking(models.Model):
             quantity_done[pack.product_id.id] += pack.product_uom_id._compute_quantity(pack.qty_done, pack.product_id.uom_id)
         return any(quantity_done[x] < quantity_todo.get(x, 0) for x in quantity_done)
 
-    @api.multi
     def _autoconfirm_picking(self):
         for picking in self.filtered(lambda picking: picking.immediate_transfer and picking.state not in ('done', 'cancel') and (picking.move_lines or picking.package_level_ids)):
             picking.action_confirm()
diff --git a/addons/stock/models/stock_production_lot.py b/addons/stock/models/stock_production_lot.py
index 3e4b9c2667fb10ced8457f523b2c4e24760ce5e2..926b4696d705020ad9ebf3180e1f84b0c6552681 100644
--- a/addons/stock/models/stock_production_lot.py
+++ b/addons/stock/models/stock_production_lot.py
@@ -51,7 +51,6 @@ class ProductionLot(models.Model):
         self._check_create()
         return super(ProductionLot, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         if 'product_id' in vals and any([vals['product_id'] != lot.product_id.id for lot in self]):
             move_lines = self.env['stock.move.line'].search([('lot_id', 'in', self.ids)])
diff --git a/addons/stock/models/stock_scrap.py b/addons/stock/models/stock_scrap.py
index 85f297fd77fb192ac96445bd5718d73115c5dd6a..ef46ee31532d8d0bf357662a43a2cffc596a02a8 100644
--- a/addons/stock/models/stock_scrap.py
+++ b/addons/stock/models/stock_scrap.py
@@ -114,7 +114,6 @@ class StockScrap(models.Model):
             'picking_id': self.picking_id.id
         }
 
-    @api.multi
     def do_scrap(self):
         for scrap in self:
             move = self.env['stock.move'].create(scrap._prepare_move_values())
diff --git a/addons/stock/wizard/stock_overprocessed_transfer.py b/addons/stock/wizard/stock_overprocessed_transfer.py
index 7652d96010cb44ef912d3fbe9ec356110fbdc97b..99be73905ceea42abea0c2258a725f47c7427838 100644
--- a/addons/stock/wizard/stock_overprocessed_transfer.py
+++ b/addons/stock/wizard/stock_overprocessed_transfer.py
@@ -13,13 +13,11 @@ class StockOverProcessedTransfer(models.TransientModel):
     overprocessed_product_name = fields.Char(compute='_compute_overprocessed_product_name',
                                              readonly=True)
 
-    @api.multi
     def _compute_overprocessed_product_name(self):
         for wizard in self:
             moves = wizard.picking_id._get_overprocessed_stock_moves()
             wizard.overprocessed_product_name = moves[0].product_id.display_name
 
-    @api.multi
     def action_confirm(self):
         self.ensure_one()
         return self.picking_id.with_context(skip_overprocessed_check=True).button_validate()
diff --git a/addons/stock_account/models/account_chart_template.py b/addons/stock_account/models/account_chart_template.py
index ccdd8df0394f7fdcd9df4411e7ada7971575d1cb..16796b947c516147ed6529d69a08e17bbd4afe73 100644
--- a/addons/stock_account/models/account_chart_template.py
+++ b/addons/stock_account/models/account_chart_template.py
@@ -15,7 +15,6 @@ class AccountChartTemplate(models.Model):
         journal_to_add = [{'name': _('Inventory Valuation'), 'type': 'general', 'code': 'STJ', 'favorite': False, 'sequence': 8}]
         return super(AccountChartTemplate, self).generate_journals(acc_template_ref=acc_template_ref, company=company, journals_dict=journal_to_add)
 
-    @api.multi
     def generate_properties(self, acc_template_ref, company, property_list=None):
         res = super(AccountChartTemplate, self).generate_properties(acc_template_ref=acc_template_ref, company=company)
         PropertyObj = self.env['ir.property']  # Property Stock Journal
diff --git a/addons/stock_account/models/account_move.py b/addons/stock_account/models/account_move.py
index 4c1b7f5d8432ef7e24c64f0a653bb28a7df0c1cb..abf4f6ff25269af40e9d8e4017e039471cf7559a 100644
--- a/addons/stock_account/models/account_move.py
+++ b/addons/stock_account/models/account_move.py
@@ -13,7 +13,6 @@ class AccountMove(models.Model):
     # OVERRIDE METHODS
     # -------------------------------------------------------------------------
 
-    @api.multi
     def _reverse_move_vals(self, default_values, cancel=True):
         # OVERRIDE
         # Don't keep anglo-saxon lines if not cancelling an existing invoice.
@@ -22,7 +21,6 @@ class AccountMove(models.Model):
             move_vals['line_ids'] = [vals for vals in move_vals['line_ids'] if not vals[2]['is_anglo_saxon_line']]
         return move_vals
 
-    @api.multi
     def post(self):
         # OVERRIDE
 
@@ -40,7 +38,6 @@ class AccountMove(models.Model):
         self._stock_account_anglo_saxon_reconcile_valuation()
         return res
 
-    @api.multi
     def button_cancel(self):
         # OVERRIDE
         res = super(AccountMove, self).button_cancel()
@@ -53,7 +50,6 @@ class AccountMove(models.Model):
     # COGS METHODS
     # -------------------------------------------------------------------------
 
-    @api.multi
     def _stock_account_prepare_anglo_saxon_out_lines_vals(self):
         ''' Prepare values used to create the journal items (account.move.line) corresponding to the Cost of Good Sold
         lines (COGS) for customer invoices.
@@ -205,7 +201,6 @@ class AccountMoveLine(models.Model):
 
     is_anglo_saxon_line = fields.Boolean(help="Technical field used to retrieve the anglo-saxon lines.")
 
-    @api.multi
     def _get_computed_account(self):
         # OVERRIDE to use the stock input account by default on vendor bills when dealing
         # with anglo-saxon accounting.
@@ -219,7 +214,6 @@ class AccountMoveLine(models.Model):
                 return accounts['stock_input']
         return super(AccountMoveLine, self)._get_computed_account()
 
-    @api.multi
     def _stock_account_get_anglo_saxon_price_unit(self):
         self.ensure_one()
         if not self.product_id:
diff --git a/addons/stock_account/models/product.py b/addons/stock_account/models/product.py
index af80747ad9ce9fc563b72d3a0b8783eb16d71848..b59255421d5bc1acd4c6d3e3d3a04bab75d87787 100644
--- a/addons/stock_account/models/product.py
+++ b/addons/stock_account/models/product.py
@@ -67,7 +67,6 @@ class ProductTemplate(models.Model):
     def _is_cost_method_standard(self):
         return self.categ_id.property_cost_method == 'standard'
 
-    @api.multi
     def _get_product_accounts(self):
         """ Add the stock accounts related to product to the result of super()
         @return: dictionary which contains information regarding stock accounts and super (income+expense accounts)
@@ -81,7 +80,6 @@ class ProductTemplate(models.Model):
         })
         return accounts
 
-    @api.multi
     def get_product_accounts(self, fiscal_pos=None):
         """ Add the stock journal related to product to the result of super()
         @return: dictionary which contains all needed information regarding stock accounts and journal and super (income+expense accounts)
diff --git a/addons/stock_account/models/stock_move.py b/addons/stock_account/models/stock_move.py
index 0e92ab4b4c97069edb00a510cb990fed69da6cb2..cd77791fd02d61775cbc1f1f84f209a33d79332e 100644
--- a/addons/stock_account/models/stock_move.py
+++ b/addons/stock_account/models/stock_move.py
@@ -19,7 +19,6 @@ class StockMove(models.Model):
     account_move_ids = fields.One2many('account.move', 'stock_move_id')
     stock_valuation_layer_ids = fields.One2many('stock.valuation.layer', 'stock_move_id')
 
-    @api.multi
     def action_get_account_moves(self):
         self.ensure_one()
         action_ref = self.env.ref('account.action_move_journal_line')
@@ -284,7 +283,6 @@ class StockMove(models.Model):
             if company_src and company_dst and company_src.id != company_dst.id:
                 raise UserError(_("The move lines are not in a consistent states: they are doing an intercompany in a single step while they should go through the intercompany transit location."))
 
-    @api.multi
     def product_price_update_before_done(self, forced_qty=None):
         tmpl_dict = defaultdict(lambda: 0.0)
         # adapt standard price on incomming moves if the product cost_method is 'average'
@@ -314,7 +312,6 @@ class StockMove(models.Model):
             move.product_id.with_context(force_company=move.company_id.id).sudo().write({'standard_price': new_std_price})
             std_price_update[move.company_id.id, move.product_id.id] = new_std_price
 
-    @api.multi
     def _get_accounting_data_for_valuation(self):
         """ Return the accounts and journal to use to post Journal Entries for
         the real-time valuation of the quant. """
diff --git a/addons/stock_account/wizard/stock_change_standard_price.py b/addons/stock_account/wizard/stock_change_standard_price.py
index 1834b90d441e81511335b1eb1e0c6b46ef7272fa..e1c62bd5f5a8d6febbad71b01d2f91fe132a61a1 100644
--- a/addons/stock_account/wizard/stock_change_standard_price.py
+++ b/addons/stock_account/wizard/stock_change_standard_price.py
@@ -30,7 +30,6 @@ class StockChangeStandardPrice(models.TransientModel):
         res['counterpart_account_id_required'] = bool(product_or_template.valuation == 'real_time')
         return res
 
-    @api.multi
     def change_price(self):
         """ Changes the Standard Price of Product and creates an account move accordingly. """
         self.ensure_one()
diff --git a/addons/stock_dropshipping/models/purchase.py b/addons/stock_dropshipping/models/purchase.py
index 7fee03bc250ef687ff9860f66c6e3db5135047a6..a7d8e02a949d067d2ded2053a030bda5604c9565 100644
--- a/addons/stock_dropshipping/models/purchase.py
+++ b/addons/stock_dropshipping/models/purchase.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class PurchaseOrderLine(models.Model):
     _inherit = "purchase.order.line"
 
-    @api.multi
     def _prepare_stock_moves(self, picking):
         res = super(PurchaseOrderLine, self)._prepare_stock_moves(picking)
         for re in res:
diff --git a/addons/stock_dropshipping/models/sale.py b/addons/stock_dropshipping/models/sale.py
index e80b7433e290c6318f346443f552a618cceb0b8b..3f136c605d7992cc6f5e20bdd5dc88d85003b9da 100644
--- a/addons/stock_dropshipping/models/sale.py
+++ b/addons/stock_dropshipping/models/sale.py
@@ -9,7 +9,6 @@ class SaleOrderLine(models.Model):
 
     purchase_line_ids = fields.One2many('purchase.order.line', 'sale_line_id')
 
-    @api.multi
     def _get_qty_procurement(self, previous_product_uom_qty):
         # People without purchase rights should be able to do this operation
         purchase_lines_sudo = self.sudo().purchase_line_ids
diff --git a/addons/stock_landed_costs/models/stock_landed_cost.py b/addons/stock_landed_costs/models/stock_landed_cost.py
index cdd1832ca1c4380d18d32bfc9a3d6b7fd69b47e9..91f86a814e35d04a25327ab141ddafcaef786279 100644
--- a/addons/stock_landed_costs/models/stock_landed_cost.py
+++ b/addons/stock_landed_costs/models/stock_landed_cost.py
@@ -60,25 +60,21 @@ class LandedCost(models.Model):
             vals['name'] = self.env['ir.sequence'].next_by_code('stock.landed.cost')
         return super(LandedCost, self).create(vals)
 
-    @api.multi
     def unlink(self):
         self.button_cancel()
         return super(LandedCost, self).unlink()
 
-    @api.multi
     def _track_subtype(self, init_values):
         if 'state' in init_values and self.state == 'done':
             return self.env.ref('stock_landed_costs.mt_stock_landed_cost_open')
         return super(LandedCost, self)._track_subtype(init_values)
 
-    @api.multi
     def button_cancel(self):
         if any(cost.state == 'done' for cost in self):
             raise UserError(
                 _('Validated landed costs cannot be cancelled, but you could create negative landed costs to reverse them'))
         return self.write({'state': 'cancel'})
 
-    @api.multi
     def button_validate(self):
         if any(cost.state != 'draft' for cost in self):
             raise UserError(_('Only draft landed costs can be validated'))
@@ -171,7 +167,6 @@ class LandedCost(models.Model):
             raise UserError(_("You cannot apply landed costs on the chosen transfer(s). Landed costs can only be applied for products with automated inventory valuation and FIFO or average costing method."))
         return lines
 
-    @api.multi
     def compute_landed_cost(self):
         AdjustementLines = self.env['stock.valuation.adjustment.lines']
         AdjustementLines.search([('cost_id', 'in', self.ids)]).unlink()
diff --git a/addons/stock_picking_batch/models/stock_picking_batch.py b/addons/stock_picking_batch/models/stock_picking_batch.py
index 88592e9209e82bbda0edf9a9290dbfc528ea1650..9934bd1e68144abc7b9d0ca05709839787088e4f 100644
--- a/addons/stock_picking_batch/models/stock_picking_batch.py
+++ b/addons/stock_picking_batch/models/stock_picking_batch.py
@@ -34,25 +34,21 @@ class StockPickingBatch(models.Model):
             vals['name'] = self.env['ir.sequence'].next_by_code('picking.batch') or '/'
         return super(StockPickingBatch, self).create(vals)
 
-    @api.multi
     def confirm_picking(self):
         pickings_todo = self.mapped('picking_ids')
         self.write({'state': 'in_progress'})
         return pickings_todo.action_assign()
 
-    @api.multi
     def cancel_picking(self):
         self.mapped('picking_ids').action_cancel()
         return self.write({'state': 'cancel'})
 
-    @api.multi
     def print_picking(self):
         pickings = self.mapped('picking_ids')
         if not pickings:
             raise UserError(_('Nothing to print.'))
         return self.env.ref('stock_picking_batch.action_report_picking_batch').report_action(self)
 
-    @api.multi
     def done(self):
         pickings = self.mapped('picking_ids').filtered(lambda picking: picking.state not in ('cancel', 'done'))
         if any(picking.state not in ('assigned') for picking in pickings):
diff --git a/addons/stock_picking_batch/wizard/stock_immediate_transfer.py b/addons/stock_picking_batch/wizard/stock_immediate_transfer.py
index 9361d18dbe30380697a9f171915a6c39ea6b0cc2..9997800934f07a1787585238a34ac2c0abdc432e 100644
--- a/addons/stock_picking_batch/wizard/stock_immediate_transfer.py
+++ b/addons/stock_picking_batch/wizard/stock_immediate_transfer.py
@@ -7,7 +7,6 @@ class StockImmediateTransfer(models.TransientModel):
 
     pick_to_backorder_ids = fields.Many2many('stock.picking', help='Picking to backorder')
 
-    @api.multi
     def process(self):
         backorder_wizard_dict = super(StockImmediateTransfer, self).process()
         # If the immediate transfer wizard process all our picking but with some back order maybe needed we want to add the backorder already passed to the wizard.
diff --git a/addons/stock_picking_batch/wizard/stock_picking_to_batch.py b/addons/stock_picking_batch/wizard/stock_picking_to_batch.py
index 4739e39670e05a5cf3e2c8a0f9d9ba00fa881e83..00dc7398816a4cc0c36e7ad89e41ac1663df6e81 100644
--- a/addons/stock_picking_batch/wizard/stock_picking_to_batch.py
+++ b/addons/stock_picking_batch/wizard/stock_picking_to_batch.py
@@ -10,7 +10,6 @@ class StockPickingToBatch(models.TransientModel):
 
     batch_id = fields.Many2one('stock.picking.batch', string='Batch Picking', oldname="wave_id")
 
-    @api.multi
     def attach_pickings(self):
         # use active_ids to add picking line to the selected batch
         self.ensure_one()
diff --git a/addons/survey/models/survey_question.py b/addons/survey/models/survey_question.py
index f84a5c41aba0e1375a70fde4d185208c0f11ead9..7337b79c3030e2f59500de15f83c671592362a96 100644
--- a/addons/survey/models/survey_question.py
+++ b/addons/survey/models/survey_question.py
@@ -141,7 +141,6 @@ class SurveyQuestion(models.Model):
 
     # Validation methods
 
-    @api.multi
     def validate_question(self, post, answer_tag):
         """ Validate question, depending on question type and parameters """
         self.ensure_one()
@@ -153,7 +152,6 @@ class SurveyQuestion(models.Model):
         else:
             return checker(post, answer_tag)
 
-    @api.multi
     def validate_free_text(self, post, answer_tag):
         self.ensure_one()
         errors = {}
@@ -163,7 +161,6 @@ class SurveyQuestion(models.Model):
             errors.update({answer_tag: self.constr_error_msg})
         return errors
 
-    @api.multi
     def validate_textbox(self, post, answer_tag):
         self.ensure_one()
         errors = {}
@@ -186,7 +183,6 @@ class SurveyQuestion(models.Model):
                 errors.update({answer_tag: self.validation_error_msg})
         return errors
 
-    @api.multi
     def validate_numerical_box(self, post, answer_tag):
         self.ensure_one()
         errors = {}
@@ -253,15 +249,12 @@ class SurveyQuestion(models.Model):
                 pass
         return errors
 
-    @api.multi
     def validate_date(self, post, answer_tag):
         return self.date_validation('date', post, answer_tag, self.validation_min_date, self.validation_max_date)
 
-    @api.multi
     def validate_datetime(self, post, answer_tag):
         return self.date_validation('datetime', post, answer_tag, self.validation_min_datetime, self.validation_max_datetime)
 
-    @api.multi
     def validate_simple_choice(self, post, answer_tag):
         self.ensure_one()
         errors = {}
@@ -277,7 +270,6 @@ class SurveyQuestion(models.Model):
             errors.update({answer_tag: self.constr_error_msg})
         return errors
 
-    @api.multi
     def validate_multiple_choice(self, post, answer_tag):
         self.ensure_one()
         errors = {}
@@ -297,7 +289,6 @@ class SurveyQuestion(models.Model):
                 errors.update({answer_tag: self.constr_error_msg})
         return errors
 
-    @api.multi
     def validate_matrix(self, post, answer_tag):
         self.ensure_one()
         errors = {}
@@ -317,7 +308,6 @@ class SurveyQuestion(models.Model):
                 errors.update({answer_tag: self.constr_error_msg})
         return errors
 
-    @api.multi
     @api.depends('survey_id.question_and_page_ids.is_page', 'survey_id.question_and_page_ids.sequence')
     def _compute_question_ids(self):
         """Will take all questions of the survey for which the index is higher than the index of this page
@@ -335,7 +325,6 @@ class SurveyQuestion(models.Model):
             else:
                 question.question_ids = self.env['survey.question']
 
-    @api.multi
     @api.depends('survey_id.question_and_page_ids.is_page', 'survey_id.question_and_page_ids.sequence')
     def _compute_page_id(self):
         """Will find the page to which this question belongs to by looking inside the corresponding survey"""
@@ -352,7 +341,6 @@ class SurveyQuestion(models.Model):
                     None
                 )
 
-    @api.multi
     def _index(self):
         """We would normally just use the 'sequence' field of questions BUT, if the pages and questions are
         created without ever moving records around, the sequence field can be set to 0 for all the questions.
diff --git a/addons/survey/models/survey_survey.py b/addons/survey/models/survey_survey.py
index 896430e078c559fc54a6429b9398767d4b1c9ef3..1fa5543322c76cac83c8a803d626cc19cd80a43a 100644
--- a/addons/survey/models/survey_survey.py
+++ b/addons/survey/models/survey_survey.py
@@ -116,7 +116,6 @@ class Survey(models.Model):
             'Certification badge must be configured if Give Badge is set.'),
     ]
 
-    @api.multi
     def _compute_users_can_signup(self):
         signup_allowed = self.env['res.users'].sudo()._get_signup_invitation_scope() == 'b2c'
         for survey in self:
@@ -221,7 +220,6 @@ class Survey(models.Model):
         default = dict(default or {}, title=title)
         return super(Survey, self).copy_data(default)
 
-    @api.multi
     def _create_answer(self, user=False, partner=False, email=False, test_entry=False, check_attempts=True, **additional_vals):
         """ Main entry point to get a token back or create a new one. This method
         does check for current user access in order to explicitely validate
@@ -268,7 +266,6 @@ class Survey(models.Model):
 
         return answers
 
-    @api.multi
     def _check_answer_creation(self, user, partner, email, test_entry=False, check_attempts=True, invite_token=False):
         """ Ensure conditions to create new tokens are met. """
         self.ensure_one()
@@ -344,7 +341,6 @@ class Survey(models.Model):
             else:
                 return (pages_or_questions[current_page_index + 1][1], False)
 
-    @api.multi
     def filter_input_ids(self, filters, finished=False):
         """If user applies any filters, then this function returns list of
            filtered user_input_id and label's strings for display data in web.
@@ -469,7 +465,6 @@ class Survey(models.Model):
 
         return result
 
-    @api.multi
     def _create_certification_badge_trigger(self):
         self.ensure_one()
         goal = self.env['gamification.goal.definition'].create({
@@ -501,7 +496,6 @@ class Survey(models.Model):
             'target_goal': 1
         })
 
-    @api.multi
     def _handle_certification_badges(self, vals):
         if vals.get('certification_give_badge'):
             # If badge already set on records, reactivate the ones that are not active.
@@ -523,19 +517,15 @@ class Survey(models.Model):
 
     # Actions
 
-    @api.multi
     def action_draft(self):
         self.write({'state': 'draft'})
 
-    @api.multi
     def action_open(self):
         self.write({'state': 'open'})
 
-    @api.multi
     def action_close(self):
         self.write({'state': 'closed'})
 
-    @api.multi
     def action_start_survey(self):
         """ Open the website page with the survey form """
         self.ensure_one()
@@ -548,7 +538,6 @@ class Survey(models.Model):
             'url': self.public_url + trail
         }
 
-    @api.multi
     def action_send_survey(self):
         """ Open a window to compose an email, pre-filled with the survey message """
         # Ensure that this survey has at least one page with at least one question.
@@ -575,7 +564,6 @@ class Survey(models.Model):
             'context': local_context,
         }
 
-    @api.multi
     def action_print_survey(self):
         """ Open the website page with the survey printable view """
         self.ensure_one()
@@ -588,7 +576,6 @@ class Survey(models.Model):
             'url': '/survey/print/%s%s' % (self.access_token, trail)
         }
 
-    @api.multi
     def action_result_survey(self):
         """ Open the website page with the survey results view """
         self.ensure_one()
@@ -599,7 +586,6 @@ class Survey(models.Model):
             'url': '/survey/results/%s' % self.id
         }
 
-    @api.multi
     def action_test_survey(self):
         ''' Open the website page with the survey form into test mode'''
         self.ensure_one()
@@ -610,7 +596,6 @@ class Survey(models.Model):
             'url': '/survey/test/%s' % self.access_token,
         }
 
-    @api.multi
     def action_survey_user_input_completed(self):
         action_rec = self.env.ref('survey.action_survey_user_input_notest')
         action = action_rec.read()[0]
@@ -620,7 +605,6 @@ class Survey(models.Model):
         action['context'] = ctx
         return action
 
-    @api.multi
     def action_survey_user_input_certified(self):
         action_rec = self.env.ref('survey.action_survey_user_input_notest')
         action = action_rec.read()[0]
@@ -630,7 +614,6 @@ class Survey(models.Model):
         action['context'] = ctx
         return action
 
-    @api.multi
     def action_survey_user_input_invite(self):
         action_rec = self.env.ref('survey.action_survey_user_input_notest')
         action = action_rec.read()[0]
@@ -640,7 +623,6 @@ class Survey(models.Model):
         action['context'] = ctx
         return action
 
-    @api.multi
     def _has_attempts_left(self, partner, email, invite_token):
         self.ensure_one()
 
@@ -649,7 +631,6 @@ class Survey(models.Model):
 
         return True
 
-    @api.multi
     def _get_number_of_attempts_lefts(self, partner, email, invite_token):
         """ Returns the number of attempts left. """
         self.ensure_one()
@@ -670,7 +651,6 @@ class Survey(models.Model):
 
         return self.attempts_limit - self.env['survey.user_input'].search_count(domain)
 
-    @api.multi
     def _prepare_answer_questions(self):
         """ Will generate the questions for a randomized survey.
         It uses the random_questions_count of every sections of the survey to
diff --git a/addons/survey/models/survey_user.py b/addons/survey/models/survey_user.py
index 4bbee52d030259364d04086d53976fcda4d3df7a..764571e103e7e2c339c7fcd5dbe8367461c64801 100644
--- a/addons/survey/models/survey_user.py
+++ b/addons/survey/models/survey_user.py
@@ -66,7 +66,6 @@ class SurveyUserInput(models.Model):
     # Stored for performance reasons while displaying results page
     quizz_passed = fields.Boolean('Quizz Passed', compute='_compute_quizz_passed', store=True, compute_sudo=True)
 
-    @api.multi
     @api.depends('user_input_line_ids.answer_score', 'user_input_line_ids.question_id')
     def _compute_quizz_score(self):
         for user_input in self:
@@ -81,7 +80,6 @@ class SurveyUserInput(models.Model):
                 score = (sum(user_input.user_input_line_ids.mapped('answer_score')) / total_possible_score) * 100
                 user_input.quizz_score = round(score, 2) if score > 0 else 0
 
-    @api.multi
     @api.depends('quizz_score', 'survey_id.passing_score')
     def _compute_quizz_passed(self):
         for user_input in self:
@@ -105,7 +103,6 @@ class SurveyUserInput(models.Model):
     def _generate_invite_token(self):
         return str(uuid.uuid4())
 
-    @api.multi
     def action_resend(self):
         partners = self.env['res.partner']
         emails = []
@@ -121,7 +118,6 @@ class SurveyUserInput(models.Model):
             default_emails=','.join(emails)
         ).action_send_survey()
 
-    @api.multi
     def action_print_answers(self):
         """ Open the website page with the survey form """
         self.ensure_one()
@@ -173,7 +169,6 @@ class SurveyUserInput(models.Model):
 
                 user_input.attempt_number = attempt_number
 
-    @api.multi
     def _mark_done(self):
         """ This method will:
         1. mark the state as 'done'
@@ -197,7 +192,6 @@ class SurveyUserInput(models.Model):
             if challenges:
                 Challenge._cron_update(ids=challenges.ids, commit=False)
 
-    @api.multi
     def _get_survey_url(self):
         self.ensure_one()
         return '/survey/start/%s?answer_token=%s' % (self.survey_id.access_token, self.token)
@@ -261,7 +255,6 @@ class SurveyUserInputLine(models.Model):
                 vals.update({'answer_score': self._get_mark(value_suggested)})
         return super(SurveyUserInputLine, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         value_suggested = vals.get('value_suggested')
         if value_suggested:
diff --git a/addons/survey/wizard/survey_invite.py b/addons/survey/wizard/survey_invite.py
index df0ea3f1eed573df1f1f239e64bef11a4ac77392..06b60407119dfcb61ac787a9d22e6b9311ddc9d1 100644
--- a/addons/survey/wizard/survey_invite.py
+++ b/addons/survey/wizard/survey_invite.py
@@ -234,7 +234,6 @@ class SurveyInvite(models.TransientModel):
 
         return self.env['mail.mail'].sudo().create(mail_values)
 
-    @api.multi
     def action_invite(self):
         """ Process the wizard content and proceed with sending the related
             email(s), rendering any template patterns on the fly if needed """
diff --git a/addons/uom/models/uom_uom.py b/addons/uom/models/uom_uom.py
index 3ba5b970fec1f36a82b8a78b0fb7fc2d89e530e9..49c6d88c224910fc7340ec18289645846dba3593 100644
--- a/addons/uom/models/uom_uom.py
+++ b/addons/uom/models/uom_uom.py
@@ -22,7 +22,6 @@ class UoMCategory(models.Model):
         ('uom_category_unique_type', 'UNIQUE(measure_type)', 'You can have only one category per measurement type.'),
     ]
 
-    @api.multi
     def unlink(self):
         if self.filtered(lambda categ: categ.measure_type == 'working_time'):
             raise UserError(_("You cannot delete this UoM Category as it is used by the system."))
@@ -101,14 +100,12 @@ class UoM(models.Model):
                 values['factor'] = factor_inv and (1.0 / factor_inv) or 0.0
         return super(UoM, self).create(vals_list)
 
-    @api.multi
     def write(self, values):
         if 'factor_inv' in values:
             factor_inv = values.pop('factor_inv')
             values['factor'] = factor_inv and (1.0 / factor_inv) or 0.0
         return super(UoM, self).write(values)
 
-    @api.multi
     def unlink(self):
         if self.filtered(lambda uom: uom.measure_type == 'working_time'):
             raise UserError(_("You cannot delete this UoM as it is used by the system. You should rather archive it."))
@@ -134,7 +131,6 @@ class UoM(models.Model):
         new_uom = self.create(values)
         return new_uom.name_get()[0]
 
-    @api.multi
     def _compute_quantity(self, qty, to_unit, round=True, rounding_method='UP', raise_if_failure=True):
         """ Convert the given quantity from the current UoM `self` into a given one
             :param qty: the quantity to convert
@@ -158,7 +154,6 @@ class UoM(models.Model):
                 amount = tools.float_round(amount, precision_rounding=to_unit.rounding, rounding_method=rounding_method)
         return amount
 
-    @api.multi
     def _compute_price(self, price, to_unit):
         self.ensure_one()
         if not self or not price or not to_unit or self == to_unit:
diff --git a/addons/web_editor/models/ir_attachment.py b/addons/web_editor/models/ir_attachment.py
index b0c48defee84dd56808cac869fd318761fa657c7..bd8c27165d21f75cc7a3c22ee4139f9866f37fb6 100644
--- a/addons/web_editor/models/ir_attachment.py
+++ b/addons/web_editor/models/ir_attachment.py
@@ -22,7 +22,6 @@ class IrAttachment(models.Model):
             else:
                 attachment.local_url = '/web/image/%s?unique=%s' % (attachment.id, attachment.checksum)
 
-    @api.multi
     @api.depends('mimetype', 'url', 'name')
     def _compute_image_src(self):
         for attachment in self:
@@ -34,7 +33,6 @@ class IrAttachment(models.Model):
                     url_quote(attachment.name or ''),
                 )
 
-    @api.multi
     @api.depends('datas')
     def _compute_image_size(self):
         for attachment in self:
@@ -46,7 +44,6 @@ class IrAttachment(models.Model):
                 attachment.image_width = 0
                 attachment.image_height = 0
 
-    @api.multi
     def _get_media_info(self):
         """Return a dict with the values that we need on the media dialog."""
         self.ensure_one()
diff --git a/addons/web_editor/models/ir_translation.py b/addons/web_editor/models/ir_translation.py
index 91fb527f7b6a1c268e6ec989e23f7972367c51f5..0a0e34dafdef5afac31b75291b75e86d5526ff28 100644
--- a/addons/web_editor/models/ir_translation.py
+++ b/addons/web_editor/models/ir_translation.py
@@ -22,7 +22,6 @@ class IrTranslation(models.Model):
             return edit_translation_mapping
         return super(IrTranslation, self)._get_terms_mapping(field, records)
 
-    @api.multi
     def save_html(self, value):
         """ Convert the HTML fragment ``value`` to XML if necessary, and write
         it as the value of translation ``self``.
diff --git a/addons/web_editor/models/ir_ui_view.py b/addons/web_editor/models/ir_ui_view.py
index 44f136dc471ba9f3d0b94d4c767ca39c8753320d..653bdd038f187b297c525159b84f18535627f7c0 100644
--- a/addons/web_editor/models/ir_ui_view.py
+++ b/addons/web_editor/models/ir_ui_view.py
@@ -14,7 +14,6 @@ _logger = logging.getLogger(__name__)
 class IrUiView(models.Model):
     _inherit = 'ir.ui.view'
 
-    @api.multi
     def render(self, values=None, engine='ir.qweb', minimal_qcontext=False):
         if values and values.get('editable'):
             try:
@@ -57,7 +56,6 @@ class IrUiView(models.Model):
             else:
                 Model.browse(int(el.get('data-oe-id'))).write({field: value})
 
-    @api.multi
     def save_oe_structure(self, el):
         self.ensure_one()
 
@@ -118,7 +116,6 @@ class IrUiView(models.Model):
             return False
         return all(self._are_archs_equal(arch1, arch2) for arch1, arch2 in zip(arch1, arch2))
 
-    @api.multi
     def replace_arch_section(self, section_xpath, replacement, replace_tail=False):
         # the root of the arch section shouldn't actually be replaced as it's
         # not really editable itself, only the content truly is editable.
@@ -163,7 +160,6 @@ class IrUiView(models.Model):
     def _set_noupdate(self):
         self.sudo().mapped('model_data_id').write({'noupdate': True})
 
-    @api.multi
     def save(self, value, xpath=None):
         """ Update a view section. The view section may embed fields to write
 
diff --git a/addons/web_unsplash/models/res_users.py b/addons/web_unsplash/models/res_users.py
index 9400c06b075c64314dfe230b8c64f7499f7c7da2..375a0ce37ad90175811130a63e21224ee626d6f9 100644
--- a/addons/web_unsplash/models/res_users.py
+++ b/addons/web_unsplash/models/res_users.py
@@ -6,7 +6,6 @@ from odoo import api, models
 class ResUsers(models.Model):
     _inherit = 'res.users'
 
-    @api.multi
     def _has_unsplash_key_rights(self):
         self.ensure_one()
         return self.has_group('base.group_erp_manager')
diff --git a/addons/website/models/ir_ui_view.py b/addons/website/models/ir_ui_view.py
index d6ef2ba728a8bbf3e21c9b9d22fac281ffa5063d..e910b4145514d13fbcd96d24d92496419593d27a 100644
--- a/addons/website/models/ir_ui_view.py
+++ b/addons/website/models/ir_ui_view.py
@@ -24,12 +24,10 @@ class View(models.Model):
     page_ids = fields.One2many('website.page', 'view_id')
     first_page_id = fields.Many2one('website.page', string='Website Page', help='First page linked to this view', compute='_compute_first_page_id')
 
-    @api.multi
     def _compute_first_page_id(self):
         for view in self:
             view.first_page_id = self.env['website.page'].search([('view_id', '=', view.id)], limit=1)
 
-    @api.multi
     def name_get(self):
         if not self._context.get('display_website') and not self.env.user.has_group('website.group_multi_website'):
             return super(View, self).name_get()
@@ -42,7 +40,6 @@ class View(models.Model):
             res.append((view.id, view_name))
         return res
 
-    @api.multi
     def write(self, vals):
         '''COW for ir.ui.view. This way editing websites does not impact other
         websites. Also this way newly created websites will only
@@ -106,7 +103,6 @@ class View(models.Model):
 
         return True
 
-    @api.multi
     def _get_specific_views(self):
         """ Given a view, return a record set containing all the specific views
             for that view's key.
@@ -155,7 +151,6 @@ class View(models.Model):
                     })
         return records
 
-    @api.multi
     def unlink(self):
         '''This implements COU (copy-on-unlink). When deleting a generic page
         website-specific pages will be created so only the current
@@ -296,7 +291,6 @@ class View(models.Model):
             return view.id
         return super(View, self).get_view_id(xml_id)
 
-    @api.multi
     def _get_original_view(self):
         """Given a view, retrieve the original view it was COW'd from.
         The given view might already be the original one. In that case it will
@@ -306,7 +300,6 @@ class View(models.Model):
         domain = [('key', '=', self.key), ('model_data_id', '!=', None)]
         return self.with_context(active_test=False).search(domain, limit=1)  # Useless limit has multiple xmlid should not be possible
 
-    @api.multi
     def render(self, values=None, engine='ir.qweb', minimal_qcontext=False):
         """ Render the template. If website is enabled on request, then extend rendering context with website values. """
         new_context = dict(self._context)
@@ -383,7 +376,6 @@ class View(models.Model):
         else:
             return super(View, self).get_default_lang_code()
 
-    @api.multi
     def redirect_to_page_manager(self):
         return {
             'type': 'ir.actions.act_url',
@@ -409,7 +401,6 @@ class View(models.Model):
         if not self._context.get('website_id'):
             super(View, self)._set_noupdate()
 
-    @api.multi
     def save(self, value, xpath=None):
         self.ensure_one()
         current_website = self.env['website'].get_current_website()
diff --git a/addons/website/models/mixins.py b/addons/website/models/mixins.py
index 39a14b6060ee1b8fd44adb93c57a5f27132b1abb..11f9823c1ca6cdcb8cc642aa9a27031cda6ba60a 100644
--- a/addons/website/models/mixins.py
+++ b/addons/website/models/mixins.py
@@ -23,7 +23,6 @@ class SeoMetadata(models.AbstractModel):
     website_meta_keywords = fields.Char("Website meta keywords", translate=True)
     website_meta_og_img = fields.Char("Website opengraph image")
 
-    @api.multi
     def _compute_is_seo_optimized(self):
         for record in self:
             record.is_seo_optimized = record.website_meta_title and record.website_meta_description and record.website_meta_keywords
@@ -105,7 +104,6 @@ class WebsiteMultiMixin(models.AbstractModel):
 
     website_id = fields.Many2one('website', string='Website', help='Restrict publishing to this website.')
 
-    @api.multi
     def can_access_from_current_website(self, website_id=False):
         can_access = True
         for record in self:
@@ -125,12 +123,10 @@ class WebsitePublishedMixin(models.AbstractModel):
     can_publish = fields.Boolean('Can publish', compute='_compute_can_publish')
     website_url = fields.Char('Website URL', compute='_compute_website_url', help='The full URL to access the document through the website.')
 
-    @api.multi
     def _compute_website_url(self):
         for record in self:
             record.website_url = '#'
 
-    @api.multi
     def website_publish_button(self):
         self.ensure_one()
         if self.env.user.has_group('website.group_website_publisher') and self.website_url != '#':
@@ -157,7 +153,6 @@ class WebsitePublishedMixin(models.AbstractModel):
 
         return records
 
-    @api.multi
     def write(self, values):
         if 'website_published' in values and not all(record.can_publish for record in self):
             raise AccessError(self._get_can_publish_error_message())
@@ -167,7 +162,6 @@ class WebsitePublishedMixin(models.AbstractModel):
     def create_and_get_website_url(self, **kwargs):
         return self.create(kwargs).website_url
 
-    @api.multi
     def _compute_can_publish(self):
         """ This method can be overridden if you need more complex rights management than just 'website_publisher'
         The publish widget will be hidden and the user won't be able to change the 'website_published' value
@@ -193,7 +187,6 @@ class WebsitePublishedMultiMixin(WebsitePublishedMixin):
                                        search='_search_website_published',
                                        related=False, readonly=False)
 
-    @api.multi
     @api.depends('is_published', 'website_id')
     def _compute_website_published(self):
         current_website_id = self._context.get('website_id')
@@ -203,7 +196,6 @@ class WebsitePublishedMultiMixin(WebsitePublishedMixin):
             else:
                 record.website_published = record.is_published
 
-    @api.multi
     def _inverse_website_published(self):
         for record in self:
             record.is_published = record.website_published
diff --git a/addons/website/models/res_company.py b/addons/website/models/res_company.py
index 54a55fec83c40745fd652d0fe793ca4f0bea77a3..86914d3da04ee4134d0c506602cf544bfc3c55dd 100644
--- a/addons/website/models/res_company.py
+++ b/addons/website/models/res_company.py
@@ -7,17 +7,14 @@ from odoo import api, models
 class Company(models.Model):
     _inherit = "res.company"
 
-    @api.multi
     def google_map_img(self, zoom=8, width=298, height=298):
         partner = self.sudo().partner_id
         return partner and partner.google_map_img(zoom, width, height) or None
 
-    @api.multi
     def google_map_link(self, zoom=8):
         partner = self.sudo().partner_id
         return partner and partner.google_map_link(zoom) or None
 
-    @api.multi
     def _get_public_user(self):
         self.ensure_one()
         # We need sudo to be able to see public users from others companies too
diff --git a/addons/website/models/res_config_settings.py b/addons/website/models/res_config_settings.py
index 072605452d739bed863b85a734bf36bd2907a6c3..8811609b65cf8ec1772e700cd1a2aa2cd0c663f9 100644
--- a/addons/website/models/res_config_settings.py
+++ b/addons/website/models/res_config_settings.py
@@ -120,7 +120,6 @@ class ResConfigSettings(models.TransientModel):
     def set_values(self):
         super(ResConfigSettings, self).set_values()
 
-    @api.multi
     def open_template_user(self):
         action = self.env.ref('base.action_res_users').read()[0]
         action['res_id'] = literal_eval(self.env['ir.config_parameter'].sudo().get_param('base.template_portal_user_id', 'False'))
diff --git a/addons/website/models/res_lang.py b/addons/website/models/res_lang.py
index 147ff26c6d04d34cbca1382682ffe08a0b303ea3..c84a212ed5a9ccb02ebb7613415682a995246185 100644
--- a/addons/website/models/res_lang.py
+++ b/addons/website/models/res_lang.py
@@ -8,7 +8,6 @@ from odoo.exceptions import UserError
 class Lang(models.Model):
     _inherit = "res.lang"
 
-    @api.multi
     def write(self, vals):
         if 'active' in vals and not vals['active']:
             if self.env['website'].search([('language_ids', 'in', self._ids)]):
diff --git a/addons/website/models/res_partner.py b/addons/website/models/res_partner.py
index 9256f80293d41c8767b886aa3e73757d349ed4bb..787e6e6b010464b13283d3b6fb299bf3b7c1f7f7 100644
--- a/addons/website/models/res_partner.py
+++ b/addons/website/models/res_partner.py
@@ -14,7 +14,6 @@ class Partner(models.Model):
     _name = 'res.partner'
     _inherit = ['res.partner', 'website.published.multi.mixin']
 
-    @api.multi
     def google_map_img(self, zoom=8, width=298, height=298):
         google_maps_api_key = self.env['website'].get_current_website().google_maps_api_key
         if not google_maps_api_key:
@@ -28,7 +27,6 @@ class Partner(models.Model):
         }
         return urlplus('//maps.googleapis.com/maps/api/staticmap', params)
 
-    @api.multi
     def google_map_link(self, zoom=10):
         params = {
             'q': '%s, %s %s, %s' % (self.street or '', self.city or '', self.zip or '', self.country_id and self.country_id.display_name or ''),
@@ -36,7 +34,6 @@ class Partner(models.Model):
         }
         return urlplus('https://maps.google.com/maps', params)
 
-    @api.multi
     def _get_name(self):
         name = super(Partner, self)._get_name()
         if self._context.get('display_website') and self.env.user.has_group('website.group_multi_website'):
diff --git a/addons/website/models/res_users.py b/addons/website/models/res_users.py
index c5fb684888cd59f34a5dd04548b41d080b47ae14..55a7611995f47771052a8b4423db028f8f518668 100644
--- a/addons/website/models/res_users.py
+++ b/addons/website/models/res_users.py
@@ -20,7 +20,6 @@ class ResUsers(models.Model):
         ('login_key', 'unique (login, website_id)', 'You can not have two users with the same login!'),
     ]
 
-    @api.multi
     def _has_unsplash_key_rights(self):
         self.ensure_one()
         if self.has_group('website.group_website_designer'):
diff --git a/addons/website/models/website.py b/addons/website/models/website.py
index 3a5b773f81d8b966289af0e09dcbe0d1454986e3..aecec32a1125fd3293b21e90ed70e7125d0fff2d 100644
--- a/addons/website/models/website.py
+++ b/addons/website/models/website.py
@@ -123,7 +123,6 @@ class Website(models.Model):
         if language_ids and self.default_lang_id not in language_ids:
             self.default_lang_id = language_ids[0]
 
-    @api.multi
     def _compute_menu(self):
         Menu = self.env['website.menu']
         for website in self:
@@ -147,7 +146,6 @@ class Website(models.Model):
 
         return res
 
-    @api.multi
     def write(self, values):
         public_user_to_change_websites = self.env['website']
         self._handle_favicon(values)
@@ -421,7 +419,6 @@ class Website(models.Model):
     # Languages
     # ----------------------------------------------------------
 
-    @api.multi
     def get_languages(self):
         self.ensure_one()
         return self._get_languages()
@@ -430,7 +427,6 @@ class Website(models.Model):
     def _get_languages(self):
         return [(lg.code, lg.name) for lg in self.language_ids]
 
-    @api.multi
     def get_alternate_languages(self, req=None):
         langs = []
         if req is None:
@@ -663,7 +659,6 @@ class Website(models.Model):
         # check that all args have a converter
         return all((arg in rule._converters) for arg in args)
 
-    @api.multi
     def enumerate_pages(self, query_string=None, force=False):
         """ Available pages in the website/CMS. This is mostly used for links
             generation and can be overridden by modules setting up new HTML
@@ -759,13 +754,11 @@ class Website(models.Model):
                 record['__lastmod'] = page['write_date'].date()
             yield record
 
-    @api.multi
     def get_website_pages(self, domain=[], order='name', limit=None):
         domain += self.get_current_website().website_domain()
         pages = self.env['website.page'].search(domain, order='name', limit=limit)
         return pages
 
-    @api.multi
     def search_pages(self, needle=None, limit=None):
         name = slugify(needle, max_length=50, path=True)
         res = []
@@ -808,7 +801,6 @@ class Website(models.Model):
             'target': 'self',
         }
 
-    @api.multi
     def _get_http_domain(self):
         """Get the domain of the current website, prefixed by http if no
         scheme is specified.
@@ -825,7 +817,6 @@ class Website(models.Model):
 class BaseModel(models.AbstractModel):
     _inherit = 'base'
 
-    @api.multi
     def get_base_url(self):
         """
         Returns baseurl about one given record.
diff --git a/addons/website/models/website_menu.py b/addons/website/models/website_menu.py
index 7a18b3a982d84c62325e69cc117b303b1e028a7f..598d1f10d36a41a4071a1f7b65afc4299bf85e96 100644
--- a/addons/website/models/website_menu.py
+++ b/addons/website/models/website_menu.py
@@ -29,7 +29,6 @@ class Menu(models.Model):
     group_ids = fields.Many2many('res.groups', string='Visible Groups',
                                  help="User need to be at least in one of these groups to see the menu")
 
-    @api.multi
     def name_get(self):
         if not self._context.get('display_website') and not self.env.user.has_group('website.group_multi_website'):
             return super(Menu, self).name_get()
@@ -74,7 +73,6 @@ class Menu(models.Model):
                 res = super(Menu, self).create(vals)
         return res  # Only one record is returned but multiple could have been created
 
-    @api.multi
     def unlink(self):
         default_menu = self.env.ref('website.main_menu', raise_if_not_found=False)
         menus_to_remove = self
diff --git a/addons/website/models/website_page.py b/addons/website/models/website_page.py
index f7423efe4156c473b05315c0f85ffb4eb5090596..ea3b8a27657ee3e49056406632bbd27af0de793c 100644
--- a/addons/website/models/website_page.py
+++ b/addons/website/models/website_page.py
@@ -48,7 +48,6 @@ class Page(models.Model):
                 not page.date_publish or page.date_publish < fields.Datetime.now()
             )
 
-    @api.multi
     def _is_most_specific_page(self, page_to_test):
         '''This will test if page_to_test is the most specific page in self.'''
         pages_for_url = self.sorted(key=lambda p: not p.website_id).filtered(lambda page: page.url == page_to_test.url)
@@ -64,7 +63,6 @@ class Page(models.Model):
             ['id', 'name', 'url', 'website_published', 'website_indexed', 'date_publish', 'menu_ids', 'is_homepage', 'website_id'],
         )
 
-    @api.multi
     def get_view_identifier(self):
         """ Get identifier of this page view that may be used to render it """
         return self.view_id.id
@@ -132,7 +130,6 @@ class Page(models.Model):
 
         return url
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         if default:
@@ -161,7 +158,6 @@ class Page(models.Model):
 
         return new_page.url + '?enable_editor=1'
 
-    @api.multi
     def unlink(self):
         # When a website_page is deleted, the ORM does not delete its
         # ir_ui_view. So we got to delete it ourself, but only if the
@@ -176,7 +172,6 @@ class Page(models.Model):
                 page.view_id.unlink()
         return super(Page, self).unlink()
 
-    @api.multi
     def write(self, vals):
         if 'url' in vals and not vals['url'].startswith('/'):
             vals['url'] = '/' + vals['url']
diff --git a/addons/website/wizard/base_language_install.py b/addons/website/wizard/base_language_install.py
index 1cb850fa605ff5799cf27bc9b45857df4d86da64..982645b327867fc2e97f87a3bdcb1b27c20e11e1 100644
--- a/addons/website/wizard/base_language_install.py
+++ b/addons/website/wizard/base_language_install.py
@@ -20,7 +20,6 @@ class BaseLanguageInstall(models.TransientModel):
             defaults['website_ids'].append(website_id)
         return defaults
 
-    @api.multi
     def lang_install(self):
         action = super(BaseLanguageInstall, self).lang_install()
         lang = self.env['res.lang'].search([('code', '=', self.lang)], limit=1)
diff --git a/addons/website_blog/models/website_blog.py b/addons/website_blog/models/website_blog.py
index da71c1b31941a6e34e249f9bf7d4d826786ba1ac..57a731e444b7aa82e4694e663aa98a089f666556 100644
--- a/addons/website_blog/models/website_blog.py
+++ b/addons/website_blog/models/website_blog.py
@@ -23,7 +23,6 @@ class Blog(models.Model):
     subtitle = fields.Char('Blog Subtitle', translate=True)
     active = fields.Boolean('Active', default=True)
 
-    @api.multi
     def write(self, vals):
         res = super(Blog, self).write(vals)
         if 'active' in vals:
@@ -35,7 +34,6 @@ class Blog(models.Model):
                 blog_post.active = vals['active']
         return res
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, parent_id=False, subtype=None, **kwargs):
         """ Temporary workaround to avoid spam. If someone replies on a channel
@@ -50,7 +48,6 @@ class Blog(models.Model):
                 subtype = 'mail.mt_note'
         return super(Blog, self).message_post(parent_id=parent_id, subtype=subtype, **kwargs)
 
-    @api.multi
     def all_tags(self, min_limit=1):
         req = """
             SELECT
@@ -113,13 +110,11 @@ class BlogPost(models.Model):
     _order = 'id DESC'
     _mail_post_access = 'read'
 
-    @api.multi
     def _compute_website_url(self):
         super(BlogPost, self)._compute_website_url()
         for blog_post in self:
             blog_post.website_url = "/blog/%s/post/%s" % (slug(blog_post.blog_id), slug(blog_post))
 
-    @api.multi
     @api.depends('post_date', 'visits')
     def _compute_ranking(self):
         res = {}
@@ -171,7 +166,6 @@ class BlogPost(models.Model):
 
     website_id = fields.Many2one(related='blog_id.website_id', readonly=True)
 
-    @api.multi
     @api.depends('content', 'teaser_manual')
     def _compute_teaser(self):
         for blog_post in self:
@@ -181,12 +175,10 @@ class BlogPost(models.Model):
                 content = html2plaintext(blog_post.content).replace('\n', ' ')
                 blog_post.teaser = content[:150] + '...'
 
-    @api.multi
     def _set_teaser(self):
         for blog_post in self:
             blog_post.teaser_manual = blog_post.teaser
 
-    @api.multi
     @api.depends('create_date', 'published_date')
     def _compute_post_date(self):
         for blog_post in self:
@@ -195,7 +187,6 @@ class BlogPost(models.Model):
             else:
                 blog_post.post_date = blog_post.create_date
 
-    @api.multi
     def _set_post_date(self):
         for blog_post in self:
             blog_post.published_date = blog_post.post_date
@@ -219,7 +210,6 @@ class BlogPost(models.Model):
         post_id._check_for_publication(vals)
         return post_id
 
-    @api.multi
     def write(self, vals):
         result = True
         for post in self:
@@ -231,7 +221,6 @@ class BlogPost(models.Model):
         self._check_for_publication(vals)
         return result
 
-    @api.multi
     def get_access_action(self, access_uid=None):
         """ Instead of the classic form view, redirect to the post on website
         directly if user is an employee or if the post is published. """
@@ -247,7 +236,6 @@ class BlogPost(models.Model):
             'res_id': self.id,
         }
 
-    @api.multi
     def _notify_get_groups(self):
         """ Add access button to everyone if the document is published. """
         groups = super(BlogPost, self)._notify_get_groups()
@@ -258,7 +246,6 @@ class BlogPost(models.Model):
 
         return groups
 
-    @api.multi
     def _notify_record_by_inbox(self, message, recipients_data, msg_vals=False, **kwargs):
         """ Override to avoid keeping all notified recipients of a comment.
         We avoid tracking needaction on post comments. Only emails should be
diff --git a/addons/website_crm_partner_assign/models/crm_lead.py b/addons/website_crm_partner_assign/models/crm_lead.py
index 8c053edfb6f2a69c5f992cecec38f0bf7c3d7cad..3ad8feca74769e45c613b4baed2be073ea06b2ae 100644
--- a/addons/website_crm_partner_assign/models/crm_lead.py
+++ b/addons/website_crm_partner_assign/models/crm_lead.py
@@ -20,7 +20,6 @@ class CrmLead(models.Model):
         string='Partner not interested')
     date_assign = fields.Date('Partner Assignation Date', help="Last date this case was forwarded/assigned to a partner")
 
-    @api.multi
     def _merge_data(self, fields):
         fields += ['partner_latitude', 'partner_longitude', 'partner_assigned_id', 'date_assign']
         return super(CrmLead, self)._merge_data(fields)
@@ -36,7 +35,6 @@ class CrmLead(models.Model):
             self.date_assign = fields.Date.context_today(self)
             self.user_id = partner_assigned.user_id
 
-    @api.multi
     def assign_salesman_of_assigned_partner(self):
         salesmans_leads = {}
         for lead in self:
@@ -48,11 +46,9 @@ class CrmLead(models.Model):
             leads = self.browse(leads_ids)
             leads.write({'user_id': salesman_id})
 
-    @api.multi
     def action_assign_partner(self):
         return self.assign_partner(partner_id=False)
 
-    @api.multi
     def assign_partner(self, partner_id=False):
         partner_dict = {}
         res = False
@@ -73,7 +69,6 @@ class CrmLead(models.Model):
             lead.write(values)
         return res
 
-    @api.multi
     def assign_geo_localize(self, latitude=False, longitude=False):
         if latitude and longitude:
             self.write({
@@ -97,7 +92,6 @@ class CrmLead(models.Model):
                     })
         return True
 
-    @api.multi
     def search_geo_partner(self):
         Partner = self.env['res.partner']
         res_partner_ids = {}
@@ -177,7 +171,6 @@ class CrmLead(models.Model):
                         break
         return res_partner_ids
 
-    @api.multi
     def partner_interested(self, comment=False):
         message = _('<p>I am interested by this lead.</p>')
         if comment:
@@ -186,7 +179,6 @@ class CrmLead(models.Model):
             lead.message_post(body=message)
             lead.sudo().convert_opportunity(lead.partner_id.id)  # sudo required to convert partner data
 
-    @api.multi
     def partner_desinterested(self, comment=False, contacted=False, spam=False):
         if contacted:
             message = '<p>%s</p>' % _('I am not interested by this lead. I contacted the lead.')
@@ -210,7 +202,6 @@ class CrmLead(models.Model):
             values['partner_declined_ids'] = [(4, p, 0) for p in partner_ids.ids]
         self.sudo().write(values)
 
-    @api.multi
     def update_lead_portal(self, values):
         self.check_access_rights('write')
         for lead in self:
@@ -275,7 +266,6 @@ class CrmLead(models.Model):
     #   DO NOT FORWARD PORT IN MASTER
     #   instead, crm.lead should implement portal.mixin
     #
-    @api.multi
     def get_access_action(self, access_uid=None):
         """ Instead of the classic form view, redirect to the online document for
         portal users or if force_website=True in the context. """
diff --git a/addons/website_crm_partner_assign/models/res_partner.py b/addons/website_crm_partner_assign/models/res_partner.py
index e3973d596af99d3b9b980b6d75ff261defbb6cbc..3bf89a04ae9e7c08e9afc4282ef0167dedff967e 100644
--- a/addons/website_crm_partner_assign/models/res_partner.py
+++ b/addons/website_crm_partner_assign/models/res_partner.py
@@ -17,7 +17,6 @@ class ResPartnerGrade(models.Model):
     partner_weight = fields.Integer('Level Weight', default=1,
         help="Gives the probability to assign a lead to this partner. (0 means no assignation.)")
 
-    @api.multi
     def _compute_website_url(self):
         super(ResPartnerGrade, self)._compute_website_url()
         for grade in self:
diff --git a/addons/website_crm_partner_assign/wizard/crm_forward_to_partner.py b/addons/website_crm_partner_assign/wizard/crm_forward_to_partner.py
index 5b672a91ab4a6a5acde122dfbb828a2552a43a9a..68be6600641a08e391b10e143c60684287bb46db 100644
--- a/addons/website_crm_partner_assign/wizard/crm_forward_to_partner.py
+++ b/addons/website_crm_partner_assign/wizard/crm_forward_to_partner.py
@@ -53,7 +53,6 @@ class CrmLeadForwardToPartner(models.TransientModel):
                 res['assignation_lines'].append((0, 0, self._convert_to_assignation_line(lead, partner)))
         return res
 
-    @api.multi
     def action_forward(self):
         self.ensure_one()
         template = self.env.ref('website_crm_partner_assign.email_template_lead_forward_mail', False)
diff --git a/addons/website_event/models/event.py b/addons/website_event/models/event.py
index 17d9b1bd3289a25266c31a658e490dbce5ef08c6..ad7f56abf8d600499f71add2d878f49b0b4557d6 100644
--- a/addons/website_event/models/event.py
+++ b/addons/website_event/models/event.py
@@ -39,7 +39,6 @@ class Event(models.Model):
                 domain = ['&', '|', ('email', '=', email), ('partner_id', '=', self.env.user.partner_id.id), ('event_id', '=', event.id)]
                 event.is_participating = self.env['event.registration'].search_count(domain)
 
-    @api.multi
     @api.depends('name')
     def _compute_website_url(self):
         super(Event, self)._compute_website_url()
@@ -81,7 +80,6 @@ class Event(models.Model):
         res._toggle_create_website_menus(vals)
         return res
 
-    @api.multi
     def write(self, vals):
         res = super(Event, self).write(vals)
         self._toggle_create_website_menus(vals)
@@ -100,21 +98,18 @@ class Event(models.Model):
         })
         return menu
 
-    @api.multi
     def google_map_img(self, zoom=8, width=298, height=298):
         self.ensure_one()
         if self.address_id:
             return self.sudo().address_id.google_map_img(zoom=zoom, width=width, height=height)
         return None
 
-    @api.multi
     def google_map_link(self, zoom=8):
         self.ensure_one()
         if self.address_id:
             return self.sudo().address_id.google_map_link(zoom=zoom)
         return None
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'is_published' in init_values and self.is_published:
@@ -123,7 +118,6 @@ class Event(models.Model):
             return self.env.ref('website_event.mt_event_unpublished')
         return super(Event, self)._track_subtype(init_values)
 
-    @api.multi
     def action_open_badge_editor(self):
         """ open the event badge editor : redirect to the report page of event badge report """
         self.ensure_one()
diff --git a/addons/website_event_sale/models/sale_order.py b/addons/website_event_sale/models/sale_order.py
index cd25e6e19438b529bc8475b4dafdae3728656525..a65b007a71fbd258f7582b19f958cdebc1c9a9c9 100644
--- a/addons/website_event_sale/models/sale_order.py
+++ b/addons/website_event_sale/models/sale_order.py
@@ -7,7 +7,6 @@ from odoo.exceptions import UserError
 class SaleOrder(models.Model):
     _inherit = "sale.order"
 
-    @api.multi
     def _cart_find_product_line(self, product_id=None, line_id=None, **kwargs):
         self.ensure_one()
         lines = super(SaleOrder, self)._cart_find_product_line(product_id, line_id)
@@ -18,7 +17,6 @@ class SaleOrder(models.Model):
             domain.append(('event_ticket_id', '=', self.env.context.get("event_ticket_id")))
         return self.env['sale.order.line'].sudo().search(domain)
 
-    @api.multi
     def _website_product_id_change(self, order_id, product_id, qty=0):
         order = self.env['sale.order'].sudo().browse(order_id)
         if self._context.get('pricelist') != order.pricelist_id.id:
@@ -49,7 +47,6 @@ class SaleOrder(models.Model):
 
         return values
 
-    @api.multi
     def _cart_update(self, product_id=None, line_id=None, add_qty=0, set_qty=0, **kwargs):
         OrderLine = self.env['sale.order.line']
 
@@ -101,7 +98,6 @@ class SaleOrder(models.Model):
 class SaleOrderLine(models.Model):
     _inherit = "sale.order.line"
 
-    @api.multi
     @api.depends('product_id.display_name', 'event_ticket_id.display_name')
     def _compute_name_short(self):
         """ If the sale order line concerns a ticket, we don't want the product name, but the ticket name instead.
diff --git a/addons/website_event_track/models/event.py b/addons/website_event_track/models/event.py
index c95d7d29059a64768553b190ed1a4301978a61a8..b77533126cd1405c64bbdb8d03b9f81dbfce1e51 100644
--- a/addons/website_event_track/models/event.py
+++ b/addons/website_event_track/models/event.py
@@ -47,14 +47,12 @@ class Event(models.Model):
         'event.track.tag', relation='event_track_tags_rel', string='Track Tags',
         compute='_compute_tracks_tag_ids', store=True)
 
-    @api.multi
     def _compute_track_count(self):
         data = self.env['event.track'].read_group([('stage_id.is_cancel', '!=', True)], ['event_id'], ['event_id'])
         result = dict((data['event_id'][0], data['event_id_count']) for data in data)
         for event in self:
             event.track_count = result.get(event.id, 0)
 
-    @api.multi
     def _compute_sponsor_count(self):
         data = self.env['event.sponsor'].read_group([], ['event_id'], ['event_id'])
         result = dict((data['event_id'][0], data['event_id_count']) for data in data)
@@ -99,7 +97,6 @@ class Event(models.Model):
         res = [(_('Talk Proposals'), '/event/%s/track_proposal' % slug(self), False, 'track_proposal')]
         return res
 
-    @api.multi
     @api.depends('track_ids.tag_ids')
     def _compute_tracks_tag_ids(self):
         for event in self:
diff --git a/addons/website_event_track/models/event_track.py b/addons/website_event_track/models/event_track.py
index b24d15cbd397ca6c851d7c9c8369ca7af22ad8ac..6f0a72d31c60023ccfe7b37fef24bfae47464535 100644
--- a/addons/website_event_track/models/event_track.py
+++ b/addons/website_event_track/models/event_track.py
@@ -90,7 +90,6 @@ class Track(models.Model):
         'Priority', required=True, default='1')
     image = fields.Binary('Image', related='partner_id.image_medium', store=True, readonly=False)
 
-    @api.multi
     @api.depends('name')
     def _compute_website_url(self):
         super(Track, self)._compute_website_url()
@@ -119,7 +118,6 @@ class Track(models.Model):
 
         return track
 
-    @api.multi
     def write(self, vals):
         if 'stage_id' in vals and 'kanban_state' not in vals:
             vals['kanban_state'] = 'normal'
@@ -133,7 +131,6 @@ class Track(models.Model):
         """ Always display all stages """
         return stages.search([], order=order)
 
-    @api.multi
     def _track_template(self, changes):
         res = super(Track, self)._track_template(changes)
         track = self[0]
@@ -146,7 +143,6 @@ class Track(models.Model):
             })
         return res
 
-    @api.multi
     def _track_subtype(self, init_values):
         self.ensure_one()
         if 'kanban_state' in init_values and self.kanban_state == 'blocked':
@@ -155,7 +151,6 @@ class Track(models.Model):
             return self.env.ref('website_event_track.mt_track_ready')
         return super(Track, self)._track_subtype(init_values)
 
-    @api.multi
     def _message_get_suggested_recipients(self):
         recipients = super(Track, self)._message_get_suggested_recipients()
         for track in self:
@@ -177,7 +172,6 @@ class Track(models.Model):
                 ]).write({'partner_id': new_partner.id})
         return super(Track, self)._message_post_after_hook(message, msg_vals)
 
-    @api.multi
     def open_track_speakers_list(self):
         return {
             'name': _('Speakers'),
diff --git a/addons/website_forum/models/forum.py b/addons/website_forum/models/forum.py
index 5a98dc12a4190ec65bc37b210b74ab7a6f068043..3bd01177ec70092298e6093c16d15730a5341ef6 100644
--- a/addons/website_forum/models/forum.py
+++ b/addons/website_forum/models/forum.py
@@ -129,7 +129,6 @@ class Forum(models.Model):
     def create(self, values):
         return super(Forum, self.with_context(mail_create_nolog=True, mail_create_nosubscribe=True)).create(values)
 
-    @api.multi
     def write(self, vals):
         res = super(Forum, self).write(vals)
         if 'active' in vals:
@@ -291,14 +290,12 @@ class Post(models.Model):
             else:
                 post.relevancy = 0
 
-    @api.multi
     def _get_user_vote(self):
         votes = self.env['forum.post.vote'].search_read([('post_id', 'in', self._ids), ('user_id', '=', self._uid)], ['vote', 'post_id'])
         mapped_vote = dict([(v['post_id'][0], v['vote']) for v in votes])
         for vote in self:
             vote.user_vote = mapped_vote.get(vote.id, 0)
 
-    @api.multi
     @api.depends('vote_ids.vote')
     def _get_vote_count(self):
         read_group_res = self.env['forum.post.vote'].read_group([('post_id', 'in', self._ids)], ['post_id', 'vote'], ['post_id', 'vote'], lazy=False)
@@ -342,7 +339,6 @@ class Post(models.Model):
         for post in self:
             post.has_validated_answer = any(answer.is_correct for answer in post.child_ids)
 
-    @api.multi
     def _get_post_karma_rights(self):
         user = self.env.user
         is_admin = self.env.is_admin()
@@ -435,7 +431,6 @@ class Post(models.Model):
                     raise KarmaError(_('%d karma required to edit a post.') % post.karma_edit)
         return super(Post, self).get_mail_message_access(res_ids, operation, model_name=model_name)
 
-    @api.multi
     def write(self, vals):
         trusted_keys = ['active', 'is_correct', 'tag_ids']  # fields where security is checked manually
         if 'content' in vals:
@@ -490,7 +485,6 @@ class Post(models.Model):
                 answers.write({'active': vals['active']})
         return res
 
-    @api.multi
     def post_notification(self):
         for post in self:
             tag_partners = post.tag_ids.mapped('message_partner_ids')
@@ -520,7 +514,6 @@ class Post(models.Model):
                     subtype_id=self.env['ir.model.data'].xmlid_to_res_id('mail.mt_note'))
         return True
 
-    @api.multi
     def reopen(self):
         if any(post.parent_id or post.state != 'close' for post in self):
             return False
@@ -542,7 +535,6 @@ class Post(models.Model):
 
         self.sudo().write({'state': 'active'})
 
-    @api.multi
     def close(self, reason_id):
         if any(post.parent_id for post in self):
             return False
@@ -630,7 +622,6 @@ class Post(models.Model):
             })
         return True
 
-    @api.multi
     def mark_as_offensive_batch(self, key, values):
         spams = self.browse()
         if key == 'create_uid':
@@ -644,7 +635,6 @@ class Post(models.Model):
         _logger.info('User %s marked as spams (in batch): %s' % (self.env.uid, spams))
         return spams.mark_as_offensive(reason_id)
 
-    @api.multi
     def unlink(self):
         for post in self:
             if not post.can_unlink:
@@ -656,7 +646,6 @@ class Post(models.Model):
                 self.env.user.sudo().add_karma(post.forum_id.karma_gen_answer_accepted * -1)
         return super(Post, self).unlink()
 
-    @api.multi
     def bump(self):
         """ Bump a question: trigger a write_date by writing on a dummy bump_date
         field. One cannot bump a question more than once every 10 days. """
@@ -666,7 +655,6 @@ class Post(models.Model):
             return self.sudo().write({'bump_date': fields.Datetime.now()})
         return False
 
-    @api.multi
     def vote(self, upvote=True):
         Vote = self.env['forum.post.vote']
         vote_ids = Vote.search([('post_id', 'in', self._ids), ('user_id', '=', self._uid)])
@@ -685,7 +673,6 @@ class Post(models.Model):
                 Vote.create({'post_id': post_id, 'vote': new_vote})
         return {'vote_count': self.vote_count, 'user_vote': new_vote}
 
-    @api.multi
     def convert_answer_to_comment(self):
         """ Tools to convert an answer (forum.post) to a comment (mail.message).
         The original post is unlinked and a new comment is posted on the question
@@ -778,12 +765,10 @@ class Post(models.Model):
             result.append(comment.unlink())
         return result
 
-    @api.multi
     def set_viewed(self):
         self._cr.execute("""UPDATE forum_post SET views = views+1 WHERE id IN %s""", (self._ids,))
         return True
 
-    @api.multi
     def get_access_action(self, access_uid=None):
         """ Instead of the classic form view, redirect to the post on the website directly """
         self.ensure_one()
@@ -795,7 +780,6 @@ class Post(models.Model):
             'res_id': self.id,
         }
 
-    @api.multi
     def _notify_get_groups(self):
         """ Add access button to everyone if the document is active. """
         groups = super(Post, self)._notify_get_groups()
@@ -806,7 +790,6 @@ class Post(models.Model):
 
         return groups
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, message_type='notification', **kwargs):
         if self.ids and message_type == 'comment':  # user comments have a restriction on karma
@@ -829,7 +812,6 @@ class Post(models.Model):
                 kwargs['record_name'] = self.parent_id.name
         return super(Post, self).message_post(message_type=message_type, **kwargs)
 
-    @api.multi
     def _notify_record_by_inbox(self, message, recipients_data, msg_vals=False, **kwargs):
         """ Override to avoid keeping all notified recipients of a comment.
         We avoid tracking needaction on post comments. Only emails should be
@@ -887,7 +869,6 @@ class Vote(models.Model):
         vote._vote_update_karma('0', vote.vote)
         return vote
 
-    @api.multi
     def write(self, values):
         # can't modify owner of a vote
         if not self.env.is_admin():
@@ -951,7 +932,6 @@ class Tags(models.Model):
         ('name_uniq', 'unique (name, forum_id)', "Tag name already exists !"),
     ]
 
-    @api.multi
     @api.depends("post_ids.tag_ids", "post_ids.state")
     def _get_posts_count(self):
         for tag in self:
diff --git a/addons/website_forum/models/res_users.py b/addons/website_forum/models/res_users.py
index 35a5fc32545c3a12b542867e61df568ee39a6f8f..5e5b88f34fbb56326c93e16aa7926f3f5495017e 100644
--- a/addons/website_forum/models/res_users.py
+++ b/addons/website_forum/models/res_users.py
@@ -10,7 +10,6 @@ class Users(models.Model):
     create_date = fields.Datetime('Create Date', readonly=True, index=True)
     forum_waiting_posts_count = fields.Integer('Waiting post', compute="_get_user_waiting_post")
 
-    @api.multi
     def _get_user_waiting_post(self):
         for user in self:
             Post = self.env['forum.post']
@@ -18,7 +17,6 @@ class Users(models.Model):
             user.forum_waiting_posts_count = Post.search_count(domain)
 
     # Wrapper for call_kw with inherits
-    @api.multi
     def open_website_url(self):
         return self.mapped('partner_id').open_website_url()
 
diff --git a/addons/website_hr_recruitment/models/hr_recruitment.py b/addons/website_hr_recruitment/models/hr_recruitment.py
index 1cbaab7541b042502729fb5d0d06d47982b03c0c..4f250a623e1cd1bc836ca135dba3657e25e197ee 100644
--- a/addons/website_hr_recruitment/models/hr_recruitment.py
+++ b/addons/website_hr_recruitment/models/hr_recruitment.py
@@ -46,13 +46,11 @@ class Job(models.Model):
 
     website_description = fields.Html('Website description', translate=html_translate, sanitize_attributes=False, default=_get_default_website_description, prefetch=False)
 
-    @api.multi
     def _compute_website_url(self):
         super(Job, self)._compute_website_url()
         for job in self:
             job.website_url = "/jobs/detail/%s" % job.id
 
-    @api.multi
     def set_open(self):
         self.write({'website_published': False})
         return super(Job, self).set_open()
diff --git a/addons/website_livechat/models/im_livechat.py b/addons/website_livechat/models/im_livechat.py
index 6dc57e0845b206e745cb580598062fb9a9513f2a..282966c90cc767c95826f8516f4281d736967494 100644
--- a/addons/website_livechat/models/im_livechat.py
+++ b/addons/website_livechat/models/im_livechat.py
@@ -11,7 +11,6 @@ class ImLivechatChannel(models.Model):
     _name = 'im_livechat.channel'
     _inherit = ['im_livechat.channel', 'website.published.mixin']
 
-    @api.multi
     def _compute_website_url(self):
         super(ImLivechatChannel, self)._compute_website_url()
         for channel in self:
diff --git a/addons/website_livechat/models/website.py b/addons/website_livechat/models/website.py
index c52dc9a09f051d97289c782ee62e25d44e216af4..d842c97a445c4eb3f62453369c888885ab7aae8b 100644
--- a/addons/website_livechat/models/website.py
+++ b/addons/website_livechat/models/website.py
@@ -10,7 +10,6 @@ class Website(models.Model):
 
     channel_id = fields.Many2one('im_livechat.channel', string='Website Live Chat Channel')
 
-    @api.multi
     def get_livechat_channel_info(self):
         """ Get the livechat info dict (button text, channel name, ...) for the livechat channel of
             the current website.
diff --git a/addons/website_mail/models/mail_message.py b/addons/website_mail/models/mail_message.py
index 911571787cfecc82cc4f7fa59f70873e55b64103..8070c7d7fcc188cf53baf3a8da264efc5253c1e0 100644
--- a/addons/website_mail/models/mail_message.py
+++ b/addons/website_mail/models/mail_message.py
@@ -31,7 +31,6 @@ class MailMessage(models.Model):
         domain = super(MailMessage, self)._non_employee_message_domain()
         return expression.AND([domain, [('website_published', '=', True)]])
 
-    @api.multi
     def _compute_description(self):
         for message in self:
             if message.subject:
@@ -50,7 +49,6 @@ class MailMessage(models.Model):
         return super(MailMessage, self)._search(args, offset=offset, limit=limit, order=order,
                                                 count=count, access_rights_uid=access_rights_uid)
 
-    @api.multi
     def check_access_rule(self, operation):
         """ Add Access rules of mail.message for non-employee user:
             - read:
@@ -65,7 +63,6 @@ class MailMessage(models.Model):
                 )
         return super(MailMessage, self).check_access_rule(operation=operation)
 
-    @api.multi
     def _portal_message_format(self, fields_list):
         fields_list += ['website_published']
         return super(MailMessage, self)._portal_message_format(fields_list)
diff --git a/addons/website_mail_channel/models/mail_channel.py b/addons/website_mail_channel/models/mail_channel.py
index c7612aebcea11d01603c94a733c769774934d897..6778a11f4a20b97033df3ae773268a141ebd5697 100644
--- a/addons/website_mail_channel/models/mail_channel.py
+++ b/addons/website_mail_channel/models/mail_channel.py
@@ -13,7 +13,6 @@ from odoo.addons.http_routing.models.ir_http import slug
 class MailGroup(models.Model):
     _inherit = 'mail.channel'
 
-    @api.multi
     def _notify_email_header_dict(self):
         headers = super(MailGroup, self)._notify_email_header_dict()
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
@@ -22,7 +21,6 @@ class MailGroup(models.Model):
         headers['List-Unsubscribe'] = '<%s/groups?unsubscribe>' % (base_url,),
         return headers
 
-    @api.multi
     def _send_confirmation_email(self, partner_ids, unsubscribe=False):
         base_url = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
         route = "/groups/%(action)s/%(channel)s/%(partner)s/%(token)s"
@@ -50,7 +48,6 @@ class MailGroup(models.Model):
 
         return True
 
-    @api.multi
     def _generate_action_token(self, partner_id, action='unsubscribe'):
         self.ensure_one()
         secret = self.env['ir.config_parameter'].sudo().get_param('database.secret')
diff --git a/addons/website_mail_channel/models/mail_mail.py b/addons/website_mail_channel/models/mail_mail.py
index 8032aa03514e8832a9ad493aa12dc7d810069afd..271e245e6f8e3fa89b737edd5557643e63c65327 100644
--- a/addons/website_mail_channel/models/mail_mail.py
+++ b/addons/website_mail_channel/models/mail_mail.py
@@ -8,7 +8,6 @@ from odoo.addons.http_routing.models.ir_http import slug
 class MailMail(models.Model):
     _inherit = 'mail.mail'
 
-    @api.multi
     def _send_prepare_body(self):
         """ Short-circuit parent method for mail groups, replace the default
             footer with one appropriate for mailing-lists."""
diff --git a/addons/website_partner/models/res_partner.py b/addons/website_partner/models/res_partner.py
index 5c49c3344bc7810af4e64198a3cb4d8705d3bd27..d80f2b6f056e4afc74fad46a68128905dbc6f50c 100644
--- a/addons/website_partner/models/res_partner.py
+++ b/addons/website_partner/models/res_partner.py
@@ -11,7 +11,6 @@ class WebsiteResPartner(models.Model):
     website_description = fields.Html('Website Partner Full Description', strip_style=True)
     website_short_description = fields.Text('Website Partner Short Description')
 
-    @api.multi
     def _compute_website_url(self):
         super(WebsiteResPartner, self)._compute_website_url()
         for partner in self:
diff --git a/addons/website_profile/models/res_users.py b/addons/website_profile/models/res_users.py
index fd440665f44b8f50d1f9c726e2b82031f07553d6..6b184ddcca49a34282157d00e10c023fe9cec026 100644
--- a/addons/website_profile/models/res_users.py
+++ b/addons/website_profile/models/res_users.py
@@ -58,7 +58,6 @@ class Users(models.Model):
                     self.id, force_send=True, raise_exception=True)
         return True
 
-    @api.multi
     def _process_profile_validation_token(self, token, email):
         self.ensure_one()
         validation_token = self._generate_profile_token(self.id, email)
diff --git a/addons/website_rating/models/mail_message.py b/addons/website_rating/models/mail_message.py
index 2f1f59cc32091f1c09c1a9854daaaec1dd87dcb2..5a31a0d96c29cc74d936698276cccfca4e94fdcb 100644
--- a/addons/website_rating/models/mail_message.py
+++ b/addons/website_rating/models/mail_message.py
@@ -7,7 +7,6 @@ from odoo import api, fields, models
 class MailMessage(models.Model):
     _inherit = 'mail.message'
 
-    @api.multi
     def _portal_message_format(self, field_list):
         # inlude rating value in data if requested
         if self._context.get('rating_include'):
diff --git a/addons/website_sale/models/mail_compose_message.py b/addons/website_sale/models/mail_compose_message.py
index 7f12365123b2a3677a95dcdd0bd44a72208b704b..68b2fe3524d5f70e0d209f62d30b94581587eb9e 100644
--- a/addons/website_sale/models/mail_compose_message.py
+++ b/addons/website_sale/models/mail_compose_message.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class MailComposeMessage(models.TransientModel):
     _inherit = 'mail.compose.message'
 
-    @api.multi
     def send_mail(self, auto_commit=False):
         context = self._context
         # TODO TDE: clean that brole one day
diff --git a/addons/website_sale/models/product.py b/addons/website_sale/models/product.py
index 24e30a271f7c9142d022ba9332937cb713d4e584..e9d4a1e27b5b2e8186f5756eec1a1fa04bd9acb2 100644
--- a/addons/website_sale/models/product.py
+++ b/addons/website_sale/models/product.py
@@ -51,7 +51,6 @@ class ProductPricelist(models.Model):
         self.clear_cache()
         return res
 
-    @api.multi
     def write(self, data):
         res = super(ProductPricelist, self).write(data)
         if data.keys() & {'code', 'active', 'website_id', 'selectable'}:
@@ -59,7 +58,6 @@ class ProductPricelist(models.Model):
         self.clear_cache()
         return res
 
-    @api.multi
     def unlink(self):
         res = super(ProductPricelist, self).unlink()
         self._check_website_pricelist()
@@ -85,7 +83,6 @@ class ProductPricelist(models.Model):
             if not website.pricelist_ids:
                 raise UserError(_("With this action, '%s' website would not have any pricelist available.") % (website.name))
 
-    @api.multi
     def _is_available_on_website(self, website_id):
         """ To be able to be used on a website, a pricelist should either:
         - Have its `website_id` set to current website (specific pricelist).
@@ -169,7 +166,6 @@ class ProductPublicCategory(models.Model):
         tools.image_resize_images(vals)
         return super(ProductPublicCategory, self).create(vals)
 
-    @api.multi
     def write(self, vals):
         tools.image_resize_images(vals)
         return super(ProductPublicCategory, self).write(vals)
@@ -179,7 +175,6 @@ class ProductPublicCategory(models.Model):
         if not self._check_recursion():
             raise ValueError(_('Error ! You cannot create recursive categories.'))
 
-    @api.multi
     def name_get(self):
         res = []
         for category in self:
@@ -215,7 +210,6 @@ class ProductTemplate(models.Model):
 
     product_template_image_ids = fields.One2many('product.image', 'product_tmpl_id', string="Extra Product Media", copy=True)
 
-    @api.multi
     def _has_no_variant_attributes(self):
         """Return whether this `product.template` has at least one no_variant
         attribute.
@@ -226,7 +220,6 @@ class ProductTemplate(models.Model):
         self.ensure_one()
         return any(a.create_variant == 'no_variant' for a in self.valid_product_attribute_ids)
 
-    @api.multi
     def _has_is_custom_values(self):
         self.ensure_one()
         """Return whether this `product.template` has at least one is_custom
@@ -237,7 +230,6 @@ class ProductTemplate(models.Model):
         """
         return any(v.is_custom for v in self.valid_product_attribute_value_ids)
 
-    @api.multi
     def _get_possible_variants_sorted(self, parent_combination=None):
         """Return the sorted recordset of variants that are possible.
 
@@ -275,7 +267,6 @@ class ProductTemplate(models.Model):
 
         return self._get_possible_variants(parent_combination).sorted(_sort_key_variant)
 
-    @api.multi
     def _get_combination_info(self, combination=False, product_id=False, add_qty=1, pricelist=False, parent_combination=False, only_template=False):
         """Override for website, where we want to:
             - take the website pricelist if no pricelist is set
@@ -322,7 +313,6 @@ class ProductTemplate(models.Model):
 
         return combination_info
 
-    @api.multi
     def _create_first_product_variant(self, log_warning=False):
         """Create if necessary and possible and return the first product
         variant for this template.
@@ -335,7 +325,6 @@ class ProductTemplate(models.Model):
         """
         return self._create_product_variant(self._get_first_possible_combination(), log_warning)
 
-    @api.multi
     def _get_current_company_fallback(self, **kwargs):
         """Override: if a website is set on the product or given, fallback to
         the company of the website. Otherwise use the one from parent method."""
@@ -392,7 +381,6 @@ class ProductTemplate(models.Model):
         res['default_meta_description'] = self.description_sale
         return res
 
-    @api.multi
     def _compute_website_url(self):
         super(ProductTemplate, self)._compute_website_url()
         for product in self:
@@ -402,13 +390,11 @@ class ProductTemplate(models.Model):
     # Rating Mixin API
     # ---------------------------------------------------------
 
-    @api.multi
     def _rating_domain(self):
         """ Only take the published rating into account to compute avg and count """
         domain = super(ProductTemplate, self)._rating_domain()
         return expression.AND([domain, [('website_published', '=', True)]])
 
-    @api.multi
     def _get_images(self):
         """Return a list of records implementing `image.mixin` to
         display on the carousel on the website for this template.
@@ -438,7 +424,6 @@ class Product(models.Model):
             attributes = ','.join(str(x) for x in product.attribute_value_ids.ids)
             product.website_url = "%s#attr=%s" % (product.product_tmpl_id.website_url, attributes)
 
-    @api.multi
     def website_publish_button(self):
         self.ensure_one()
         res = self.product_tmpl_id.website_publish_button()
@@ -448,14 +433,12 @@ class Product(models.Model):
             res['url'] = self.website_url
         return res
 
-    @api.multi
     def open_website_url(self):
         self.ensure_one()
         res = self.product_tmpl_id.open_website_url()
         res['url'] = self.website_url
         return res
 
-    @api.multi
     def _get_images(self):
         """Return a list of records implementing `image.mixin` to
         display on the carousel on the website for this variant.
diff --git a/addons/website_sale/models/res_partner.py b/addons/website_sale/models/res_partner.py
index 7bfa89111803242630a3693e8c73e7e7c9de510a..204a3339ac74ec1c57e67a92c44912ad066beda5 100644
--- a/addons/website_sale/models/res_partner.py
+++ b/addons/website_sale/models/res_partner.py
@@ -10,7 +10,6 @@ class ResPartner(models.Model):
 
     last_website_so_id = fields.Many2one('sale.order', compute='_compute_last_website_so_id', string='Last Online Sales Order')
 
-    @api.multi
     def _compute_last_website_so_id(self):
         SaleOrder = self.env['sale.order']
         for partner in self:
diff --git a/addons/website_sale/models/sale_order.py b/addons/website_sale/models/sale_order.py
index ef21416714d8b603bd2869102c38d2015197f859..c664bfd42715bb0bec9ff9693cddbf94b5cd39b3 100644
--- a/addons/website_sale/models/sale_order.py
+++ b/addons/website_sale/models/sale_order.py
@@ -33,14 +33,12 @@ class SaleOrder(models.Model):
         for order in self:
             order.website_order_line = order.order_line
 
-    @api.multi
     @api.depends('website_order_line.product_uom_qty', 'website_order_line.product_id')
     def _compute_cart_info(self):
         for order in self:
             order.cart_quantity = int(sum(order.mapped('website_order_line.product_uom_qty')))
             order.only_services = all(l.product_id.type in ('service', 'digital') for l in order.website_order_line)
 
-    @api.multi
     @api.depends('website_id', 'date_order', 'order_line', 'state', 'partner_id')
     def _compute_abandoned_cart(self):
         for order in self:
@@ -70,7 +68,6 @@ class SaleOrder(models.Model):
             return abandoned_domain
         return expression.distribute_not(['!'] + abandoned_domain)  # negative domain
 
-    @api.multi
     def _cart_find_product_line(self, product_id=None, line_id=None, **kwargs):
         """Find the cart line matching the given parameters.
 
@@ -98,7 +95,6 @@ class SaleOrder(models.Model):
 
         return self.env['sale.order.line']
 
-    @api.multi
     def _website_product_id_change(self, order_id, product_id, qty=0):
         order = self.sudo().browse(order_id)
         product_context = dict(self.env.context)
@@ -144,7 +140,6 @@ class SaleOrder(models.Model):
             'discount': discount,
         }
 
-    @api.multi
     def _cart_update(self, product_id=None, line_id=None, add_qty=0, set_qty=0, **kwargs):
         """ Add or set product quantity, add_qty can be negative """
         self.ensure_one()
@@ -305,7 +300,6 @@ class SaleOrder(models.Model):
 
             return random.sample(accessory_products, len(accessory_products))
 
-    @api.multi
     def action_recovery_email_send(self):
         for order in self:
             order._portal_ensure_token()
@@ -330,7 +324,6 @@ class SaleOrder(models.Model):
             },
         }
 
-    @api.multi
     def _get_cart_recovery_template(self):
         """
         Return the cart recovery template record for a set of orders.
@@ -343,7 +336,6 @@ class SaleOrder(models.Model):
         template = template or self.env.ref('website_sale.mail_template_sale_cart_recovery', raise_if_not_found=False)
         return template or self.env['mail.template']
 
-    @api.multi
     def _cart_recovery_email_send(self):
         """Send the cart recovery email on the current recordset,
         making sure that the portal token exists to avoid broken links, and marking the email as sent.
@@ -367,7 +359,6 @@ class SaleOrderLine(models.Model):
     linked_line_id = fields.Many2one('sale.order.line', string='Linked Order Line', domain="[('order_id', '!=', order_id)]", ondelete='cascade')
     option_line_ids = fields.One2many('sale.order.line', 'linked_line_id', string='Options Linked')
 
-    @api.multi
     @api.depends('product_id.display_name')
     def _compute_name_short(self):
         """ Compute a short name for this sale order line, to be used on the website where we don't have much space.
diff --git a/addons/website_sale/models/website.py b/addons/website_sale/models/website.py
index dae1e9c4d9e5f3bc84a23b533d80bd9140abca54..6d6541bda425bcd544e2c08acf7ed7be8c115296 100644
--- a/addons/website_sale/models/website.py
+++ b/addons/website_sale/models/website.py
@@ -50,7 +50,6 @@ class Website(models.Model):
                 Pricelist._get_website_pricelists_domain(website.id)
             )
 
-    @api.multi
     def _compute_pricelist_id(self):
         for website in self:
             if website._context.get('website_id') != website.id:
@@ -190,7 +189,6 @@ class Website(models.Model):
             _logger.error('Fail to find pricelist for partner "%s" (id %s)', partner.name, partner.id)
         return pl
 
-    @api.multi
     def sale_product_domain(self):
         return [("sale_ok", "=", True)] + self.get_current_website().website_domain()
 
@@ -202,7 +200,6 @@ class Website(models.Model):
             self.env['account.payment.term'].sudo().search([('company_id', '=', self.company_id.id)], limit=1)
         ).id
 
-    @api.multi
     def _prepare_sale_order_values(self, partner, pricelist):
         self.ensure_one()
         affiliate_id = request.session.get('affiliate_id')
@@ -229,7 +226,6 @@ class Website(models.Model):
 
         return values
 
-    @api.multi
     def sale_get_order(self, force_create=False, code=None, update_pricelist=False, force_pricelist=False):
         """ Return the current sales order after mofications specified by params.
         :param bool force_create: Create sales order if not already existing
diff --git a/addons/website_sale_coupon/models/sale_order.py b/addons/website_sale_coupon/models/sale_order.py
index 49f18e805702409d83de2056701b3e3c6eef6493..574e355455b83b18cd9ceea7fec1053cf7a4c8b3 100644
--- a/addons/website_sale_coupon/models/sale_order.py
+++ b/addons/website_sale_coupon/models/sale_order.py
@@ -63,7 +63,6 @@ class SaleOrder(models.Model):
             request.session.pop('error_promo_code')
         return error
 
-    @api.multi
     def _cart_update(self, product_id=None, line_id=None, add_qty=0, set_qty=0, **kwargs):
         res = super(SaleOrder, self)._cart_update(product_id=product_id, line_id=line_id, add_qty=add_qty, set_qty=set_qty, **kwargs)
         self.recompute_coupon_lines()
diff --git a/addons/website_sale_delivery/models/sale_order.py b/addons/website_sale_delivery/models/sale_order.py
index 620a3190791fd1bcafe0a82db7f1eb300d2e344f..e79805195f51ce1a2fc169e135f421f7498f8acb 100644
--- a/addons/website_sale_delivery/models/sale_order.py
+++ b/addons/website_sale_delivery/models/sale_order.py
@@ -76,7 +76,6 @@ class SaleOrder(models.Model):
         # searching on website_published will also search for available website (_search method on computed field)
         return self.env['delivery.carrier'].sudo().search([('website_published', '=', True)]).available_carriers(address)
 
-    @api.multi
     def _cart_update(self, product_id=None, line_id=None, add_qty=0, set_qty=0, **kwargs):
         """ Override to update carrier quotation if quantity changed """
 
diff --git a/addons/website_sale_digital/models/product.py b/addons/website_sale_digital/models/product.py
index 9b56774906287ef389130cf941e294b0908f6bf6..5da4723169415ef17e4b288f93feb50a09f1b86f 100644
--- a/addons/website_sale_digital/models/product.py
+++ b/addons/website_sale_digital/models/product.py
@@ -9,14 +9,12 @@ class ProductTemplate(models.Model):
 
     attachment_count = fields.Integer(compute='_compute_attachment_count', string="File")
 
-    @api.multi
     def _compute_attachment_count(self):
         attachment_data = self.env['ir.attachment'].read_group([('res_model', '=', self._name), ('res_id', 'in', self.ids), ('product_downloadable', '=', True)], ['res_id'], ['res_id'])
         mapped_data = dict([(data['res_id'], data['res_id_count']) for data in attachment_data])
         for product_template in self:
             product_template.attachment_count = mapped_data.get(product_template.id, 0)
 
-    @api.multi
     def action_open_attachments(self):
         self.ensure_one()
         return {
@@ -38,7 +36,6 @@ class Product(models.Model):
 
     attachment_count = fields.Integer(compute='_compute_attachment_count', string="File")
 
-    @api.multi
     def _compute_attachment_count(self):
         for product in self:
             product.attachment_count = self.env['ir.attachment'].search_count([
@@ -46,7 +43,6 @@ class Product(models.Model):
                 ('res_model', '=', 'product.template'), ('res_id', '=', product.product_tmpl_id.id), ('product_downloadable', '=', True),
                 ('res_model', '=', 'product.product'), ('res_id', '=', product.id), ('product_downloadable', '=', True)])
 
-    @api.multi
     def action_open_attachments(self):
         self.ensure_one()
         return {
diff --git a/addons/website_sale_product_configurator/models/sale_order.py b/addons/website_sale_product_configurator/models/sale_order.py
index e3d1fdc96e79e57b1f9115a9019cef4be53ca27c..943fd23f22a4e7b2ecc9d4dbc7987ce2c6826615 100644
--- a/addons/website_sale_product_configurator/models/sale_order.py
+++ b/addons/website_sale_product_configurator/models/sale_order.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class SaleOrder(models.Model):
     _inherit = "sale.order"
 
-    @api.multi
     def _cart_find_product_line(self, product_id=None, line_id=None, **kwargs):
         lines = super(SaleOrder, self)._cart_find_product_line(product_id, line_id, **kwargs)
         if lines:
diff --git a/addons/website_sale_slides/models/sale_order.py b/addons/website_sale_slides/models/sale_order.py
index 6ab212628dd23de0e42b77e7cd44ff334ad34ec4..266e257603b864c4325c14acbe912f47bac5cc06 100644
--- a/addons/website_sale_slides/models/sale_order.py
+++ b/addons/website_sale_slides/models/sale_order.py
@@ -7,7 +7,6 @@ from odoo import models, api
 class SaleOrder(models.Model):
     _inherit = "sale.order"
 
-    @api.multi
     def _action_confirm(self):
         """ If the product of an order line is a 'course', we add the client of the sale_order
         as a member of the channel(s) on which this product is configured (see slide.channel.product_id). """
diff --git a/addons/website_sale_stock/models/product_template.py b/addons/website_sale_stock/models/product_template.py
index 6d056d1ed2e86e0534c9e532f56ebb19034e95de..0b16fbad1c27eb1d8836e258638a437e7d7110d0 100644
--- a/addons/website_sale_stock/models/product_template.py
+++ b/addons/website_sale_stock/models/product_template.py
@@ -16,7 +16,6 @@ class ProductTemplate(models.Model):
     available_threshold = fields.Float(string='Availability Threshold', default=5.0)
     custom_message = fields.Text(string='Custom Message', default='', translate=True)
 
-    @api.multi
     def _get_combination_info(self, combination=False, product_id=False, add_qty=1, pricelist=False, reference_product=False, only_template=False):
         combination_info = super(ProductTemplate, self)._get_combination_info(
             combination=combination, product_id=product_id, add_qty=add_qty, pricelist=pricelist,
diff --git a/addons/website_sale_stock/models/res_config_settings.py b/addons/website_sale_stock/models/res_config_settings.py
index 51b05aa01ae5ccd8b2dd9a8d8094f0e4f55307ba..17fcafc8276f318923e9c57a212e99b0c25beb2a 100644
--- a/addons/website_sale_stock/models/res_config_settings.py
+++ b/addons/website_sale_stock/models/res_config_settings.py
@@ -16,7 +16,6 @@ class ResConfigSettings(models.TransientModel):
     available_threshold = fields.Float(string='Availability Threshold')
     website_warehouse_id = fields.Many2one('stock.warehouse', related='website_id.warehouse_id', domain="[('company_id', '=', website_company_id)]", readonly=False)
 
-    @api.multi
     def set_values(self):
         super(ResConfigSettings, self).set_values()
         IrDefault = self.env['ir.default'].sudo()
diff --git a/addons/website_sale_stock/models/sale_order.py b/addons/website_sale_stock/models/sale_order.py
index 060577c8e80727faf7a2975bcdd6e4ff9d9d75de..391ad44b4afac40d6c4215b0c2ed6127e21bbbbc 100644
--- a/addons/website_sale_stock/models/sale_order.py
+++ b/addons/website_sale_stock/models/sale_order.py
@@ -31,14 +31,12 @@ class SaleOrder(models.Model):
                         values['warning'] = self.warning_stock
         return values
 
-    @api.multi
     def _website_product_id_change(self, order_id, product_id, qty=0):
         res = super(SaleOrder, self)._website_product_id_change(order_id, product_id, qty=qty)
         product = self.env['product.product'].browse(product_id)
         res['customer_lead'] = product.sale_delay
         return res
 
-    @api.multi
     def _get_stock_warning(self, clear=True):
         self.ensure_one()
         warn = self.warning_stock
@@ -52,7 +50,6 @@ class SaleOrderLine(models.Model):
 
     warning_stock = fields.Char('Warning')
 
-    @api.multi
     def _get_stock_warning(self, clear=True):
         self.ensure_one()
         warn = self.warning_stock
diff --git a/addons/website_sale_stock/models/website.py b/addons/website_sale_stock/models/website.py
index e9730cffed09557fc198db88f97ec15480b40776..78d2301c338920d67b538e3a367cf1cf1773f33f 100644
--- a/addons/website_sale_stock/models/website.py
+++ b/addons/website_sale_stock/models/website.py
@@ -7,7 +7,6 @@ class Website(models.Model):
 
     warehouse_id = fields.Many2one('stock.warehouse', string='Warehouse')
 
-    @api.multi
     def _prepare_sale_order_values(self, partner, pricelist):
         self.ensure_one()
         values = super(Website, self)._prepare_sale_order_values(partner, pricelist)
diff --git a/addons/website_sale_wishlist/models/product_wishlist.py b/addons/website_sale_wishlist/models/product_wishlist.py
index 1bcbe57baef6c346fce8c59cf310d692cd380d7e..678bace4cb1c5acf0dc39ee1a9bcda7f7295c1a2 100644
--- a/addons/website_sale_wishlist/models/product_wishlist.py
+++ b/addons/website_sale_wishlist/models/product_wishlist.py
@@ -79,7 +79,6 @@ class ResPartner(models.Model):
 class ProductTemplate(models.Model):
     _inherit = 'product.template'
 
-    @api.multi
     def _is_in_wishlist(self):
         self.ensure_one()
         return self in self.env['product.wishlist'].current().mapped('product_id.product_tmpl_id')
@@ -88,7 +87,6 @@ class ProductTemplate(models.Model):
 class ProductProduct(models.Model):
     _inherit = 'product.product'
 
-    @api.multi
     def _is_in_wishlist(self):
         self.ensure_one()
         return self in self.env['product.wishlist'].current().mapped('product_id')
diff --git a/addons/website_slides/models/res_groups.py b/addons/website_slides/models/res_groups.py
index 7a44b3365e30e6185b5065dc5f48d69e52ca1b33..c7d28545b259e12d44419ebf54206290091ec77f 100644
--- a/addons/website_slides/models/res_groups.py
+++ b/addons/website_slides/models/res_groups.py
@@ -7,7 +7,6 @@ from odoo import api, models
 class UserGroup(models.Model):
     _inherit = 'res.groups'
 
-    @api.multi
     def write(self, vals):
         """ Automatically subscribe new users to linked slide channels """
         write_res = super(UserGroup, self).write(vals)
diff --git a/addons/website_slides/models/res_users.py b/addons/website_slides/models/res_users.py
index a97f7bb7e9606cea157d676670162150d99024a3..47f6baa980e4028356ab388b71ec36fcfc789170 100644
--- a/addons/website_slides/models/res_users.py
+++ b/addons/website_slides/models/res_users.py
@@ -14,7 +14,6 @@ class Users(models.Model):
         self.env['slide.channel'].sudo().search([('enroll_group_ids', 'in', user.groups_id.ids)])._action_add_members(user.partner_id)
         return user
 
-    @api.multi
     def write(self, vals):
         """ Trigger automatic subscription based on updated user groups """
         res = super(Users, self).write(vals)
diff --git a/addons/website_slides/models/slide_channel.py b/addons/website_slides/models/slide_channel.py
index 313b76b55d341d2c90d790b8edd02af351934443..0b780567c0cf76adf9ddccbe0e70a3f10b7912f8 100644
--- a/addons/website_slides/models/slide_channel.py
+++ b/addons/website_slides/models/slide_channel.py
@@ -269,13 +269,11 @@ class Channel(models.Model):
     def _get_can_publish_error_message(self):
         return _("Publishing is restricted to the responsible of training courses or members of the publisher group for documentation courses")
 
-    @api.multi
     def get_base_url(self):
         self.ensure_one()
         icp = self.env['ir.config_parameter'].sudo().get_param('web.base.url')
         return self.website_id and self.website_id._get_http_domain() or icp
 
-    @api.multi
     @api.depends('name', 'website_id.domain')
     def _compute_website_url(self):
         super(Channel, self)._compute_website_url()
@@ -284,7 +282,6 @@ class Channel(models.Model):
                 base_url = channel.get_base_url()
                 channel.website_url = '%s/slides/%s' % (base_url, slug(channel))
 
-    @api.multi
     def _compute_action_rights(self):
         user_karma = self.env.user.karma
         for channel in self:
@@ -332,7 +329,6 @@ class Channel(models.Model):
             channel._add_groups_members()
         return channel
 
-    @api.multi
     def write(self, vals):
         res = super(Channel, self).write(vals)
         if vals.get('user_id'):
@@ -344,7 +340,6 @@ class Channel(models.Model):
             self._add_groups_members()
         return res
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, parent_id=False, subtype=None, **kwargs):
         """ Temporary workaround to avoid spam. If someone replies on a channel
@@ -365,7 +360,6 @@ class Channel(models.Model):
     # Business / Actions
     # ---------------------------------------------------------
 
-    @api.multi
     def action_redirect_to_members(self):
         action = self.env.ref('website_slides.slide_channel_partner_action').read()[0]
         action['view_mode'] = 'tree'
@@ -375,7 +369,6 @@ class Channel(models.Model):
 
         return action
 
-    @api.multi
     def action_channel_invite(self):
         self.ensure_one()
 
@@ -479,7 +472,6 @@ class Channel(models.Model):
     # Rating Mixin API
     # ---------------------------------------------------------
 
-    @api.multi
     def _rating_domain(self):
         """ Only take the published rating into account to compute avg and count """
         domain = super(Channel, self)._rating_domain()
diff --git a/addons/website_slides/models/slide_slide.py b/addons/website_slides/models/slide_slide.py
index dbf065ad7a1b56e47793d48477c7051ae9173c37..6dbb0a00a30d21adc2d9823e1a3e7f847e7ef16f 100644
--- a/addons/website_slides/models/slide_slide.py
+++ b/addons/website_slides/models/slide_slide.py
@@ -241,7 +241,6 @@ class Slide(models.Model):
             for key, value in values.items():
                 self[key] = value
 
-    @api.multi
     @api.depends('name', 'channel_id.website_id.domain')
     def _compute_website_url(self):
         # TDE FIXME: clena this link.tracker strange stuff
@@ -297,7 +296,6 @@ class Slide(models.Model):
             slide._post_publication()
         return slide
 
-    @api.multi
     def write(self, values):
         if values.get('url') and values['url'] != self.url:
             doc_data = self._parse_document_url(values['url']).get('values', dict())
@@ -314,7 +312,6 @@ class Slide(models.Model):
     # Mail/Rating
     # ---------------------------------------------------------
 
-    @api.multi
     @api.returns('mail.message', lambda value: value.id)
     def message_post(self, message_type='notification', **kwargs):
         self.ensure_one()
@@ -322,7 +319,6 @@ class Slide(models.Model):
             raise KarmaError(_('Not enough karma to comment'))
         return super(Slide, self).message_post(message_type=message_type, **kwargs)
 
-    @api.multi
     def get_access_action(self, access_uid=None):
         """ Instead of the classic form view, redirect to website if it is published. """
         self.ensure_one()
@@ -336,7 +332,6 @@ class Slide(models.Model):
             }
         return super(Slide, self).get_access_action(access_uid)
 
-    @api.multi
     def _notify_get_groups(self):
         """ Add access button to everyone if the document is active. """
         groups = super(Slide, self)._notify_get_groups()
diff --git a/addons/website_slides/wizard/slide_channel_invite.py b/addons/website_slides/wizard/slide_channel_invite.py
index 76330d0da105a74716a4ff7992d8549549c58400..be7db01a12e85a5ec9fa69c558e3d3a3467d658b 100644
--- a/addons/website_slides/wizard/slide_channel_invite.py
+++ b/addons/website_slides/wizard/slide_channel_invite.py
@@ -77,7 +77,6 @@ class SlideChannelInvite(models.TransientModel):
                 values['body'] = template.body_html
         return super(SlideChannelInvite, self).create(values)
 
-    @api.multi
     def action_invite(self):
         """ Process the wizard content and proceed with sending the related
             email(s), rendering any template patterns on the fly if needed """
diff --git a/addons/website_slides_survey/models/slide_slide.py b/addons/website_slides_survey/models/slide_slide.py
index c7639917b272f6c693f138d9242a1ba23083bff0..49caaa29a938ab12be53396b87250766586eb40e 100644
--- a/addons/website_slides_survey/models/slide_slide.py
+++ b/addons/website_slides_survey/models/slide_slide.py
@@ -27,7 +27,6 @@ class SlidePartnerRelation(models.Model):
                 vals['completed'] = True
         return super(SlidePartnerRelation, self).create(vals_list)
 
-    @api.multi
     def _write(self, vals):
         if vals.get('survey_quizz_passed'):
             vals['completed'] = True
@@ -45,7 +44,6 @@ class Slide(models.Model):
         ('check_certification_preview', "CHECK(slide_type != 'certification' OR is_preview = False)", "A slide of type certification cannot be previewed."),
     ]
 
-    @api.multi
     def _generate_certification_url(self):
         """ get a map of certification url for certification slide from `self`. The url will come from the survey user input:
                 1/ existing and not done user_input for member of the course
diff --git a/addons/website_slides_survey/models/survey_user.py b/addons/website_slides_survey/models/survey_user.py
index 73ecef8912962d0ea488d0df0578a49ded30da3a..ec658874ff5c652b62f46b0595e08623f89421b1 100644
--- a/addons/website_slides_survey/models/survey_user.py
+++ b/addons/website_slides_survey/models/survey_user.py
@@ -19,7 +19,6 @@ class SurveyUserInput(models.Model):
         records._check_for_failed_attempt()
         return records
 
-    @api.multi
     def write(self, vals):
         res = super(SurveyUserInput, self).write(vals)
         if 'state' in vals:
diff --git a/addons/website_theme_install/models/ir_module_module.py b/addons/website_theme_install/models/ir_module_module.py
index e7e31e176f2104a3d42d5c64db5aa0a0e34de696..532be6e52c6bbeac5447602382363e7fa7d7ec93 100644
--- a/addons/website_theme_install/models/ir_module_module.py
+++ b/addons/website_theme_install/models/ir_module_module.py
@@ -36,7 +36,6 @@ class IrModuleModule(models.Model):
     # for kanban view
     is_installed_on_current_website = fields.Boolean(compute='_compute_is_installed_on_current_website')
 
-    @api.multi
     def _compute_is_installed_on_current_website(self):
         """
             Compute for every theme in ``self`` if the current website is using it or not.
@@ -48,7 +47,6 @@ class IrModuleModule(models.Model):
         for module in self:
             module.is_installed_on_current_website = module == self.env['website'].get_current_website().theme_id
 
-    @api.multi
     def write(self, vals):
         """
             Override to correctly upgrade themes after upgrade/installation of modules.
@@ -93,7 +91,6 @@ class IrModuleModule(models.Model):
 
         return super(IrModuleModule, self).write(vals)
 
-    @api.multi
     def _get_module_data(self, model_name):
         """
             Return every theme template model of type ``model_name`` for every theme in ``self``.
@@ -180,7 +177,6 @@ class IrModuleModule(models.Model):
 
         self._theme_cleanup(model_name, website)
 
-    @api.multi
     def _post_copy(self, old_rec, new_rec):
         self.ensure_one()
         translated_fields = self._theme_translated_fields.get(old_rec._name, [])
@@ -194,7 +190,6 @@ class IrModuleModule(models.Model):
                              (dst_field, new_rec.id, src_field, old_rec.id))
 
 
-    @api.multi
     def _theme_load(self, website):
         """
             For every type of model in ``self._theme_model_names``, and for every theme in ``self``:
@@ -213,7 +208,6 @@ class IrModuleModule(models.Model):
             self = self.env()[self._name].browse(self.id)
             self.env['theme.utils']._post_copy(module, website)
 
-    @api.multi
     def _theme_unload(self, website):
         """
             For every type of model in ``self._theme_model_names``, and for every theme in ``self``:
@@ -231,7 +225,6 @@ class IrModuleModule(models.Model):
                 models.unlink()
                 self._theme_cleanup(model_name, website)
 
-    @api.multi
     def _theme_cleanup(self, model_name, website):
         """
             Remove orphan models of type ``model_name`` from the current theme and
@@ -265,7 +258,6 @@ class IrModuleModule(models.Model):
         ])
         orphans.unlink()
 
-    @api.multi
     def _theme_get_upstream(self):
         """
             Return installed upstream themes.
@@ -275,7 +267,6 @@ class IrModuleModule(models.Model):
         self.ensure_one()
         return self.upstream_dependencies(exclude_states=('',)).filtered(lambda x: x.name.startswith('theme_'))
 
-    @api.multi
     def _theme_get_downstream(self):
         """
             Return installed downstream themes that starts with the same name.
@@ -288,7 +279,6 @@ class IrModuleModule(models.Model):
         self.ensure_one()
         return self.downstream_dependencies().filtered(lambda x: x.name.startswith(self.name))
 
-    @api.multi
     def _theme_get_stream_themes(self):
         """
             Returns all the themes in the stream of the current theme.
@@ -305,7 +295,6 @@ class IrModuleModule(models.Model):
                 all_mods = up_mod | all_mods
         return all_mods
 
-    @api.multi
     def _theme_get_stream_website_ids(self):
         """
             Websites for which this theme (self) is in the stream (up or down) of their theme.
@@ -319,7 +308,6 @@ class IrModuleModule(models.Model):
                 websites |= website
         return websites
 
-    @api.multi
     def _theme_upgrade_upstream(self):
         """
             Upgrade the upstream dependencies of a theme.
@@ -351,7 +339,6 @@ class IrModuleModule(models.Model):
             theme._theme_unload(website)
         website.theme_id = False
 
-    @api.multi
     def button_choose_theme(self):
         """
             Remove any existing theme on the current website and install the theme ``self`` instead.
diff --git a/addons/website_theme_install/models/theme_models.py b/addons/website_theme_install/models/theme_models.py
index b9b2f006c9414e543d8836b0480ce8eaf9d9baf0..20a30c9713a8cee81b9314bb0f18299ec41b1402 100644
--- a/addons/website_theme_install/models/theme_models.py
+++ b/addons/website_theme_install/models/theme_models.py
@@ -31,7 +31,6 @@ class ThemeView(models.Model):
 
     # TODO master add missing field: customize_show
 
-    @api.multi
     def _convert_to_base_model(self, website, **kwargs):
         self.ensure_one()
         inherit = self.inherit_id
@@ -70,7 +69,6 @@ class ThemeAttachment(models.Model):
     copy_ids = fields.One2many('ir.attachment', 'theme_template_id', 'Attachment using a copy of me', copy=False, readonly=True)
 
 
-    @api.multi
     def _convert_to_base_model(self, website, **kwargs):
         self.ensure_one()
         new_attach = {
@@ -98,7 +96,6 @@ class ThemeMenu(models.Model):
     parent_id = fields.Many2one('theme.website.menu', index=True, ondelete="cascade")
     copy_ids = fields.One2many('website.menu', 'theme_template_id', 'Menu using a copy of me', copy=False, readonly=True)
 
-    @api.multi
     def _convert_to_base_model(self, website, **kwargs):
         self.ensure_one()
         page_id = self.page_id.copy_ids.filtered(lambda x: x.website_id == website)
@@ -124,7 +121,6 @@ class ThemePage(models.Model):
     website_indexed = fields.Boolean('Page Indexed', default=True)
     copy_ids = fields.One2many('website.page', 'theme_template_id', 'Page using a copy of me', copy=False, readonly=True)
 
-    @api.multi
     def _convert_to_base_model(self, website, **kwargs):
         self.ensure_one()
         view_id = self.view_id.copy_ids.filtered(lambda x: x.website_id == website)
diff --git a/addons/website_twitter/models/res_config_settings.py b/addons/website_twitter/models/res_config_settings.py
index 4cb58e52d72fa6a6132d91090aab6cbf5aca3ee4..b0e70529313938110dc025b6bfc883cc4c4279c6 100644
--- a/addons/website_twitter/models/res_config_settings.py
+++ b/addons/website_twitter/models/res_config_settings.py
@@ -68,7 +68,6 @@ class ResConfigSettings(models.TransientModel):
             TwitterConfig._check_twitter_authorization()
         return TwitterConfig
 
-    @api.multi
     def write(self, vals):
         TwitterConfig = super(ResConfigSettings, self).write(vals)
         if vals.get('twitter_api_key') or vals.get('twitter_api_secret') or vals.get('twitter_screen_name'):
diff --git a/addons/website_twitter/models/website_twitter.py b/addons/website_twitter/models/website_twitter.py
index 966f7ab6249823a205c92db674bb22d79ff89f1e..f7de73301dd20ed522765205cb73f47c5d520ef9 100644
--- a/addons/website_twitter/models/website_twitter.py
+++ b/addons/website_twitter/models/website_twitter.py
@@ -45,7 +45,6 @@ class WebsiteTwitter(models.Model):
         _logger.debug("Refreshing tweets for website IDs: %r", website.ids)
         website.fetch_favorite_tweets()
 
-    @api.multi
     def fetch_favorite_tweets(self):
         WebsiteTweets = self.env['website.twitter.tweet']
         tweet_ids = []
diff --git a/doc/howtos/backend.rst b/doc/howtos/backend.rst
index a5d03443f521d2ecf817e5b4a28d69c5655f2c0c..90300568c8f608e2b763d99b1c1a268cecd163f0 100644
--- a/doc/howtos/backend.rst
+++ b/doc/howtos/backend.rst
@@ -789,7 +789,6 @@ method should simply set the value of the field to compute on every record in
 
         name = fields.Char(compute='_compute_name')
 
-        @api.multi
         def _compute_name(self):
             for record in self:
                 record.name = str(random.randint(1, 1e6))
diff --git a/doc/howtos/profilecode.rst b/doc/howtos/profilecode.rst
index ed6d2640648dd93a8973683063b76f1d3fb6ac98..1251c052ff7505bafb2fc459502b362949d571b1 100644
--- a/doc/howtos/profilecode.rst
+++ b/doc/howtos/profilecode.rst
@@ -20,7 +20,6 @@ its sub-called methods.
     from odoo.tools.profiler import profile
     [...]
     @profile('/temp/prof.profile')
-    @api.multi
     def mymethod(...)
 
 This produces a file called /temp/prof.profile
diff --git a/doc/reference/guidelines.rst b/doc/reference/guidelines.rst
index de9723121ff27a7e3aaf3f34454cf01725220d1b..c1a282cf19f87beb86d12e259c4652ddafd933d8 100644
--- a/doc/reference/guidelines.rst
+++ b/doc/reference/guidelines.rst
@@ -586,13 +586,11 @@ Programming in Odoo
 
 Make your method work in batch
 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
-When adding a function, make sure it can process multiple records. Typically,
-such methods are decorated with the ``api.multi`` decorator. Then you will have
-to iterate on ``self`` to treat each record.
+When adding a function, make sure it can process multiple records by iterating
+on self to treat each record.
 
 .. code-block:: python
 
-    @api.multi
     def my_method(self)
         for record in self:
             record.do_cool_stuff()
@@ -607,7 +605,6 @@ is recommended to use ``read_group`` method, to compute all value in only one re
 
 .. code-block:: python
 
-    @api.multi
     def _compute_equipment_count(self):
     """ Count the number of equipement per category """
         equipment_data = self.env['hr.equipment'].read_group([('category_id', 'in', self.ids)], ['category_id'], ['category_id'])
@@ -943,8 +940,8 @@ Symbols and Conventions
     - Selection method: the selection method pattern is *_selection_<field_name>*
     - Onchange method : the onchange method pattern is *_onchange_<field_name>*
     - Constraint method : the constraint method pattern is *_check_<constraint_name>*
-    - Action method : an object action method is prefix with *action_*. Its decorator is
-      ``@api.multi``, but since it use only one record, add ``self.ensure_one()``
+    - Action method : an object action method is prefix with *action_*.
+      Since it uses only one record, add ``self.ensure_one()``
       at the beginning of the method.
 
 - In a Model attribute order should be
@@ -979,7 +976,6 @@ Symbols and Conventions
         event_type = fields.Selection(string="Type", selection='_selection_type')
 
         # compute and search fields, in the same order of fields declaration
-        @api.multi
         @api.depends('seats_max', 'registration_ids.state', 'registration_ids.nb_register')
         def _compute_seats(self):
             ...
@@ -1002,7 +998,6 @@ Symbols and Conventions
             ...
 
         # Action methods
-        @api.multi
         def action_validate(self):
             self.ensure_one()
             ...
diff --git a/doc/reference/orm.rst b/doc/reference/orm.rst
index 20440d5c414c4e2b934a9b9d49a5e8534fd206c2..47e8b1c9d613da6796a1fbd5d94df323fa3db94d 100644
--- a/doc/reference/orm.rst
+++ b/doc/reference/orm.rst
@@ -565,16 +565,6 @@ Two decorators can expose a new-style method to the old API:
         # can be called as
         old_style_model.some_method(cr, uid, a_value, context=context)
 
-:func:`~odoo.api.multi`
-    the method is exposed as taking a list of ids (possibly empty), its
-    "old API" signature is ``cr, uid, ids, *arguments, context``::
-
-        @api.multi
-        def some_method(self, a_value):
-            pass
-        # can be called as
-        old_style_model.some_method(cr, uid, [id1, id2], a_value, context=context)
-
 Note that a method `create` decorated with :func:`~odoo.api.model` will always
 be called with a single dictionary. A method `create` decorated with the variant
 :func:`~odoo.api.model_create_multi` will always be called with a list of dicts.
diff --git a/odoo/addons/base/models/decimal_precision.py b/odoo/addons/base/models/decimal_precision.py
index dec400b1328af8a7b70b52084921b9e891685892..6e68391422343491683b20055fc4fc96418c2485 100644
--- a/odoo/addons/base/models/decimal_precision.py
+++ b/odoo/addons/base/models/decimal_precision.py
@@ -38,13 +38,11 @@ class DecimalPrecision(models.Model):
         self.clear_caches()
         return res
 
-    @api.multi
     def write(self, data):
         res = super(DecimalPrecision, self).write(data)
         self.clear_caches()
         return res
 
-    @api.multi
     def unlink(self):
         res = super(DecimalPrecision, self).unlink()
         self.clear_caches()
diff --git a/odoo/addons/base/models/image_mixin.py b/odoo/addons/base/models/image_mixin.py
index d6de91f9fbbb95ab4a322497291e2f39bab69124..855415e385fcff907efa4d573ced3987ab1b4b19 100644
--- a/odoo/addons/base/models/image_mixin.py
+++ b/odoo/addons/base/models/image_mixin.py
@@ -22,7 +22,6 @@ class ImageMixin(models.AbstractModel):
 
     image = fields.Binary("Image", compute='_compute_image', inverse='_set_image')
 
-    @api.multi
     @api.depends('image_original')
     def _compute_images(self):
         for record in self:
@@ -36,13 +35,11 @@ class ImageMixin(models.AbstractModel):
             record.image_small = image and images['image_small']
             record.can_image_be_zoomed = image and tools.is_image_size_above(image)
 
-    @api.multi
     @api.depends('image_big')
     def _compute_image(self):
         for record in self:
             record.image = record.image_big
 
-    @api.multi
     def _set_image(self):
         for record in self:
             record.image_original = record.image
diff --git a/odoo/addons/base/models/ir_actions.py b/odoo/addons/base/models/ir_actions.py
index 66d11d4bd6e596158b9dcea36952f8c903a104fe..0a7f34c141f47a98600138dc61fc6b6583b2ad12 100644
--- a/odoo/addons/base/models/ir_actions.py
+++ b/odoo/addons/base/models/ir_actions.py
@@ -61,14 +61,12 @@ class IrActions(models.Model):
         self.clear_caches()
         return res
 
-    @api.multi
     def write(self, vals):
         res = super(IrActions, self).write(vals)
         # self.get_bindings() depends on action records
         self.clear_caches()
         return res
 
-    @api.multi
     def unlink(self):
         """unlink ir.action.todo which are related to actions which will be deleted.
            NOTE: ondelete cascade will not work on ir.actions.actions so we will need to do it manually."""
@@ -197,7 +195,6 @@ class IrActionsActWindow(models.Model):
     filter = fields.Boolean()
     search_view = fields.Text(compute='_compute_search_view')
 
-    @api.multi
     def read(self, fields=None, load='_classic_read'):
         """ call the method get_empty_list_help of the model and set the window action help message
         """
@@ -234,12 +231,10 @@ class IrActionsActWindow(models.Model):
                 vals['name'] = self.env[vals['res_model']]._description
         return super(IrActionsActWindow, self).create(vals_list)
 
-    @api.multi
     def unlink(self):
         self.clear_caches()
         return super(IrActionsActWindow, self).unlink()
 
-    @api.multi
     def exists(self):
         ids = self._existing()
         existing = self.filtered(lambda rec: rec.id in ids)
@@ -423,7 +418,6 @@ class IrActionsServer(models.Model):
     def _onchange_model_id(self):
         self.model_name = self.model_id.model
 
-    @api.multi
     def create_action(self):
         """ Create a contextual action for each server action. """
         for action in self:
@@ -431,7 +425,6 @@ class IrActionsServer(models.Model):
                           'binding_type': 'action'})
         return True
 
-    @api.multi
     def unlink_action(self):
         """ Remove the contextual actions created for the server actions. """
         self.check_access_rights('write', raise_exception=True)
@@ -541,7 +534,6 @@ class IrActionsServer(models.Model):
         })
         return eval_context
 
-    @api.multi
     def run(self):
         """ Runs the server action. For each server action, the
         run_action_<STATE> method is called. This allows easy overriding
@@ -647,7 +639,6 @@ class IrServerObjectLines(models.Model):
             if line.resource_ref:
                 line.value = str(line.resource_ref.id)
 
-    @api.multi
     def eval_value(self, eval_context=None):
         result = dict.fromkeys(self.ids, False)
         for line in self:
@@ -684,7 +675,6 @@ class IrActionsTodo(models.Model):
                 self.ensure_one_open_todo()
         return todos
 
-    @api.multi
     def write(self, vals):
         res = super(IrActionsTodo, self).write(vals)
         if vals.get('state', '') == 'open':
@@ -697,11 +687,9 @@ class IrActionsTodo(models.Model):
         if open_todo:
             open_todo.write({'state': 'done'})
 
-    @api.multi
     def name_get(self):
         return [(record.id, record.action_id.name) for record in self]
 
-    @api.multi
     def unlink(self):
         if self:
             try:
@@ -722,7 +710,6 @@ class IrActionsTodo(models.Model):
             return self.browse(action_ids).name_get()
         return super(IrActionsTodo, self)._name_search(name, args=args, operator=operator, limit=limit, name_get_uid=name_get_uid)
 
-    @api.multi
     def action_launch(self):
         """ Launch Action of Wizard"""
         self.ensure_one()
@@ -750,7 +737,6 @@ class IrActionsTodo(models.Model):
 
         return result
 
-    @api.multi
     def action_open(self):
         """ Sets configuration wizard in TODO state"""
         return self.write({'state': 'open'})
diff --git a/odoo/addons/base/models/ir_actions_report.py b/odoo/addons/base/models/ir_actions_report.py
index 5c5ead2507f9e6ea4b6ea89dea27af523bf9ce1d..1e76c8c1cf889cbc179e78192a97977b986cdb80 100644
--- a/odoo/addons/base/models/ir_actions_report.py
+++ b/odoo/addons/base/models/ir_actions_report.py
@@ -143,7 +143,6 @@ class IrActionsReport(models.Model):
         else:
             return FALSE_DOMAIN
 
-    @api.multi
     def associated_view(self):
         """Used in the ir.actions.report form view in order to search naively after the view(s)
         used in the rendering.
@@ -156,7 +155,6 @@ class IrActionsReport(models.Model):
         action_data['domain'] = [('name', 'ilike', self.report_name.split('.')[1]), ('type', '=', 'qweb')]
         return action_data
 
-    @api.multi
     def create_action(self):
         """ Create a contextual action for each report. """
         for report in self:
@@ -164,7 +162,6 @@ class IrActionsReport(models.Model):
             report.write({'binding_model_id': model.id, 'binding_type': 'report'})
         return True
 
-    @api.multi
     def unlink_action(self):
         """ Remove the contextual actions created for the reports. """
         self.check_access_rights('write', raise_exception=True)
@@ -174,7 +171,6 @@ class IrActionsReport(models.Model):
     #--------------------------------------------------------------------------
     # Main report methods
     #--------------------------------------------------------------------------
-    @api.multi
     def _retrieve_stream_from_attachment(self, attachment):
         #This import is needed to make sure a PDF stream can be saved in Image
         from PIL import PdfImagePlugin
@@ -185,7 +181,6 @@ class IrActionsReport(models.Model):
             return stream
         return io.BytesIO(base64.decodestring(attachment.datas))
 
-    @api.multi
     def retrieve_attachment(self, record):
         '''Retrieve an attachment for a specific record.
 
@@ -202,7 +197,6 @@ class IrActionsReport(models.Model):
                 ('res_id', '=', record.id)
         ], limit=1)
 
-    @api.multi
     def postprocess_pdf_report(self, record, buffer):
         '''Hook to handle post processing during the pdf report generation.
         The basic behavior consists to create a new attachment containing the pdf
@@ -325,7 +319,6 @@ class IrActionsReport(models.Model):
 
         return command_args
 
-    @api.multi
     def _prepare_html(self, html):
         '''Divide and recreate the header/footer html by merging all found in html.
         The bodies are extracted and added to a list. Then, extract the specific_paperformat_args.
@@ -515,7 +508,6 @@ class IrActionsReport(models.Model):
             else:
                 return self.barcode('Code128', value, width=width, height=height, humanreadable=humanreadable)
 
-    @api.multi
     def render_template(self, template, values=None):
         """Allow to render a QWeb template python-side. This function returns the 'ir.ui.view'
         render but embellish it with some variables/methods used in reports.
@@ -546,7 +538,6 @@ class IrActionsReport(models.Model):
         )
         return view_obj.render_template(template, values)
 
-    @api.multi
     def _post_pdf(self, save_in_attachment, pdf_content=None, res_ids=None):
         '''Merge the existing attachments by adding one by one the content of the attachments
         and then, we add the pdf_content if exists. Create the attachments for each record individually
@@ -650,7 +641,6 @@ class IrActionsReport(models.Model):
         writer.write(result_stream)
         return result_stream.getvalue()
 
-    @api.multi
     def render_qweb_pdf(self, res_ids=None, data=None):
         if not data:
             data = {}
@@ -786,7 +776,6 @@ class IrActionsReport(models.Model):
             })
         return data
 
-    @api.multi
     def render(self, res_ids, data=None):
         report_type = self.report_type.lower().replace('-', '_')
         render_func = getattr(self, 'render_' + report_type, None)
diff --git a/odoo/addons/base/models/ir_attachment.py b/odoo/addons/base/models/ir_attachment.py
index 0cd42acce97773f40f08227ca9e9970ec4397642..e6508eb0e22489492eff352af16f519b75bac579 100644
--- a/odoo/addons/base/models/ir_attachment.py
+++ b/odoo/addons/base/models/ir_attachment.py
@@ -461,12 +461,10 @@ class IrAttachment(models.Model):
 
         return len(result) if count else list(result)
 
-    @api.multi
     def read(self, fields=None, load='_classic_read'):
         self.check('read')
         return super(IrAttachment, self).read(fields, load=load)
 
-    @api.multi
     def write(self, vals):
         self.check('write', values=vals)
         # remove computed field depending of datas
@@ -476,12 +474,10 @@ class IrAttachment(models.Model):
             vals = self._check_contents(vals)
         return super(IrAttachment, self).write(vals)
 
-    @api.multi
     def copy(self, default=None):
         self.check('write')
         return super(IrAttachment, self).copy(default)
 
-    @api.multi
     def unlink(self):
         if not self:
             return True
@@ -516,7 +512,6 @@ class IrAttachment(models.Model):
             self.check('write', values={'res_model':res_model, 'res_id':res_id})
         return super(IrAttachment, self).create(vals_list)
 
-    @api.multi
     def _post_add_create(self):
         pass
 
diff --git a/odoo/addons/base/models/ir_config_parameter.py b/odoo/addons/base/models/ir_config_parameter.py
index 32e7a838854119f2675abfc23d1933d56615b40d..3dd77cc1304873184d9d1d21c0b3b88f1e1444d4 100644
--- a/odoo/addons/base/models/ir_config_parameter.py
+++ b/odoo/addons/base/models/ir_config_parameter.py
@@ -97,12 +97,10 @@ class IrConfigParameter(models.Model):
         self.clear_caches()
         return super(IrConfigParameter, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         self.clear_caches()
         return super(IrConfigParameter, self).write(vals)
 
-    @api.multi
     def unlink(self):
         self.clear_caches()
         return super(IrConfigParameter, self).unlink()
diff --git a/odoo/addons/base/models/ir_cron.py b/odoo/addons/base/models/ir_cron.py
index b2ff473bbe54434856c9734398bd7394957d76b2..b9ccfcfbec6d01461c6f3392f8e09fde4003d0b2 100644
--- a/odoo/addons/base/models/ir_cron.py
+++ b/odoo/addons/base/models/ir_cron.py
@@ -70,7 +70,6 @@ class ir_cron(models.Model):
         values['usage'] = 'ir_cron'
         return super(ir_cron, self).create(values)
 
-    @api.multi
     def method_direct_trigger(self):
         self.check_access_rights('write')
         for cron in self:
@@ -277,7 +276,6 @@ class ir_cron(models.Model):
         except Exception:
             _logger.warning('Exception in cron:', exc_info=True)
 
-    @api.multi
     def _try_lock(self):
         """Try to grab a dummy exclusive write-lock to the rows with the given ids,
            to make sure a following write() or unlink() will not block due
@@ -291,17 +289,14 @@ class ir_cron(models.Model):
                               "This cron task is currently being executed and may not be modified "
                               "Please try again in a few minutes"))
 
-    @api.multi
     def write(self, vals):
         self._try_lock()
         return super(ir_cron, self).write(vals)
 
-    @api.multi
     def unlink(self):
         self._try_lock()
         return super(ir_cron, self).unlink()
 
-    @api.multi
     def try_write(self, values):
         try:
             with self._cr.savepoint():
diff --git a/odoo/addons/base/models/ir_default.py b/odoo/addons/base/models/ir_default.py
index 1672f5f7da378199c03b4658e4b14528ad47b594..042279de0730236e82fdcdff2122d6d9264650af 100644
--- a/odoo/addons/base/models/ir_default.py
+++ b/odoo/addons/base/models/ir_default.py
@@ -27,13 +27,11 @@ class IrDefault(models.Model):
         self.clear_caches()
         return super(IrDefault, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         if self:
             self.clear_caches()
         return super(IrDefault, self).write(vals)
 
-    @api.multi
     def unlink(self):
         if self:
             self.clear_caches()
diff --git a/odoo/addons/base/models/ir_filters.py b/odoo/addons/base/models/ir_filters.py
index 7584587022484cd30a6ed5f76c907e82b95c4913..036e903c8844a0c02828471755d195662235ecaa 100644
--- a/odoo/addons/base/models/ir_filters.py
+++ b/odoo/addons/base/models/ir_filters.py
@@ -33,13 +33,11 @@ class IrFilters(models.Model):
         self._cr.execute("SELECT model, name FROM ir_model ORDER BY name")
         return self._cr.fetchall()
 
-    @api.multi
     def copy(self, default=None):
         self.ensure_one()
         default = dict(default or {}, name=_('%s (copy)') % self.name)
         return super(IrFilters, self).copy(default)
 
-    @api.multi
     def _get_eval_domain(self):
         self.ensure_one()
         return safe_eval(self.domain, {
diff --git a/odoo/addons/base/models/ir_mail_server.py b/odoo/addons/base/models/ir_mail_server.py
index 9ab49f9e5c5a435841ca99cd4caa56796a4008e0..3cdc256646b6117c940d0eee63f053d298315a9e 100644
--- a/odoo/addons/base/models/ir_mail_server.py
+++ b/odoo/addons/base/models/ir_mail_server.py
@@ -162,7 +162,6 @@ class IrMailServer(models.Model):
                                                                   "is used. Default priority is 10 (smaller number = higher priority)")
     active = fields.Boolean(default=True)
 
-    @api.multi
     def test_smtp_connection(self):
         for server in self:
             smtp = False
diff --git a/odoo/addons/base/models/ir_model.py b/odoo/addons/base/models/ir_model.py
index 848ef658bf26eb5f4e820a2e5aba773bab4b08da..1dcdff20e1c3158fe0d4f50fedbea4e719b132e6 100644
--- a/odoo/addons/base/models/ir_model.py
+++ b/odoo/addons/base/models/ir_model.py
@@ -196,7 +196,6 @@ class IrModel(models.Model):
                 _logger.warning('The model %s could not be dropped because it did not exist in the registry.', model.model)
         return True
 
-    @api.multi
     def unlink(self):
         # Prevent manual deletion of module tables
         if not self._context.get(MODULE_UNINSTALL_FLAG):
@@ -220,7 +219,6 @@ class IrModel(models.Model):
 
         return res
 
-    @api.multi
     def write(self, vals):
         if '__last_update' in self._context:
             self = self.with_context({k: v for k, v in self._context.items() if k != '__last_update'})
@@ -558,7 +556,6 @@ class IrModelFields(models.Model):
         result = self.env.cr.fetchone()
         return result and result[0]
 
-    @api.multi
     def _drop_column(self):
         tables_to_drop = set()
 
@@ -593,7 +590,6 @@ class IrModelFields(models.Model):
 
         return True
 
-    @api.multi
     def _prepare_update(self):
         """ Check whether the fields in ``self`` may be modified or removed.
             This method prevents the modification/deletion of many2one fields
@@ -650,7 +646,6 @@ class IrModelFields(models.Model):
             # the registry has been modified, restore it
             self.pool.setup_models(self._cr)
 
-    @api.multi
     def unlink(self):
         if not self:
             return True
@@ -709,7 +704,6 @@ class IrModelFields(models.Model):
 
         return res
 
-    @api.multi
     def write(self, vals):
         # if set, *one* column can be renamed here
         column_rename = None
@@ -782,7 +776,6 @@ class IrModelFields(models.Model):
 
         return res
 
-    @api.multi
     def name_get(self):
         res = []
         for field in self:
@@ -989,7 +982,6 @@ class IrModelConstraint(models.Model):
          'Constraints with the same name are unique per module.'),
     ]
 
-    @api.multi
     def _module_data_uninstall(self):
         """
         Delete PostgreSQL foreign keys and constraints tracked by this model.
@@ -1033,7 +1025,6 @@ class IrModelConstraint(models.Model):
 
         self.unlink()
 
-    @api.multi
     def copy(self, default=None):
         default = dict(default or {})
         default['name'] = self.name + '_copy'
@@ -1114,7 +1105,6 @@ class IrModelRelation(models.Model):
     date_update = fields.Datetime(string='Update Date')
     date_init = fields.Datetime(string='Initialization Date')
 
-    @api.multi
     def _module_data_uninstall(self):
         """
         Delete PostgreSQL many2many relations tracked by this model.
@@ -1322,12 +1312,10 @@ class IrModelAccess(models.Model):
         self.call_cache_clearing_methods()
         return super(IrModelAccess, self).create(vals_list)
 
-    @api.multi
     def write(self, values):
         self.call_cache_clearing_methods()
         return super(IrModelAccess, self).write(values)
 
-    @api.multi
     def unlink(self):
         self.call_cache_clearing_methods()
         return super(IrModelAccess, self).unlink()
@@ -1378,7 +1366,6 @@ class IrModelData(models.Model):
                            self._table, ['model', 'res_id'])
         return res
 
-    @api.multi
     def name_get(self):
         model_id_name = defaultdict(dict)       # {res_model: {res_id: name}}
         for xid in self:
@@ -1474,7 +1461,6 @@ class IrModelData(models.Model):
         """
         return self.xmlid_to_object("%s.%s" % (module, xml_id), raise_if_not_found=True)
 
-    @api.multi
     def unlink(self):
         """ Regular unlink method, but make sure to clear the caches. """
         self.clear_caches()
@@ -1738,7 +1724,6 @@ class WizardModelMenu(models.TransientModel):
     menu_id = fields.Many2one('ir.ui.menu', string='Parent Menu', required=True, ondelete='cascade')
     name = fields.Char(string='Menu Name', required=True)
 
-    @api.multi
     def menu_create(self):
         for menu in self:
             model = self.env['ir.model'].browse(self._context.get('model_id'))
diff --git a/odoo/addons/base/models/ir_module.py b/odoo/addons/base/models/ir_module.py
index f5250ccf03ab702eb0b75da7d653240ba14a71d5..ec97847c9a920d53a255e8525c503e439970a43c 100644
--- a/odoo/addons/base/models/ir_module.py
+++ b/odoo/addons/base/models/ir_module.py
@@ -298,7 +298,6 @@ class Module(models.Model):
         ('name_uniq', 'UNIQUE (name)', 'The name of the module must be unique!'),
     ]
 
-    @api.multi
     def unlink(self):
         if not self:
             return True
@@ -339,7 +338,6 @@ class Module(models.Model):
                 msg = _('Unable to process module "%s" because an external dependency is not met: %s')
             raise UserError(msg % (module_name, e.args[0]))
 
-    @api.multi
     def _state_update(self, newstate, states_to_update, level=100):
         if level < 1:
             raise UserError(_('Recursion error in modules dependencies !'))
@@ -371,7 +369,6 @@ class Module(models.Model):
         return demo
 
     @assert_log_admin_access
-    @api.multi
     def button_install(self):
         # domain to select auto-installable (but not yet installed) modules
         auto_domain = [('state', '=', 'uninstalled'), ('auto_install', '=', True)]
@@ -429,7 +426,6 @@ class Module(models.Model):
         return dict(ACTION_DICT, name=_('Install'))
 
     @assert_log_admin_access
-    @api.multi
     def button_immediate_install(self):
         """ Installs the selected module(s) immediately and fully,
         returns the next res.config action to execute
@@ -449,13 +445,11 @@ class Module(models.Model):
         return self._button_immediate_function(type(self).button_install)
 
     @assert_log_admin_access
-    @api.multi
     def button_install_cancel(self):
         self.write({'state': 'uninstalled', 'demo': False})
         return True
 
     @assert_log_admin_access
-    @api.multi
     def module_uninstall(self):
         """ Perform the various steps required to uninstall a module completely
         including the deletion of all database structures created by the module:
@@ -467,7 +461,6 @@ class Module(models.Model):
         self.with_context(prefetch_fields=False).write({'state': 'uninstalled', 'latest_version': False})
         return True
 
-    @api.multi
     def _remove_copied_views(self):
         """ Remove the copies of the views installed by the modules in `self`.
 
@@ -481,7 +474,6 @@ class Module(models.Model):
         orphans = self.env['ir.ui.view'].with_context(**{'active_test': False, MODULE_UNINSTALL_FLAG: True}).search(domain)
         orphans.unlink()
 
-    @api.multi
     @api.returns('self')
     def downstream_dependencies(self, known_deps=None,
                                 exclude_states=('uninstalled', 'uninstallable', 'to remove')):
@@ -506,7 +498,6 @@ class Module(models.Model):
             known_deps |= missing_mods.downstream_dependencies(known_deps, exclude_states)
         return known_deps
 
-    @api.multi
     @api.returns('self')
     def upstream_dependencies(self, known_deps=None,
                               exclude_states=('installed', 'uninstallable', 'to remove')):
@@ -548,7 +539,6 @@ class Module(models.Model):
             'url': '/web',
         }
 
-    @api.multi
     def _button_immediate_function(self, function):
         try:
             # This is done because the installation/uninstallation/upgrade can modify a currently
@@ -580,7 +570,6 @@ class Module(models.Model):
         }
 
     @assert_log_admin_access
-    @api.multi
     def button_immediate_uninstall(self):
         """
         Uninstall the selected module(s) immediately and fully,
@@ -590,7 +579,6 @@ class Module(models.Model):
         return self._button_immediate_function(type(self).button_uninstall)
 
     @assert_log_admin_access
-    @api.multi
     def button_uninstall(self):
         if 'base' in self.mapped('name'):
             raise UserError(_("The `base` module cannot be uninstalled"))
@@ -599,7 +587,6 @@ class Module(models.Model):
         return dict(ACTION_DICT, name=_('Uninstall'))
 
     @assert_log_admin_access
-    @api.multi
     def button_uninstall_wizard(self):
         """ Launch the wizard to uninstall the given module. """
         return {
@@ -611,13 +598,11 @@ class Module(models.Model):
             'context': {'default_module_id': self.id},
         }
 
-    @api.multi
     def button_uninstall_cancel(self):
         self.write({'state': 'installed'})
         return True
 
     @assert_log_admin_access
-    @api.multi
     def button_immediate_upgrade(self):
         """
         Upgrade the selected module(s) immediately and fully,
@@ -626,7 +611,6 @@ class Module(models.Model):
         return self._button_immediate_function(type(self).button_upgrade)
 
     @assert_log_admin_access
-    @api.multi
     def button_upgrade(self):
         Dependency = self.env['ir.module.module.dependency']
         self.update_list()
@@ -657,7 +641,6 @@ class Module(models.Model):
         return dict(ACTION_DICT, name=_('Apply Schedule Upgrade'))
 
     @assert_log_admin_access
-    @api.multi
     def button_upgrade_cancel(self):
         self.write({'state': 'installed'})
         return True
@@ -737,7 +720,6 @@ class Module(models.Model):
         return res
 
     @assert_log_admin_access
-    @api.multi
     def download(self, download=True):
         return []
 
@@ -873,7 +855,6 @@ class Module(models.Model):
             cat_id = modules.db.create_categories(self._cr, categs)
             self.write({'category_id': cat_id})
 
-    @api.multi
     def _update_translations(self, filter_lang=None):
         if not filter_lang:
             langs = self.env['res.lang'].search([('translatable', '=', True)])
@@ -889,7 +870,6 @@ class Module(models.Model):
         mod_names = topological_sort(mod_dict)
         self.env['ir.translation']._load_module_terms(mod_names, filter_lang)
 
-    @api.multi
     def _check(self):
         for module in self:
             if not module.description_html:
@@ -926,7 +906,6 @@ class ModuleDependency(models.Model):
         help="Whether this dependency blocks automatic installation "
              "of the dependent")
 
-    @api.multi
     @api.depends('name')
     def _compute_depend(self):
         # retrieve all modules corresponding to the dependency names
@@ -958,7 +937,6 @@ class ModuleExclusion(models.Model):
     exclusion_id = fields.Many2one('ir.module.module', 'Exclusion Module', compute='_compute_exclusion')
     state = fields.Selection(DEP_STATES, string='Status', compute='_compute_state')
 
-    @api.multi
     @api.depends('name')
     def _compute_exclusion(self):
         # retrieve all modules corresponding to the exclusion names
diff --git a/odoo/addons/base/models/ir_property.py b/odoo/addons/base/models/ir_property.py
index dfefc5a42de0f33250d1316d825e42f5597c2dc6..534119c4c22ea90f9c5fbeb0a1dbde51f757ee6d 100644
--- a/odoo/addons/base/models/ir_property.py
+++ b/odoo/addons/base/models/ir_property.py
@@ -60,7 +60,6 @@ class Property(models.Model):
                             default='many2one',
                             index=True)
 
-    @api.multi
     def _update_values(self, values):
         if 'value' not in values:
             return values
@@ -98,7 +97,6 @@ class Property(models.Model):
         values[field] = value
         return values
 
-    @api.multi
     def write(self, values):
         # if any of the records we're writing on has a res_id=False *or*
         # we're writing a res_id=False on any record
@@ -124,7 +122,6 @@ class Property(models.Model):
             self.clear_caches()
         return r
 
-    @api.multi
     def unlink(self):
         default_deleted = False
         if self._ids:
@@ -138,7 +135,6 @@ class Property(models.Model):
             self.clear_caches()
         return r
 
-    @api.multi
     def get_by_record(self):
         self.ensure_one()
         if self.type in ('char', 'text', 'selection'):
diff --git a/odoo/addons/base/models/ir_rule.py b/odoo/addons/base/models/ir_rule.py
index f73206b19a6a76d0bbf9b490b2ecfc9218486b08..1cbde0632a48a53ff51215fc28fc4c9c6e9ff25f 100644
--- a/odoo/addons/base/models/ir_rule.py
+++ b/odoo/addons/base/models/ir_rule.py
@@ -186,7 +186,6 @@ class IrRule(models.Model):
             return query.where_clause, query.where_clause_params, query.tables
         return [], [], ['"%s"' % self.env[model_name]._table]
 
-    @api.multi
     def unlink(self):
         res = super(IrRule, self).unlink()
         self.clear_caches()
@@ -198,7 +197,6 @@ class IrRule(models.Model):
         self.clear_caches()
         return res
 
-    @api.multi
     def write(self, vals):
         res = super(IrRule, self).write(vals)
         self.clear_caches()
diff --git a/odoo/addons/base/models/ir_sequence.py b/odoo/addons/base/models/ir_sequence.py
index 01caf67a001e13a08b082c3cd54b5b9c4ad9326d..0a6b603e4f6ed2dabb7bc0fae519a53251e6e478 100644
--- a/odoo/addons/base/models/ir_sequence.py
+++ b/odoo/addons/base/models/ir_sequence.py
@@ -149,12 +149,10 @@ class IrSequence(models.Model):
             _create_sequence(self._cr, "ir_sequence_%03d" % seq.id, values.get('number_increment', 1), values.get('number_next', 1))
         return seq
 
-    @api.multi
     def unlink(self):
         _drop_sequences(self._cr, ["ir_sequence_%03d" % x.id for x in self])
         return super(IrSequence, self).unlink()
 
-    @api.multi
     def write(self, values):
         new_implementation = values.get('implementation')
         for seq in self:
@@ -253,7 +251,6 @@ class IrSequence(models.Model):
             seq_date = self._create_date_range_seq(dt)
         return seq_date.with_context(ir_sequence_date_range=seq_date.date_from)._next()
 
-    @api.multi
     def next_by_id(self, sequence_date=None):
         """ Draw an interpolated string using the specified sequence."""
         self.check_access_rights('read')
@@ -349,7 +346,6 @@ class IrSequenceDateRange(models.Model):
             number_next = _update_nogap(self, self.sequence_id.number_increment)
         return self.sequence_id.get_next_char(number_next)
 
-    @api.multi
     def _alter_sequence(self, number_increment=None, number_next=None):
         for seq in self:
             _alter_sequence(self._cr, "ir_sequence_%03d_%03d" % (seq.sequence_id.id, seq.id), number_increment=number_increment, number_next=number_next)
@@ -364,12 +360,10 @@ class IrSequenceDateRange(models.Model):
             _create_sequence(self._cr, "ir_sequence_%03d_%03d" % (main_seq.id, seq.id), main_seq.number_increment, values.get('number_next_actual', 1))
         return seq
 
-    @api.multi
     def unlink(self):
         _drop_sequences(self._cr, ["ir_sequence_%03d_%03d" % (x.sequence_id.id, x.id) for x in self])
         return super(IrSequenceDateRange, self).unlink()
 
-    @api.multi
     def write(self, values):
         if values.get('number_next'):
             seq_to_alter = self.filtered(lambda seq: seq.sequence_id.implementation == 'standard')
diff --git a/odoo/addons/base/models/ir_translation.py b/odoo/addons/base/models/ir_translation.py
index a381f871fe29c6d79396480949670ffe297597af..3d5303610ffc81353a599b5bcb453392648caf69 100644
--- a/odoo/addons/base/models/ir_translation.py
+++ b/odoo/addons/base/models/ir_translation.py
@@ -288,7 +288,6 @@ class IrTranslation(models.Model):
         if model_name in self.CACHED_MODELS:
             self.clear_caches()
 
-    @api.multi
     def _modified(self):
         """ Invalidate the ormcache if necessary, depending on the translations ``self``. """
         for trans in self:
@@ -507,7 +506,6 @@ class IrTranslation(models.Model):
         fields = self.env['ir.model.fields'].sudo().search([('model', '=', model_name)])
         return {field.name: field.help for field in fields}
 
-    @api.multi
     def check(self, mode):
         """ Check access rights of operation ``mode`` on ``self`` for the
         current user. Raise an AccessError in case conditions are not met.
@@ -569,7 +567,6 @@ class IrTranslation(models.Model):
         records._modified()
         return records
 
-    @api.multi
     def write(self, vals):
         if vals.get('value'):
             vals.setdefault('state', 'translated')
@@ -581,7 +578,6 @@ class IrTranslation(models.Model):
         self._modified()
         return result
 
-    @api.multi
     def unlink(self):
         self.check('unlink')
         self._modified()
diff --git a/odoo/addons/base/models/ir_ui_menu.py b/odoo/addons/base/models/ir_ui_menu.py
index d726ee2cfa19a3d6b6d60ef963594225ab474b84..9cde7d2fb810016549e4cdc6261b75179fa9cc7c 100644
--- a/odoo/addons/base/models/ir_ui_menu.py
+++ b/odoo/addons/base/models/ir_ui_menu.py
@@ -115,7 +115,6 @@ class IrUiMenu(models.Model):
 
         return set(visible.ids)
 
-    @api.multi
     @api.returns('self')
     def _filter_visible_menus(self):
         """ Filter `self` to only keep the menu items that should be visible in
@@ -139,7 +138,6 @@ class IrUiMenu(models.Model):
                 menus = menus[:limit]
         return len(menus) if count else menus.ids
 
-    @api.multi
     def name_get(self):
         return [(menu.id, menu._get_full_name()) for menu in self]
 
@@ -151,7 +149,6 @@ class IrUiMenu(models.Model):
                 values['web_icon_data'] = self._compute_web_icon_data(values.get('web_icon'))
         return super(IrUiMenu, self).create(vals_list)
 
-    @api.multi
     def write(self, values):
         self.clear_caches()
         if 'web_icon' in values:
@@ -168,7 +165,6 @@ class IrUiMenu(models.Model):
         if web_icon and len(web_icon.split(',')) == 2:
             return self.read_image(web_icon)
 
-    @api.multi
     def unlink(self):
         # Detach children and promote them to top-level, because it would be unwise to
         # cascade-delete submenus blindly. We also can't use ondelete=set null because
@@ -181,7 +177,6 @@ class IrUiMenu(models.Model):
         self.clear_caches()
         return super(IrUiMenu, self).unlink()
 
-    @api.multi
     def copy(self, default=None):
         record = super(IrUiMenu, self).copy(default=default)
         match = NUMBER_PARENS.search(record.name)
diff --git a/odoo/addons/base/models/ir_ui_view.py b/odoo/addons/base/models/ir_ui_view.py
index 8a8d88bc17a218cbd130d2633a2de12db9ac3448..cff628c93497e7b157a5afc742cce9c72dd30295 100644
--- a/odoo/addons/base/models/ir_ui_view.py
+++ b/odoo/addons/base/models/ir_ui_view.py
@@ -90,7 +90,6 @@ class ViewCustom(models.Model):
     user_id = fields.Many2one('res.users', string='User', index=True, required=True, ondelete='cascade')
     arch = fields.Text(string='View Architecture', required=True)
 
-    @api.multi
     def name_get(self):
         return [(rec.id, rec.user_id.name) for rec in self]
 
@@ -294,7 +293,6 @@ actual arch.
         for view, view_wo_lang in zip(self, self.with_context(lang=None)):
             view_wo_lang.arch = view.arch_base
 
-    @api.multi
     def reset_arch(self, mode='soft'):
         for view in self:
             arch = False
@@ -450,7 +448,6 @@ actual arch.
         self.clear_caches()
         return super(View, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         # Keep track if view was modified. That will be useful for the --dev mode
         # to prefer modified arch over file arch.
@@ -474,7 +471,6 @@ actual arch.
             self.inherit_children_ids.unlink()
         super(View, self).unlink()
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         self.ensure_one()
@@ -483,7 +479,6 @@ actual arch.
             default = dict(default or {}, key=new_key)
         return super(View, self).copy(default)
 
-    @api.multi
     def toggle(self):
         """ Switches between enabled and disabled statuses
         """
@@ -758,7 +753,6 @@ actual arch.
             source = self.apply_view_inheritance(source, view_id, model, root_id=root_id)
         return source
 
-    @api.multi
     def read_combined(self, fields=None):
         """
         Utility function to get a view combined with its inherited views.
@@ -1317,12 +1311,10 @@ actual arch.
             for attr in node.attrib
         )
 
-    @api.multi
     def translate_qweb(self, arch, lang):
         # Deprecated: templates are translated once read from database
         return arch
 
-    @api.multi
     @tools.ormcache('self.id')
     def get_view_xmlid(self):
         domain = [('model', '=', 'ir.ui.view'), ('res_id', '=', self.id)]
@@ -1333,7 +1325,6 @@ actual arch.
     def render_template(self, template, values=None, engine='ir.qweb'):
         return self.browse(self.get_view_id(template)).render(values, engine)
 
-    @api.multi
     def render(self, values=None, engine='ir.qweb', minimal_qcontext=False):
         assert isinstance(self.id, int)
 
@@ -1371,7 +1362,6 @@ actual arch.
     # Misc
     #------------------------------------------------------
 
-    @api.multi
     def open_translations(self):
         """ Open a view for editing the translations of field 'arch_db'. """
         return self.env['ir.translation'].translate_fields('ir.ui.view', self.id, 'arch_db')
@@ -1570,7 +1560,6 @@ class ResetViewArchWizard(models.TransientModel):
                 diff = handle_style(diff)
             view.arch_diff = diff
 
-    @api.multi
     def reset_view_button(self):
         self.ensure_one()
         self.view_id.reset_arch(self.reset_mode)
diff --git a/odoo/addons/base/models/res_bank.py b/odoo/addons/base/models/res_bank.py
index 2c6801459eb95bb63509481762ded08b59918381..cd8c501028d27a551eec8fcc67bb75cfeddd36da 100644
--- a/odoo/addons/base/models/res_bank.py
+++ b/odoo/addons/base/models/res_bank.py
@@ -32,7 +32,6 @@ class Bank(models.Model):
     active = fields.Boolean(default=True)
     bic = fields.Char('Bank Identifier Code', index=True, help="Sometimes called BIC or Swift.")
 
-    @api.multi
     def name_get(self):
         result = []
         for bank in self:
@@ -135,7 +134,6 @@ class ResPartnerBank(models.Model):
         qr_code_url = '/report/barcode/?type=%s&value=%s&width=%s&height=%s&humanreadable=1' % ('QR', werkzeug.url_quote_plus(qr_code_string), 128, 128)
         return qr_code_url
 
-    @api.multi
     def _validate_qr_code_arguments(self):
         for bank in self:
             if bank.currency_id.name == False:
diff --git a/odoo/addons/base/models/res_company.py b/odoo/addons/base/models/res_company.py
index fb9146aea6b3c3d9cf1a164cf0da6ebde4a00f06..1c4a001096e9e57b0d43302dfae811c5b5453a4c 100644
--- a/odoo/addons/base/models/res_company.py
+++ b/odoo/addons/base/models/res_company.py
@@ -22,7 +22,6 @@ class Company(models.Model):
     _description = 'Companies'
     _order = 'sequence, name'
 
-    @api.multi
     def copy(self, default=None):
         raise UserError(_('Duplicating a company is not allowed. Please create a new company instead.'))
 
@@ -163,7 +162,6 @@ class Company(models.Model):
     def _onchange_state(self):
         self.country_id = self.state_id.country_id
 
-    @api.multi
     def on_change_country(self, country_id):
         # This function is called from account/models/chart_template.py, hence decorated with `multi`.
         self.ensure_one()
@@ -240,7 +238,6 @@ class Company(models.Model):
                 currency.write({'active': True})
         return company
 
-    @api.multi
     def write(self, values):
         self.clear_caches()
         # Make sure that the selected currency is enabled
@@ -256,12 +253,10 @@ class Company(models.Model):
         if not self._check_recursion():
             raise ValidationError(_('You cannot create recursive companies.'))
 
-    @api.multi
     def open_company_edit_report(self):
         self.ensure_one()
         return self.env['res.config.settings'].open_company()
 
-    @api.multi
     def write_company_and_print_report(self):
         context = self.env.context
         report_name = context.get('default_report_name')
@@ -302,7 +297,6 @@ class Company(models.Model):
             self[onboarding_state] = 'done'
         return old_values
 
-    @api.multi
     def action_save_onboarding_company_step(self):
         if bool(self.street):
             self.set_onboarding_step_done('base_onboarding_company_state')
diff --git a/odoo/addons/base/models/res_config.py b/odoo/addons/base/models/res_config.py
index b8617a09d5a4b565de12abad8c8068ef976cd2de..44d7082e8a3f7e66c68500ea1be9b140e885aa73 100644
--- a/odoo/addons/base/models/res_config.py
+++ b/odoo/addons/base/models/res_config.py
@@ -53,12 +53,10 @@ class ResConfigConfigurable(models.TransientModel):
     _name = 'res.config'
     _description = 'Config'
 
-    @api.multi
     def start(self):
         # pylint: disable=next-method-called
         return self.next()
 
-    @api.multi
     def next(self):
         """
         Reload the settings page
@@ -68,7 +66,6 @@ class ResConfigConfigurable(models.TransientModel):
             'tag': 'reload',
         }
 
-    @api.multi
     def execute(self):
         """ Method called when the user clicks on the ``Next`` button.
 
@@ -81,7 +78,6 @@ class ResConfigConfigurable(models.TransientModel):
         raise NotImplementedError(
             'Configuration items need to implement execute')
 
-    @api.multi
     def cancel(self):
         """ Method called when the user click on the ``Skip`` button.
 
@@ -96,7 +92,6 @@ class ResConfigConfigurable(models.TransientModel):
         """
         pass
 
-    @api.multi
     def action_next(self):
         """ Action handler for the ``next`` event.
 
@@ -108,7 +103,6 @@ class ResConfigConfigurable(models.TransientModel):
         # pylint: disable=next-method-called
         return self.execute() or self.next()
 
-    @api.multi
     def action_skip(self):
         """ Action handler for the ``skip`` event.
 
@@ -120,7 +114,6 @@ class ResConfigConfigurable(models.TransientModel):
         # pylint: disable=next-method-called
         return self.cancel() or self.next()
 
-    @api.multi
     def action_cancel(self):
         """ Action handler for the ``cancel`` event. That event isn't
         generated by the res.config.view.base inheritable view, the
@@ -316,7 +309,6 @@ class ResConfigInstaller(models.TransientModel, ResConfigModuleInstallationMixin
                      _('\n\nThis addon is already installed on your system'))
         return fields
 
-    @api.multi
     def execute(self):
         to_install = list(self.modules_to_install())
         _logger.info('Selecting addons %s to install', to_install)
@@ -383,7 +375,6 @@ class ResConfigSettings(models.TransientModel, ResConfigModuleInstallationMixin)
     _name = 'res.config.settings'
     _description = 'Config Settings'
 
-    @api.multi
     def copy(self, values):
         raise UserError(_("Cannot duplicate configuration!"), "")
 
@@ -412,7 +403,6 @@ class ResConfigSettings(models.TransientModel, ResConfigModuleInstallationMixin)
         ret_val['arch'] = etree.tostring(doc, encoding='unicode')
         return ret_val
 
-    @api.multi
     def onchange_module(self, field_value, module_name):
         ModuleSudo = self.env['ir.module.module'].sudo()
         modules = ModuleSudo.search(
@@ -609,7 +599,6 @@ class ResConfigSettings(models.TransientModel, ResConfigModuleInstallationMixin)
             if method.startswith('set_') and method is not 'set_values':
                 _logger.warning(_('Methods that start with `set_` are deprecated. Override `set_values` instead (Method %s)') % method)
 
-    @api.multi
     def execute(self):
         self.ensure_one()
         if not self.env.is_admin():
@@ -653,7 +642,6 @@ class ResConfigSettings(models.TransientModel, ResConfigModuleInstallationMixin)
             'tag': 'reload',
         }
 
-    @api.multi
     def cancel(self):
         # ignore the current record, and send the action to reopen the view
         actions = self.env['ir.actions.act_window'].search([('res_model', '=', self._name)], limit=1)
@@ -661,7 +649,6 @@ class ResConfigSettings(models.TransientModel, ResConfigModuleInstallationMixin)
             return actions.read()[0]
         return {}
 
-    @api.multi
     def name_get(self):
         """ Override name_get method to return an appropriate configuration wizard
         name, and not the generated name."""
diff --git a/odoo/addons/base/models/res_country.py b/odoo/addons/base/models/res_country.py
index 8fd1f978ed02cd0480b90bf21dc03375e7be6555..2655f1ba01ebdd0b137664821c1da2a91dff9b6c 100644
--- a/odoo/addons/base/models/res_country.py
+++ b/odoo/addons/base/models/res_country.py
@@ -83,13 +83,11 @@ class Country(models.Model):
                 vals['code'] = vals['code'].upper()
         return super(Country, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         if vals.get('code'):
             vals['code'] = vals['code'].upper()
         return super(Country, self).write(vals)
 
-    @api.multi
     def get_address_fields(self):
         self.ensure_one()
         return re.findall(r'\((.+?)\)', self.address_format)
@@ -135,7 +133,6 @@ class CountryState(models.Model):
         state_ids = first_state_ids + [state_id for state_id in self._search(expression.AND([domain, args]), limit=limit, access_rights_uid=name_get_uid) if not state_id in first_state_ids]
         return self.browse(state_ids).name_get()
 
-    @api.multi
     def name_get(self):
         result = []
         for record in self:
diff --git a/odoo/addons/base/models/res_currency.py b/odoo/addons/base/models/res_currency.py
index 1fcb1bbe8f68ad227682cb1f5186d5f3bdebc825..a7f25a2df0bc572e9c77a6c49c3e9167276af1cf 100644
--- a/odoo/addons/base/models/res_currency.py
+++ b/odoo/addons/base/models/res_currency.py
@@ -58,7 +58,6 @@ class Currency(models.Model):
         currency_rates = dict(self._cr.fetchall())
         return currency_rates
 
-    @api.multi
     @api.depends('rate_ids.rate')
     def _compute_current_rate(self):
         date = self._context.get('date') or fields.Date.today()
@@ -68,7 +67,6 @@ class Currency(models.Model):
         for currency in self:
             currency.rate = currency_rates.get(currency.id) or 1.0
 
-    @api.multi
     @api.depends('rounding')
     def _compute_decimal_places(self):
         for currency in self:
@@ -77,7 +75,6 @@ class Currency(models.Model):
             else:
                 currency.decimal_places = 0
 
-    @api.multi
     @api.depends('rate_ids.name')
     def _compute_date(self):
         for currency in self:
@@ -92,11 +89,9 @@ class Currency(models.Model):
                 results = super(Currency, self)._name_search(name_match.group(1), args, operator=operator, limit=limit, name_get_uid=name_get_uid)
         return results
 
-    @api.multi
     def name_get(self):
         return [(currency.id, tools.ustr(currency.name)) for currency in self]
 
-    @api.multi
     def amount_to_text(self, amount):
         self.ensure_one()
         def _num2words(number, lang):
@@ -127,7 +122,6 @@ class Currency(models.Model):
                         )
         return amount_words
 
-    @api.multi
     def round(self, amount):
         """Return ``amount`` rounded  according to ``self``'s rounding rules.
 
@@ -137,7 +131,6 @@ class Currency(models.Model):
         self.ensure_one()
         return tools.float_round(amount, precision_rounding=self.rounding)
 
-    @api.multi
     def compare_amounts(self, amount1, amount2):
         """Compare ``amount1`` and ``amount2`` after rounding them according to the
            given currency's precision..
@@ -161,7 +154,6 @@ class Currency(models.Model):
         self.ensure_one()
         return tools.float_compare(amount1, amount2, precision_rounding=self.rounding)
 
-    @api.multi
     def is_zero(self, amount):
         """Returns true if ``amount`` is small enough to be treated as
            zero according to current currency's rounding rules.
@@ -212,7 +204,6 @@ class Currency(models.Model):
         company = self.env['res.company'].browse(self._context.get('company_id')) or self.env.company
         return from_currency._convert(from_amount, to_currency, company, date)
 
-    @api.multi
     def compute(self, from_amount, to_currency, round=True):
         _logger.warning('The `compute` method is deprecated. Use `_convert` instead')
         date = self._context.get('date') or fields.Date.today()
diff --git a/odoo/addons/base/models/res_lang.py b/odoo/addons/base/models/res_lang.py
index 050eba993ff41ae4e8c0808031e994af8c08b59e..6eb7badf603658894fbc24ceb930c1859b8baa05 100644
--- a/odoo/addons/base/models/res_lang.py
+++ b/odoo/addons/base/models/res_lang.py
@@ -231,7 +231,6 @@ class Lang(models.Model):
         self.clear_caches()
         return super(Lang, self).create(vals_list)
 
-    @api.multi
     def write(self, vals):
         lang_codes = self.mapped('code')
         if 'code' in vals and any(code != vals['code'] for code in lang_codes):
@@ -246,7 +245,6 @@ class Lang(models.Model):
         self.clear_caches()
         return res
 
-    @api.multi
     def unlink(self):
         for language in self:
             if language.code == 'en_US':
@@ -260,7 +258,6 @@ class Lang(models.Model):
         self.clear_caches()
         return super(Lang, self).unlink()
 
-    @api.multi
     def format(self, percent, value, grouping=False, monetary=False):
         """ Format() will return the language-specific output for float values"""
         self.ensure_one()
diff --git a/odoo/addons/base/models/res_partner.py b/odoo/addons/base/models/res_partner.py
index 711c46d44607ed2af4ec4a35d8b26c5797392e80..bd3c0ab44890655aa55c9281de93262137c1148c 100644
--- a/odoo/addons/base/models/res_partner.py
+++ b/odoo/addons/base/models/res_partner.py
@@ -87,7 +87,6 @@ class PartnerCategory(models.Model):
         if not self._check_recursion():
             raise ValidationError(_('You can not create recursive tags.'))
 
-    @api.multi
     def name_get(self):
         """ Return the categories' display name, including their direct
             parent by default.
@@ -369,7 +368,6 @@ class Partner(models.Model):
         if not self._check_recursion():
             raise ValidationError(_('You cannot create recursive Partner hierarchies.'))
 
-    @api.multi
     def copy(self, default=None):
         self.ensure_one()
         chosen_name = default.get('name') if default else ''
@@ -438,7 +436,6 @@ class Partner(models.Model):
     def onchange_company_type(self):
         self.is_company = (self.company_type == 'company')
 
-    @api.multi
     def _update_fields_values(self, fields):
         """ Returns dict of write() values for synchronizing ``fields`` """
         values = {}
@@ -464,7 +461,6 @@ class Partner(models.Model):
         """Returns the list of address fields usable to format addresses."""
         return self._address_fields()
 
-    @api.multi
     def update_address(self, vals):
         addr_vals = {key: vals[key] for key in self._address_fields() if key in vals}
         if addr_vals:
@@ -479,7 +475,6 @@ class Partner(models.Model):
         extended by inheriting classes. """
         return ['vat', 'credit_limit']
 
-    @api.multi
     def _commercial_sync_from_company(self):
         """ Handle sync of commercial fields when a new parent commercial entity is set,
         as if they were related fields """
@@ -488,7 +483,6 @@ class Partner(models.Model):
             sync_vals = commercial_partner._update_fields_values(self._commercial_fields())
             self.write(sync_vals)
 
-    @api.multi
     def _commercial_sync_to_children(self):
         """ Handle sync of commercial fields to descendants """
         commercial_partner = self.commercial_partner_id
@@ -499,7 +493,6 @@ class Partner(models.Model):
         sync_children._compute_commercial_partner()
         return sync_children.write(sync_vals)
 
-    @api.multi
     def _fields_sync(self, values):
         """ Sync commercial fields and address fields from company and to children after create/update,
         just as if those were all modeled as fields.related to the parent """
@@ -534,7 +527,6 @@ class Partner(models.Model):
             contacts = self.child_ids.filtered(lambda c: c.type == 'contact')
             contacts.update_address(values)
 
-    @api.multi
     def _handle_first_contact_creation(self):
         """ On creation of first contact for a company (or root) that has no address, assume contact address
         was meant to be company address """
@@ -553,7 +545,6 @@ class Partner(models.Model):
             website = url.replace(scheme='http').to_url()
         return website
 
-    @api.multi
     def write(self, vals):
         if vals.get('active') is False:
             for partner in self:
@@ -656,7 +647,6 @@ class Partner(models.Model):
             partner._handle_first_contact_creation()
         return partners
 
-    @api.multi
     def create_company(self):
         self.ensure_one()
         if self.company_name:
@@ -671,7 +661,6 @@ class Partner(models.Model):
             })
         return True
 
-    @api.multi
     def open_commercial_entity(self):
         """ Utility method used to add an "Open Company" button in partner views """
         self.ensure_one()
@@ -682,7 +671,6 @@ class Partner(models.Model):
                 'target': 'current',
                 'flags': {'form': {'action_buttons': True}}}
 
-    @api.multi
     def open_parent(self):
         """ Utility method used to add an "Open Parent" button in partner views """
         self.ensure_one()
@@ -721,7 +709,6 @@ class Partner(models.Model):
             name = "%s ‒ %s" % (name, partner.vat)
         return name
 
-    @api.multi
     def name_get(self):
         res = []
         for partner in self:
@@ -850,13 +837,11 @@ class Partner(models.Model):
             return False
         return base64.b64encode(res.content)
 
-    @api.multi
     def _email_send(self, email_from, subject, body, on_error=None):
         for partner in self.filtered('email'):
             tools.email_send(email_from, [partner.email], subject, body, on_error)
         return True
 
-    @api.multi
     def address_get(self, adr_pref=None):
         """ Find contacts/addresses of the right type(s) by doing a depth-first-search
         through descendants within company boundaries (stop at entities flagged ``is_company``)
@@ -917,7 +902,6 @@ class Partner(models.Model):
     def _get_address_format(self):
         return self.country_id.address_format or self._get_default_address_format()
 
-    @api.multi
     def _display_address(self, without_company=False):
 
         '''
@@ -981,7 +965,6 @@ class Partner(models.Model):
                     state = States.search(state_domain, limit=1)
                     vals['state_id'] = state.id  # replace state or remove it if not found
 
-    @api.multi
     def _get_country_name(self):
         return self.country_id.name or ''
 
diff --git a/odoo/addons/base/models/res_users.py b/odoo/addons/base/models/res_users.py
index a8043cc0d99c0b02918c83a4a75db8d41fa7f2a0..fce31aa09b28ac0eabfc14653faec2290d788e4e 100644
--- a/odoo/addons/base/models/res_users.py
+++ b/odoo/addons/base/models/res_users.py
@@ -107,7 +107,6 @@ class Groups(models.Model):
         ('name_uniq', 'unique (category_id, name)', 'The name of the group must be unique within an application!')
     ]
 
-    @api.multi
     @api.constrains('users')
     def _check_one_user_type(self):
         self.users._check_one_user_type()
@@ -161,7 +160,6 @@ class Groups(models.Model):
             return len(groups) if count else groups.ids
         return super(Groups, self)._search(args, offset=offset, limit=limit, order=order, count=count, access_rights_uid=access_rights_uid)
 
-    @api.multi
     def copy(self, default=None):
         self.ensure_one()
         chosen_name = default.get('name') if default else ''
@@ -169,7 +167,6 @@ class Groups(models.Model):
         default = dict(default or {}, name=default_name)
         return super(Groups, self).copy(default)
 
-    @api.multi
     def write(self, vals):
         if 'name' in vals:
             if vals['name'].startswith('-'):
@@ -348,7 +345,6 @@ class Users(models.Model):
         for user in self:
             user.share = not user.has_group('base.group_user')
 
-    @api.multi
     def _compute_companies_count(self):
         companies_count = self._companies_count()
         for user in self:
@@ -389,34 +385,29 @@ class Users(models.Model):
                         # skip SpecialValue (e.g. for missing record or access right)
                         pass
 
-    @api.multi
     @api.constrains('company_id', 'company_ids')
     def _check_company(self):
         if any(user.company_ids and user.company_id not in user.company_ids for user in self):
             raise ValidationError(_('The chosen company is not in the allowed companies for this user'))
 
-    @api.multi
     @api.constrains('action_id')
     def _check_action_id(self):
         action_open_website = self.env.ref('base.action_open_website', raise_if_not_found=False)
         if action_open_website and any(user.action_id.id == action_open_website.id for user in self):
             raise ValidationError(_('The "App Switcher" action cannot be selected as home action.'))
 
-    @api.multi
     @api.constrains('groups_id')
     def _check_one_user_type(self):
         for user in self:
             if len(user.groups_id.filtered(lambda x: x.category_id.xml_id == 'base.module_category_user_type')) > 1:
                 raise ValidationError(_('The user cannot have more than one user types.'))
 
-    @api.multi
     def toggle_active(self):
         for user in self:
             if not user.active and not user.partner_id.active:
                 user.partner_id.toggle_active()
         super(Users, self).toggle_active()
 
-    @api.multi
     def read(self, fields=None, load='_classic_read'):
         if fields and self == self.env.user:
             for key in fields:
@@ -453,7 +444,6 @@ class Users(models.Model):
                 user.partner_id.write({'company_id': user.company_id.id})
         return users
 
-    @api.multi
     def write(self, values):
         if values.get('active') and SUPERUSER_ID in self._ids:
             raise UserError(_("You cannot activate the superuser."))
@@ -500,7 +490,6 @@ class Users(models.Model):
 
         return res
 
-    @api.multi
     def unlink(self):
         if SUPERUSER_ID in self.ids:
             raise UserError(_('You can not remove the admin user as it is used internally for resources created by Odoo (updates, module installation, ...)'))
@@ -522,7 +511,6 @@ class Users(models.Model):
             user_ids = self._search(expression.AND([[('name', operator, name)], args]), limit=limit, access_rights_uid=name_get_uid)
         return self.browse(user_ids).name_get()
 
-    @api.multi
     def copy(self, default=None):
         self.ensure_one()
         default = dict(default or {})
@@ -659,7 +647,6 @@ class Users(models.Model):
         # keep in the cache the token
         return h.hexdigest()
 
-    @api.multi
     def _invalidate_session_cache(self):
         """ Clear the sessions cache """
         self._compute_session_token.clear_cache(self)
@@ -680,14 +667,12 @@ class Users(models.Model):
             return self.env.user.write({'password': new_passwd})
         raise UserError(_("Setting empty passwords is not allowed for security reasons!"))
 
-    @api.multi
     def preference_save(self):
         return {
             'type': 'ir.actions.client',
             'tag': 'reload_context',
         }
 
-    @api.multi
     def preference_change_password(self):
         return {
             'type': 'ir.actions.client',
@@ -758,22 +743,18 @@ class Users(models.Model):
             'target': 'current',
         }
 
-    @api.multi
     def _is_public(self):
         self.ensure_one()
         return self.has_group('base.group_public')
 
-    @api.multi
     def _is_system(self):
         self.ensure_one()
         return self.has_group('base.group_system')
 
-    @api.multi
     def _is_admin(self):
         self.ensure_one()
         return self._is_superuser() or self.has_group('base.group_erp_manager')
 
-    @api.multi
     def _is_superuser(self):
         self.ensure_one()
         return self.id == SUPERUSER_ID
@@ -922,7 +903,6 @@ class GroupsImplied(models.Model):
                 group.write({'users': user_ids})
         return groups
 
-    @api.multi
     def write(self, values):
         res = super(GroupsImplied, self).write(values)
         if values.get('users') or values.get('implied_ids'):
@@ -970,7 +950,6 @@ class UsersImplied(models.Model):
                 values['groups_id'] = type(self).groups_id.convert_to_write(gs, user)
         return super(UsersImplied, self).create(vals_list)
 
-    @api.multi
     def write(self, values):
         res = super(UsersImplied, self).write(values)
         if values.get('groups_id'):
@@ -1017,7 +996,6 @@ class GroupsView(models.Model):
         self.env['ir.actions.actions'].clear_caches()
         return user
 
-    @api.multi
     def write(self, values):
         res = super(GroupsView, self).write(values)
         self._update_user_groups_view()
@@ -1025,7 +1003,6 @@ class GroupsView(models.Model):
         self.env['ir.actions.actions'].clear_caches()
         return res
 
-    @api.multi
     def unlink(self):
         res = super(GroupsView, self).unlink()
         self._update_user_groups_view()
@@ -1179,7 +1156,6 @@ class UsersView(models.Model):
                 user.write({'groups_id': [(4, group_multi_company.id)]})
         return user
 
-    @api.multi
     def write(self, values):
         values = self._remove_reified_groups(values)
         res = super(UsersView, self).write(values)
@@ -1236,7 +1212,6 @@ class UsersView(models.Model):
         self._add_reified_groups(group_fields, values)
         return values
 
-    @api.multi
     def read(self, fields=None, load='_classic_read'):
         # determine whether reified groups fields are required, and which ones
         fields1 = fields or list(self.fields_get())
@@ -1332,7 +1307,6 @@ class ChangePasswordWizard(models.TransientModel):
 
     user_ids = fields.One2many('change.password.user', 'wizard_id', string='Users', default=_default_user_ids)
 
-    @api.multi
     def change_password_button(self):
         self.ensure_one()
         self.user_ids.change_password_button()
@@ -1351,7 +1325,6 @@ class ChangePasswordUser(models.TransientModel):
     user_login = fields.Char(string='User Login', readonly=True)
     new_passwd = fields.Char(string='New Password', default='')
 
-    @api.multi
     def change_password_button(self):
         for line in self:
             if not line.new_passwd:
diff --git a/odoo/addons/base/report/report_base_report_irmodulereference.py b/odoo/addons/base/report/report_base_report_irmodulereference.py
index 64102f2848b29437a9cba497e015e0534b766ad5..4a88e0e1f0aa421b464b8b1713a6576326c141bd 100644
--- a/odoo/addons/base/report/report_base_report_irmodulereference.py
+++ b/odoo/addons/base/report/report_base_report_irmodulereference.py
@@ -15,7 +15,6 @@ class IrModelReferenceReport(models.AbstractModel):
         res_ids = data.mapped('res_id')
         return self.env['ir.model'].browse(res_ids)
 
-    @api.multi
     def _fields_find(self, model, module):
         Data = self.env['ir.model.data'].sudo()
         fname_wildcard = 'field_' + model.replace('.', '_') + '_%'
diff --git a/odoo/addons/base/wizard/base_export_language.py b/odoo/addons/base/wizard/base_export_language.py
index 8ba74b710d4b8e95b43869c45c1db9937f0fc92b..bf5210c2ae6bd4df97b22813ae7bd0b90ff12e76 100644
--- a/odoo/addons/base/wizard/base_export_language.py
+++ b/odoo/addons/base/wizard/base_export_language.py
@@ -29,7 +29,6 @@ class BaseLanguageExport(models.TransientModel):
     state = fields.Selection([('choose', 'choose'), ('get', 'get')], # choose language or get the file
                              default='choose')
 
-    @api.multi
     def act_getfile(self):
         this = self[0]
         lang = this.lang if this.lang != NEW_LANG_KEY else False
diff --git a/odoo/addons/base/wizard/base_import_language.py b/odoo/addons/base/wizard/base_import_language.py
index 20bb24e7c0647e2e85f7155420ad899b74409e7e..6abce13916c5282514bd05d4860501bbc04b59c8 100644
--- a/odoo/addons/base/wizard/base_import_language.py
+++ b/odoo/addons/base/wizard/base_import_language.py
@@ -25,7 +25,6 @@ class BaseLanguageImport(models.TransientModel):
                                help="If you enable this option, existing translations (including custom ones) "
                                     "will be overwritten and replaced by those in this file")
 
-    @api.multi
     def import_lang(self):
         this = self[0]
         this = this.with_context(overwrite=this.overwrite)
diff --git a/odoo/addons/base/wizard/base_language_install.py b/odoo/addons/base/wizard/base_language_install.py
index 7e2d40be08b70526963bb34bb7996b282fc82d05..a617b685ae98df7df0a8cedd47caf382aa930976 100644
--- a/odoo/addons/base/wizard/base_language_install.py
+++ b/odoo/addons/base/wizard/base_language_install.py
@@ -29,7 +29,6 @@ class BaseLanguageInstall(models.TransientModel):
     state = fields.Selection([('init', 'init'), ('done', 'done')],
                              string='Status', readonly=True, default='init')
 
-    @api.multi
     def lang_install(self):
         self.ensure_one()
         mods = self.env['ir.module.module'].search([('state', '=', 'installed')])
diff --git a/odoo/addons/base/wizard/base_module_uninstall.py b/odoo/addons/base/wizard/base_module_uninstall.py
index 5661036a8b23ce8a638bf3bb70e7b926722bb9f7..c27bd69b283645f18d4d89c2b0f21ab58e0c68e2 100644
--- a/odoo/addons/base/wizard/base_module_uninstall.py
+++ b/odoo/addons/base/wizard/base_module_uninstall.py
@@ -54,7 +54,6 @@ class BaseModuleUninstall(models.TransientModel):
         if not self.module_id.application:
             self.show_all = True
 
-    @api.multi
     def action_uninstall(self):
         modules = self.module_id
         return modules.button_immediate_uninstall()
diff --git a/odoo/addons/base/wizard/base_module_update.py b/odoo/addons/base/wizard/base_module_update.py
index 4481eb848f37d45159a7e9f5a75351f6cb87f4fe..4bc43d89e66c9994e567fca8a46397685ff2889e 100644
--- a/odoo/addons/base/wizard/base_module_update.py
+++ b/odoo/addons/base/wizard/base_module_update.py
@@ -11,14 +11,12 @@ class BaseModuleUpdate(models.TransientModel):
     added = fields.Integer('Number of modules added', readonly=True)
     state = fields.Selection([('init', 'init'), ('done', 'done')], 'Status', readonly=True, default='init')
 
-    @api.multi
     def update_module(self):
         for this in self:
             updated, added = self.env['ir.module.module'].update_list()
             this.write({'updated': updated, 'added': added, 'state': 'done'})
         return False
 
-    @api.multi
     def action_module_open(self):
         res = {
             'domain': str([]),
diff --git a/odoo/addons/base/wizard/base_module_upgrade.py b/odoo/addons/base/wizard/base_module_upgrade.py
index 0d760c549c0be16a61ab73dc77fde4518bde4eda..debacf8657ac18c1bec34557c534db1eab39172e 100644
--- a/odoo/addons/base/wizard/base_module_upgrade.py
+++ b/odoo/addons/base/wizard/base_module_upgrade.py
@@ -42,7 +42,6 @@ class BaseModuleUpgrade(models.TransientModel):
 
         return res
 
-    @api.multi
     def upgrade_module_cancel(self):
         Module = self.env['ir.module.module']
         to_install = Module.search([('state', 'in', ['to upgrade', 'to remove'])])
@@ -51,7 +50,6 @@ class BaseModuleUpgrade(models.TransientModel):
         to_uninstall.write({'state': 'uninstalled'})
         return {'type': 'ir.actions.act_window_close'}
 
-    @api.multi
     def upgrade_module(self):
         Module = self.env['ir.module.module']
 
@@ -77,7 +75,6 @@ class BaseModuleUpgrade(models.TransientModel):
 
         return {'type': 'ir.actions.act_window_close'}
 
-    @api.multi
     def config(self):
         # pylint: disable=next-method-called
         return self.env['res.config'].next()
diff --git a/odoo/addons/base/wizard/base_partner_merge.py b/odoo/addons/base/wizard/base_partner_merge.py
index 058fd8732d50d17329fb48f45143514108cc9b93..cadefd5941ac2e6bde3c70abd50e8a8ea5d49029 100644
--- a/odoo/addons/base/wizard/base_partner_merge.py
+++ b/odoo/addons/base/wizard/base_partner_merge.py
@@ -316,7 +316,6 @@ class MergePartnerAutomatic(models.TransientModel):
         # delete source partner, since they are merged
         src_partners.unlink()
 
-    @api.multi
     def _log_merge_operation(self, src_partners, dst_partner):
         _logger.info('(uid = %s) merged the partners %r with %s', self._uid, src_partners.ids, dst_partner.id)
 
@@ -407,7 +406,6 @@ class MergePartnerAutomatic(models.TransientModel):
             reverse=True,
         )
 
-    @api.multi
     def _compute_models(self):
         """ Compute the different models needed by the system if you want to exclude some partners. """
         model_mapping = {}
@@ -421,14 +419,12 @@ class MergePartnerAutomatic(models.TransientModel):
     # Actions
     # ----------------------------------------
 
-    @api.multi
     def action_skip(self):
         """ Skip this wizard line. Don't compute any thing, and simply redirect to the new step."""
         if self.current_line_id:
             self.current_line_id.unlink()
         return self._action_next_screen()
 
-    @api.multi
     def _action_next_screen(self):
         """ return the action of the next screen ; this means the wizard is set to treat the
             next wizard line. Each line is a subset of partner that can be merged together.
@@ -463,7 +459,6 @@ class MergePartnerAutomatic(models.TransientModel):
             'target': 'new',
         }
 
-    @api.multi
     def _process_query(self, query):
         """ Execute the select request and write the result in this wizard
             :param query : the SQL query used to fill the wizard line
@@ -499,7 +494,6 @@ class MergePartnerAutomatic(models.TransientModel):
 
         _logger.info("counter: %s", counter)
 
-    @api.multi
     def action_start_manual_process(self):
         """ Start the process 'Merge with Manual Check'. Fill the wizard according to the group_by and exclude
             options, and redirect to the first step (treatment of first wizard line). After, for each subset of
@@ -513,7 +507,6 @@ class MergePartnerAutomatic(models.TransientModel):
         self._process_query(query)
         return self._action_next_screen()
 
-    @api.multi
     def action_start_automatic_process(self):
         """ Start the process 'Merge Automatically'. This will fill the wizard with the same mechanism as 'Merge
             with Manual Check', but instead of refreshing wizard with the current line, it will automatically process
@@ -538,7 +531,6 @@ class MergePartnerAutomatic(models.TransientModel):
             'target': 'new',
         }
 
-    @api.multi
     def parent_migration_process_cb(self):
         self.ensure_one()
 
@@ -595,7 +587,6 @@ class MergePartnerAutomatic(models.TransientModel):
             'target': 'new',
         }
 
-    @api.multi
     def action_update_all_process(self):
         self.ensure_one()
         self.parent_migration_process_cb()
@@ -618,7 +609,6 @@ class MergePartnerAutomatic(models.TransientModel):
 
         return self._action_next_screen()
 
-    @api.multi
     def action_merge(self):
         """ Merge Contact button. Merge the selected partners, and redirect to
             the end screen (since there is no other wizard line to process.
diff --git a/odoo/addons/base/wizard/base_update_translations.py b/odoo/addons/base/wizard/base_update_translations.py
index 0bbfc17ab2426fb177c0440f4a08692c401f3162..402118f3048988fc76563f7edaef7d15bbd71ac3 100644
--- a/odoo/addons/base/wizard/base_update_translations.py
+++ b/odoo/addons/base/wizard/base_update_translations.py
@@ -26,7 +26,6 @@ class BaseUpdateTranslations(models.TransientModel):
             raise UserError(_('No language with code "%s" exists') % lang_code)
         return lang.name
 
-    @api.multi
     def act_update(self):
         this = self[0]
         lang_name = self._get_lang_name(this.lang)
diff --git a/odoo/addons/test_assetsbundle/tests/test_assetsbundle.py b/odoo/addons/test_assetsbundle/tests/test_assetsbundle.py
index 4a03d7bd9b1f4107a6dabe0fb75fe52e5e243191..f96d7d268ab3ba05e584f66be42d356f2e629e1d 100644
--- a/odoo/addons/test_assetsbundle/tests/test_assetsbundle.py
+++ b/odoo/addons/test_assetsbundle/tests/test_assetsbundle.py
@@ -563,7 +563,6 @@ class TestAssetsBundleWithIRAMock(FileTouchable):
             counter.update(['create'])
             return origin_create(self, vals)
 
-        @api.multi
         def unlink(self):
             counter.update(['unlink'])
             return origin_unlink(self)
diff --git a/odoo/addons/test_exceptions/models.py b/odoo/addons/test_exceptions/models.py
index 0a09164eaa72e4ac4942ee93eeb5515cca4bf4a7..7028ddda128763224bc5f714c803448c62cd4b49 100644
--- a/odoo/addons/test_exceptions/models.py
+++ b/odoo/addons/test_exceptions/models.py
@@ -14,98 +14,75 @@ class m(models.Model):
     _name = 'test.exceptions.model'
     _description = 'Test Exception Model'
 
-    @api.multi
     def generate_except_osv(self):
         # title is ignored in the new (6.1) exceptions
         raise odoo.osv.osv.except_osv('title', 'description')
 
-    @api.multi
     def generate_except_orm(self):
         # title is ignored in the new (6.1) exceptions
         raise odoo.exceptions.except_orm('title', 'description')
 
-    @api.multi
     def generate_warning(self):
         raise odoo.exceptions.Warning('description')
 
-    @api.multi
     def generate_redirect_warning(self):
         action = self.env.ref('test_exceptions.action_test_exceptions')
         raise odoo.exceptions.RedirectWarning('description', action.id, 'Go to the redirection')
 
-    @api.multi
     def generate_access_denied(self):
         raise odoo.exceptions.AccessDenied()
 
-    @api.multi
     def generate_access_error(self):
         raise odoo.exceptions.AccessError('description')
 
-    @api.multi
     def generate_exc_access_denied(self):
         raise Exception('AccessDenied')
 
-    @api.multi
     def generate_undefined(self):
         self.surely_undefined_symbol
 
-    @api.multi
     def generate_user_error(self):
         raise odoo.exceptions.UserError('description')
 
-    @api.multi
     def generate_missing_error(self):
         raise odoo.exceptions.MissingError('description')
 
-    @api.multi
     def generate_validation_error(self):
         raise odoo.exceptions.ValidationError('description')
 
-    @api.multi
     def generate_except_osv_safe_eval(self):
         self.generate_safe_eval(self.generate_except_osv)
 
-    @api.multi
     def generate_except_orm_safe_eval(self):
         self.generate_safe_eval(self.generate_except_orm)
 
-    @api.multi
     def generate_warning_safe_eval(self):
         self.generate_safe_eval(self.generate_warning)
 
-    @api.multi
     def generate_redirect_warning_safe_eval(self):
         self.generate_safe_eval(self.generate_redirect_warning)
 
-    @api.multi
     def generate_access_denied_safe_eval(self):
         self.generate_safe_eval(self.generate_access_denied)
 
-    @api.multi
     def generate_access_error_safe_eval(self):
         self.generate_safe_eval(self.generate_access_error)
 
-    @api.multi
     def generate_exc_access_denied_safe_eval(self):
         self.generate_safe_eval(self.generate_exc_access_denied)
 
-    @api.multi
     def generate_undefined_safe_eval(self):
         self.generate_safe_eval(self.generate_undefined)
 
-    @api.multi
     def generate_user_error_safe_eval(self):
         self.generate_safe_eval(self.generate_user_error)
 
-    @api.multi
     def generate_missing_error_safe_eval(self):
         self.generate_safe_eval(self.generate_missing_error)
 
-    @api.multi
     def generate_validation_error_safe_eval(self):
         self.generate_safe_eval(self.generate_validation_error)
 
-    @api.multi
     def generate_safe_eval(self, f):
         globals_dict = { 'generate': f }
         safe_eval("generate()", mode='exec', globals_dict=globals_dict)
diff --git a/odoo/addons/test_impex/models.py b/odoo/addons/test_impex/models.py
index 726bf9041c01d4a65349135a30727384b76eee11..353c8223f82d7d98f5a9e3df61a437d8cbce85d8 100644
--- a/odoo/addons/test_impex/models.py
+++ b/odoo/addons/test_impex/models.py
@@ -44,7 +44,6 @@ for name, field in MODELS:
         const = fields.Integer(default=4)
         value = field
 
-        @api.multi
         def name_get(self):
             return [(record.id, "%s:%s" % (self._name, record.value)) for record in self]
 
@@ -66,7 +65,6 @@ class One2ManyChild(models.Model):
     str = fields.Char()
     value = fields.Integer()
 
-    @api.multi
     def name_get(self):
         return [(record.id, "%s:%s" % (self._name, record.value)) for record in self]
 
@@ -99,7 +97,6 @@ class One2ManyChildMultiple(models.Model):
     str = fields.Char()
     value = fields.Integer()
 
-    @api.multi
     def name_get(self):
         return [(record.id, "%s:%s" % (self._name, record.value)) for record in self]
 
@@ -125,7 +122,6 @@ class Many2ManyChild(models.Model):
     str = fields.Char()
     value = fields.Integer()
 
-    @api.multi
     def name_get(self):
         return [(record.id, "%s:%s" % (self._name, record.value)) for record in self]
 
diff --git a/odoo/addons/test_inherit/models.py b/odoo/addons/test_inherit/models.py
index ffbcc47d31cc9c5fd5ba9c0312f6db85417c8759..74d8b40670567e515188c863c5924f7e8ca95ca2 100644
--- a/odoo/addons/test_inherit/models.py
+++ b/odoo/addons/test_inherit/models.py
@@ -96,7 +96,6 @@ class test_inherit_property(models.Model):
     # override property_bar with a new-api computed field
     property_bar = fields.Integer(compute='_compute_bar', company_dependent=False)
 
-    @api.multi
     def _compute_bar(self):
         for record in self:
             record.property_bar = 42
diff --git a/odoo/addons/test_new_api/models.py b/odoo/addons/test_new_api/models.py
index 1d7d034e22abe508edaef7c4ea280a05c72e3649..031b55aa3ac37547b4772384b3ab6e13e7e22aea 100644
--- a/odoo/addons/test_new_api/models.py
+++ b/odoo/addons/test_new_api/models.py
@@ -60,7 +60,6 @@ class Category(models.Model):
             # assign name of last category, and reassign display_name (to normalize it)
             cat.name = names[-1].strip()
 
-    @api.multi
     def read(self, fields=None, load='_classic_read'):
         if self.search_count([('id', 'in', self._ids), ('name', '=', 'NOACCESS')]):
             raise AccessError('Sorry')
@@ -189,7 +188,6 @@ class Message(models.Model):
     def _search_author_partner(self, operator, value):
         return [('author.partner_id', operator, value)]
 
-    @api.multi
     def write(self, vals):
         if 'priority' in vals:
             vals['priority'] = 5
diff --git a/odoo/api.py b/odoo/api.py
index 432d5c5875dff5896e97a6c9debf2893357b0e10..8312ae58bae259176309b810ee525bd0b0c72aee 100644
--- a/odoo/api.py
+++ b/odoo/api.py
@@ -293,7 +293,6 @@ def multi(method):
     """ Decorate a record-style method where ``self`` is a recordset. The method
         typically defines an operation on records. Such a method::
 
-            @api.multi
             def method(self, args):
                 ...
 
diff --git a/odoo/models.py b/odoo/models.py
index 0ab45f403d118abc5d43cd02720cf98073b3a4e4..6a95f72f29661f6d8f75abad5b2b052df3cd519c 100644
--- a/odoo/models.py
+++ b/odoo/models.py
@@ -728,7 +728,6 @@ class BaseModel(MetaModel('DummyModel', (object,), {'_register': False})):
             for record in self
         )
 
-    @api.multi
     def _export_rows(self, fields, *, _is_toplevel_call=True):
         """ Export fields of the records in ``self``.
 
@@ -830,7 +829,6 @@ class BaseModel(MetaModel('DummyModel', (object,), {'_register': False})):
     # backward compatibility
     __export_rows = _export_rows
 
-    @api.multi
     def export_data(self, fields_to_export, raw_data=False):
         """ Export fields for selected objects
 
@@ -1097,7 +1095,6 @@ class BaseModel(MetaModel('DummyModel', (object,), {'_register': False})):
 
             yield dbid, xid, converted, dict(extras, record=stream.index)
 
-    @api.multi
     def _validate_fields(self, field_names):
         field_names = set(field_names)
 
@@ -1498,7 +1495,6 @@ class BaseModel(MetaModel('DummyModel', (object,), {'_register': False})):
             }
         return result
 
-    @api.multi
     def get_formview_id(self, access_uid=None):
         """ Return an view id to open the document ``self`` with. This method is
             meant to be overridden in addons that want to give specific view ids
@@ -1509,7 +1505,6 @@ class BaseModel(MetaModel('DummyModel', (object,), {'_register': False})):
         """
         return False
 
-    @api.multi
     def get_formview_action(self, access_uid=None):
         """ Return an action to open the document ``self``. This method is meant
             to be overridden in addons that want to give specific view ids for
@@ -1529,7 +1524,6 @@ class BaseModel(MetaModel('DummyModel', (object,), {'_register': False})):
             'context': dict(self._context),
         }
 
-    @api.multi
     def get_access_action(self, access_uid=None):
         """ Return an action to open the document. This method is meant to be
         overridden in addons that want to give specific access to the document.
@@ -1594,7 +1588,6 @@ class BaseModel(MetaModel('DummyModel', (object,), {'_register': False})):
         for record in self:
             record.display_name = names.get(record.id, False)
 
-    @api.multi
     def name_get(self):
         """ name_get() -> [(id, name), ...]
 
@@ -2795,7 +2788,6 @@ Fields:
 
         return fields
 
-    @api.multi
     def read(self, fields=None, load='_classic_read'):
         """ read([fields])
 
@@ -2848,7 +2840,6 @@ Fields:
 
         return result
 
-    @api.multi
     def _prefetch_field(self, field):
         """ Read from the database in order to fetch ``field`` (:class:`Field`
             instance) for ``self`` in cache.
@@ -2899,7 +2890,6 @@ Fields:
                 exc = AccessError("No value found for %s.%s" % (self, field.name))
                 self.env.cache.set_failed(self, [field], exc)
 
-    @api.multi
     def _read_from_database(self, field_names, inherited_field_names=[]):
         """ Read the given fields of the records in ``self`` from the database,
             and store them in cache. Access errors are also stored in cache.
@@ -3007,7 +2997,6 @@ Fields:
                 exc = self.env['ir.rule']._make_access_error('read', forbidden)
                 self.env.cache.set_failed(forbidden, self._fields.values(), exc)
 
-    @api.multi
     def get_metadata(self):
         """
         Returns some metadata about the given records.
@@ -3040,7 +3029,6 @@ Fields:
             r['noupdate'] = value.get('noupdate', False)
         return res
 
-    @api.multi
     def get_base_url(self):
         """
         Returns rooturl for a specific given record.
@@ -3055,7 +3043,6 @@ Fields:
         self.ensure_one()
         return self.env['ir.config_parameter'].sudo().get_param('web.base.url')
 
-    @api.multi
     def _check_concurrency(self):
         if not (self._log_access and self._context.get(self.CONCURRENCY_CHECK_FIELD)):
             return
@@ -3085,7 +3072,6 @@ Fields:
         """
         return self.env['ir.model.access'].check(self._name, operation, raise_exception)
 
-    @api.multi
     def check_access_rule(self, operation):
         """ Verifies that the operation given by ``operation`` is allowed for
             the current user according to ir.rules.
@@ -3162,7 +3148,6 @@ Fields:
             if not (it or it.origin) or (it or it.origin) in valid_ids
         ])
 
-    @api.multi
     def unlink(self):
         """ unlink()
 
@@ -3240,7 +3225,6 @@ Fields:
 
         return True
 
-    @api.multi
     def write(self, vals):
         """ write(vals)
 
@@ -3429,7 +3413,6 @@ Fields:
 
         return True
 
-    @api.multi
     def _write(self, vals):
         # low-level implementation of write()
         if not self:
@@ -4204,7 +4187,6 @@ Fields:
 
         return _uniquify_list([x[0] for x in res])
 
-    @api.multi
     @api.returns(None, lambda value: value[0])
     def copy_data(self, default=None):
         """
@@ -4275,7 +4257,6 @@ Fields:
 
         return [default]
 
-    @api.multi
     def copy_translations(old, new, excluded=()):
         """ Recursively copy the translations from original to new record
 
@@ -4348,7 +4329,6 @@ Fields:
                     vals_list.append(vals)
                 Translation._upsert_translations(vals_list)
 
-    @api.multi
     @api.returns('self', lambda value: value.id)
     def copy(self, default=None):
         """ copy(default=None)
@@ -4367,7 +4347,6 @@ Fields:
         self.with_context(from_copy_translation=True).copy_translations(new, excluded=default or ())
         return new
 
-    @api.multi
     @api.returns('self')
     def exists(self):
         """  exists() -> records
@@ -4398,7 +4377,6 @@ Fields:
             self.env.cache.set_failed(self - existing, self._fields.values(), exc)
         return existing
 
-    @api.multi
     def _check_recursion(self, parent=None):
         """
         Verifies that there is no loop in a hierarchical structure of records,
@@ -4424,7 +4402,6 @@ Fields:
                     return False
         return True
 
-    @api.multi
     def _check_m2m_recursion(self, field_name):
         """
         Verifies that there is no loop in a directed graph of records, by
@@ -4463,7 +4440,6 @@ Fields:
                     todo.add(id2)
         return True
 
-    @api.multi
     def _get_external_ids(self):
         """Retrieve the External ID(s) of any database record.
 
@@ -4482,7 +4458,6 @@ Fields:
             result[data['res_id']].append('%(module)s.%(name)s' % data)
         return result
 
-    @api.multi
     def get_external_id(self):
         """Retrieve the External ID of any database record, if there
         is one. This method works as a possible implementation
@@ -4665,7 +4640,6 @@ Fields:
         index = {vals['id']: vals for vals in result}
         return [index[record.id] for record in records if record.id in index]
 
-    @api.multi
     def toggle_active(self):
         """ Inverse the value of the field ``active`` on the records in ``self``. """
         for record in self:
@@ -4678,7 +4652,6 @@ Fields:
         """
         return self.filtered(lambda record: record.active).toggle_active()
 
-    @api.multi
     def action_unarchive(self):
         """
             Set active=True on a recordset, by calling toggle_active to take the
@@ -4699,7 +4672,6 @@ Fields:
 
             Example::
 
-                @api.multi
                 def do_write(self, values):
                     # do stuff, and call the original method
                     return do_write.origin(self, values)
@@ -5017,7 +4989,6 @@ Fields:
             key = itemgetter(key)
         return self.browse(item.id for item in sorted(self, key=key, reverse=reverse))
 
-    @api.multi
     def update(self, values):
         """ Update the records in ``self`` with ``values``. """
         for record in self:
@@ -5269,7 +5240,6 @@ Fields:
                [(invf, None) for f in fields for invf in self._field_inverses[f]]
         self.env.cache.invalidate(spec)
 
-    @api.multi
     def modified(self, fnames):
         """ Notify that fields have been modified on ``self``. This invalidates
             the cache, and prepares the recomputation of stored function fields
@@ -5441,7 +5411,6 @@ Fields:
                 process(method_res)
             return
 
-    @api.multi
     def onchange(self, values, field_name, field_onchange):
         """ Perform an onchange on the given field.
 
diff --git a/odoo/tools/profiler.py b/odoo/tools/profiler.py
index 0904faf3c1b9181deaf31f7b27d2e4005dce02a5..e44dfadac1f5efbe8e878939b56b3226b2a4ca37 100644
--- a/odoo/tools/profiler.py
+++ b/odoo/tools/profiler.py
@@ -105,7 +105,6 @@ def profile(method=None, whitelist=None, blacklist=(None,), files=None,
             @profile                    # log only this create method
             def create(self, vals):
             ...
-            @api.multi
             @profile()                  # log all methods for all odoo models
             def unlink(self):
             ...