1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542
|
from bisect import bisect_left
from collections import defaultdict
import contextlib
import itertools
import re
import json
from odoo import api, fields, models, _, Command
from odoo.osv import expression
from odoo.exceptions import UserError, ValidationError, RedirectWarning
from odoo.tools import SQL, Query
ACCOUNT_REGEX = re.compile(r'(?:(\S*\d+\S*))?(.*)')
ACCOUNT_CODE_REGEX = re.compile(r'^[A-Za-z0-9.]+$')
ACCOUNT_CODE_NUMBER_REGEX = re.compile(r'(.*?)(\d*)(\D*?)$')
class AccountAccount(models.Model):
_name = "account.account"
_inherit = ['mail.thread']
_description = "Account"
_order = "code, placeholder_code"
_check_company_auto = True
_check_company_domain = models.check_companies_domain_parent_of
@api.constrains('account_type', 'reconcile')
def _check_reconcile(self):
for account in self:
if account.account_type in ('asset_receivable', 'liability_payable') and not account.reconcile:
raise ValidationError(_('You cannot have a receivable/payable account that is not reconcilable. (account code: %s)', account.code))
@api.constrains('account_type')
def _check_account_type_unique_current_year_earning(self):
result = self._read_group(
domain=[('account_type', '=', 'equity_unaffected')],
groupby=['company_ids'],
aggregates=['id:recordset'],
having=[('__count', '>', 1)],
)
for _company, account_unaffected_earnings in result:
raise ValidationError(_('You cannot have more than one account with "Current Year Earnings" as type. (accounts: %s)', [a.code for a in account_unaffected_earnings]))
name = fields.Char(string="Account Name", required=True, index='trigram', tracking=True, translate=True)
currency_id = fields.Many2one('res.currency', string='Account Currency', tracking=True,
help="Forces all journal items in this account to have a specific currency (i.e. bank journals). If no currency is set, entries can use any currency.")
company_currency_id = fields.Many2one('res.currency', compute='_compute_company_currency_id')
company_fiscal_country_code = fields.Char(compute='_compute_company_fiscal_country_code')
code = fields.Char(string="Code", size=64, tracking=True, compute='_compute_code', search='_search_code', inverse='_inverse_code')
code_store = fields.Char(company_dependent=True)
placeholder_code = fields.Char(string="Display code", compute='_compute_placeholder_code', search='_search_placeholder_code')
deprecated = fields.Boolean(default=False, tracking=True)
used = fields.Boolean(compute='_compute_used', search='_search_used')
account_type = fields.Selection(
selection=[
("asset_receivable", "Receivable"),
("asset_cash", "Bank and Cash"),
("asset_current", "Current Assets"),
("asset_non_current", "Non-current Assets"),
("asset_prepayments", "Prepayments"),
("asset_fixed", "Fixed Assets"),
("liability_payable", "Payable"),
("liability_credit_card", "Credit Card"),
("liability_current", "Current Liabilities"),
("liability_non_current", "Non-current Liabilities"),
("equity", "Equity"),
("equity_unaffected", "Current Year Earnings"),
("income", "Income"),
("income_other", "Other Income"),
("expense", "Expenses"),
("expense_depreciation", "Depreciation"),
("expense_direct_cost", "Cost of Revenue"),
("off_balance", "Off-Balance Sheet"),
],
string="Type", tracking=True,
required=True,
compute='_compute_account_type', store=True, readonly=False, precompute=True, index=True,
help="Account Type is used for information purpose, to generate country-specific legal reports, and set the rules to close a fiscal year and generate opening entries."
)
include_initial_balance = fields.Boolean(string="Bring Accounts Balance Forward",
help="Used in reports to know if we should consider journal items from the beginning of time instead of from the fiscal year only. Account types that should be reset to zero at each new fiscal year (like expenses, revenue..) should not have this option set.",
compute="_compute_include_initial_balance",
search="_search_include_initial_balance",
)
internal_group = fields.Selection(
selection=[
('equity', 'Equity'),
('asset', 'Asset'),
('liability', 'Liability'),
('income', 'Income'),
('expense', 'Expense'),
('off', 'Off Balance'),
],
string="Internal Group",
compute="_compute_internal_group",
search='_search_internal_group',
)
reconcile = fields.Boolean(string='Allow Reconciliation', tracking=True,
compute='_compute_reconcile', store=True, readonly=False, precompute=True,
help="Check this box if this account allows invoices & payments matching of journal items.")
tax_ids = fields.Many2many('account.tax', 'account_account_tax_default_rel',
'account_id', 'tax_id', string='Default Taxes',
check_company=True,
context={'append_type_to_tax_name': True})
note = fields.Text('Internal Notes', tracking=True)
company_ids = fields.Many2many('res.company', string='Companies', required=True, readonly=False,
default=lambda self: self.env.company)
code_mapping_ids = fields.One2many(comodel_name='account.code.mapping', inverse_name='account_id')
# Ensure `code_mapping_ids` is written before `company_ids` so we don't trigger the `_ensure_code_is_unique`
# constraint when writing multiple code mappings and multiple companies in the same call to `write`.
code_mapping_ids.write_sequence = 19
tag_ids = fields.Many2many(
comodel_name='account.account.tag',
relation='account_account_account_tag',
compute='_compute_account_tags', readonly=False, store=True, precompute=True,
string='Tags',
help="Optional tags you may want to assign for custom reporting",
ondelete='restrict',
tracking=True,
)
group_id = fields.Many2one('account.group', compute='_compute_account_group',
help="Account prefixes can determine account groups.")
root_id = fields.Many2one('account.root', compute='_compute_account_root', search='_search_account_root')
allowed_journal_ids = fields.Many2many(
'account.journal',
string="Allowed Journals",
help="Define in which journals this account can be used. If empty, can be used in all journals.",
check_company=True,
)
opening_debit = fields.Monetary(string="Opening Debit", compute='_compute_opening_debit_credit', inverse='_set_opening_debit', currency_field='company_currency_id')
opening_credit = fields.Monetary(string="Opening Credit", compute='_compute_opening_debit_credit', inverse='_set_opening_credit', currency_field='company_currency_id')
opening_balance = fields.Monetary(string="Opening Balance", compute='_compute_opening_debit_credit', inverse='_set_opening_balance', currency_field='company_currency_id')
current_balance = fields.Float(compute='_compute_current_balance')
related_taxes_amount = fields.Integer(compute='_compute_related_taxes_amount')
non_trade = fields.Boolean(default=False,
help="If set, this account will belong to Non Trade Receivable/Payable in reports and filters.\n"
"If not, this account will belong to Trade Receivable/Payable in reports and filters.")
# Form view: show code mapping tab or not
display_mapping_tab = fields.Boolean(default=lambda self: len(self.env.user.company_ids) > 1, store=False)
def _field_to_sql(self, alias: str, fname: str, query: (Query | None) = None, flush: bool = True) -> SQL:
if fname == 'internal_group':
return SQL("split_part(account_account.account_type, '_', 1)", to_flush=self._fields['account_type'])
if fname == 'code':
return self.with_company(self.env.company.root_id).sudo()._field_to_sql(alias, 'code_store', query, flush)
if fname == 'placeholder_code':
query.add_join(
'JOIN',
'account_first_company',
SQL(
"""(
SELECT DISTINCT ON (rel.account_account_id)
rel.account_account_id AS account_id,
rel.res_company_id AS company_id,
SPLIT_PART(res_company.parent_path, '/', 1) AS root_company_id,
res_company.name AS company_name
FROM account_account_res_company_rel rel
JOIN res_company
ON res_company.id = rel.res_company_id
WHERE rel.res_company_id IN %(authorized_company_ids)s
ORDER BY rel.account_account_id, company_id
)""",
authorized_company_ids=self.env.user._get_company_ids(),
),
SQL('account_first_company.account_id = %(account_id)s', account_id=SQL.identifier(alias, 'id')),
)
# Can't have spaces because of how stupidly the `Model._read_group_orderby` method is written
# see https://github.com/odoo/odoo/blob/2a3466e8f86bc08594391658e08ba3416fb8307b/odoo/models.py#L2222
return SQL(
"COALESCE("
"%(code_store)s->>%(active_company_root_id)s,"
"%(code_store)s->>%(account_first_company_root_id)s||'('||%(account_first_company_name)s||')'"
")",
code_store=SQL.identifier(alias, 'code_store'),
active_company_root_id=self.env.company.root_id.id,
account_first_company_name=SQL.identifier('account_first_company', 'company_name'),
account_first_company_root_id=SQL.identifier('account_first_company', 'root_company_id'),
)
return super()._field_to_sql(alias, fname, query, flush)
@api.constrains('reconcile', 'account_type', 'tax_ids')
def _constrains_reconcile(self):
for record in self:
if record.account_type == 'off_balance':
if record.reconcile:
raise UserError(_('An Off-Balance account can not be reconcilable'))
if record.tax_ids:
raise UserError(_('An Off-Balance account can not have taxes'))
@api.constrains('allowed_journal_ids')
def _constrains_allowed_journal_ids(self):
self.env['account.move.line'].flush_model(['account_id', 'journal_id'])
self.flush_recordset(['allowed_journal_ids'])
self._cr.execute("""
SELECT aml.id
FROM account_move_line aml
WHERE aml.account_id in %s
AND EXISTS (SELECT 1 FROM account_account_account_journal_rel WHERE account_account_id = aml.account_id)
AND NOT EXISTS (SELECT 1 FROM account_account_account_journal_rel WHERE account_account_id = aml.account_id AND account_journal_id = aml.journal_id)
""", [tuple(self.ids)])
ids = self._cr.fetchall()
if ids:
raise ValidationError(_('Some journal items already exist with this account but in other journals than the allowed ones.'))
@api.constrains('currency_id')
def _check_journal_consistency(self):
''' Ensure the currency set on the journal is the same as the currency set on the
linked accounts.
'''
if not self:
return
self.env['account.account'].flush_model(['currency_id'])
self.env['account.journal'].flush_model([
'currency_id',
'default_account_id',
'suspense_account_id',
])
self.env['account.payment.method'].flush_model(['payment_type'])
self.env['account.payment.method.line'].flush_model(['payment_method_id', 'payment_account_id'])
self._cr.execute('''
SELECT
account.id,
journal.id
FROM account_journal journal
JOIN res_company company ON company.id = journal.company_id
JOIN account_account account ON account.id = journal.default_account_id
WHERE journal.currency_id IS NOT NULL
AND journal.currency_id != company.currency_id
AND account.currency_id != journal.currency_id
AND account.id IN %(accounts)s
UNION ALL
SELECT
account.id,
journal.id
FROM account_journal journal
JOIN res_company company ON company.id = journal.company_id
JOIN account_payment_method_line apml ON apml.journal_id = journal.id
JOIN account_payment_method apm on apm.id = apml.payment_method_id
JOIN account_account account ON account.id = apml.payment_account_id
WHERE journal.currency_id IS NOT NULL
AND journal.currency_id != company.currency_id
AND account.currency_id != journal.currency_id
AND apm.payment_type = 'inbound'
AND account.id IN %(accounts)s
UNION ALL
SELECT
account.id,
journal.id
FROM account_journal journal
JOIN res_company company ON company.id = journal.company_id
JOIN account_payment_method_line apml ON apml.journal_id = journal.id
JOIN account_payment_method apm on apm.id = apml.payment_method_id
JOIN account_account account ON account.id = apml.payment_account_id
WHERE journal.currency_id IS NOT NULL
AND journal.currency_id != company.currency_id
AND account.currency_id != journal.currency_id
AND apm.payment_type = 'outbound'
AND account.id IN %(accounts)s
''', {
'accounts': tuple(self.ids)
})
res = self._cr.fetchone()
if res:
account = self.env['account.account'].browse(res[0])
journal = self.env['account.journal'].browse(res[1])
raise ValidationError(_(
"The foreign currency set on the journal '%(journal)s' and the account '%(account)s' must be the same.",
journal=journal.display_name,
account=account.display_name
))
@api.constrains('company_ids', 'account_type')
def _check_company_consistency(self):
if accounts_without_company := self.filtered(lambda a: not a.sudo().company_ids):
raise ValidationError(
_("The following accounts must be assigned to at least one company:")
+ "\n" + "\n".join(f"- {account.display_name}" for account in accounts_without_company)
)
if self.filtered(lambda a: a.account_type == 'asset_cash' and len(a.company_ids) > 1):
raise ValidationError(_("Bank & Cash accounts cannot be shared between companies."))
for companies, accounts in self.grouped(lambda a: a.company_ids).items():
if self.env['account.move.line'].sudo().search_count([
('account_id', 'in', accounts.ids),
'!', ('company_id', 'child_of', companies.ids)
], limit=1):
raise UserError(_("You can't unlink this company from this account since there are some journal items linked to it."))
@api.constrains('account_type')
def _check_account_type_sales_purchase_journal(self):
if not self:
return
self.env['account.account'].flush_model(['account_type'])
self.env['account.journal'].flush_model(['type', 'default_account_id'])
self._cr.execute('''
SELECT account.id
FROM account_account account
JOIN account_journal journal ON journal.default_account_id = account.id
WHERE account.id IN %s
AND account.account_type IN ('asset_receivable', 'liability_payable')
AND journal.type IN ('sale', 'purchase')
LIMIT 1;
''', [tuple(self.ids)])
if self._cr.fetchone():
raise ValidationError(_("The account is already in use in a 'sale' or 'purchase' journal. This means that the account's type couldn't be 'receivable' or 'payable'."))
@api.constrains('reconcile')
def _check_used_as_journal_default_debit_credit_account(self):
accounts = self.filtered(lambda a: not a.reconcile)
if not accounts:
return
self.env['account.journal'].flush_model(['company_id', 'default_account_id'])
self.env['account.payment.method.line'].flush_model(['journal_id', 'payment_account_id'])
self._cr.execute('''
SELECT journal.id
FROM account_journal journal
JOIN res_company company on journal.company_id = company.id
LEFT JOIN account_payment_method_line apml ON journal.id = apml.journal_id
WHERE (
apml.payment_account_id IN %(accounts)s
AND apml.payment_account_id != journal.default_account_id
)
''', {
'accounts': tuple(accounts.ids),
})
rows = self._cr.fetchall()
if rows:
journals = self.env['account.journal'].browse([r[0] for r in rows])
raise ValidationError(_(
"This account is configured in %(journal_names)s journal(s) (ids %(journal_ids)s) as payment debit or credit account. This means that this account's type should be reconcilable.",
journal_names=journals.mapped('display_name'),
journal_ids=journals.ids
))
@api.constrains('code')
def _check_account_code(self):
for account in self:
if account.code and not re.match(ACCOUNT_CODE_REGEX, account.code):
raise ValidationError(_(
"The account code can only contain alphanumeric characters and dots."
))
@api.constrains('account_type')
def _check_account_is_bank_journal_bank_account(self):
self.env['account.account'].flush_model(['account_type'])
self.env['account.journal'].flush_model(['type', 'default_account_id'])
self._cr.execute('''
SELECT journal.id
FROM account_journal journal
JOIN account_account account ON journal.default_account_id = account.id
WHERE account.account_type IN ('asset_receivable', 'liability_payable')
AND account.id IN %s
LIMIT 1;
''', [tuple(self.ids)])
if self._cr.fetchone():
raise ValidationError(_("You cannot change the type of an account set as Bank Account on a journal to Receivable or Payable."))
@api.depends_context('company')
def _compute_code(self):
for record, record_root in zip(self, self.with_company(self.env.company.root_id).sudo()):
# Need to set record.code with `company = self.env.company`, not `self.env.company.root_id`
record.code = record_root.code_store
def _search_code(self, operator, value):
return [('id', 'in', self.with_company(self.env.company.root_id).sudo()._search([('code_store', operator, value)]))]
def _inverse_code(self):
for record, record_root in zip(self, self.with_company(self.env.company.root_id).sudo()):
# Need to set record.code with `company = self.env.company`, not `self.env.company.root_id`
record_root.code_store = record.code
@api.depends_context('company')
@api.depends('code')
def _compute_placeholder_code(self):
self.placeholder_code = False
for record in self:
if record.code:
record.placeholder_code = record.code
elif authorized_companies := (record.company_ids & self.env['res.company'].browse(self.env.user._get_company_ids())).sorted('id'):
company = authorized_companies[0]
if code := record.with_company(company).code:
record.placeholder_code = f'{code} ({company.name})'
def _search_placeholder_code(self, operator, value):
if operator != '=like':
raise NotImplementedError
query = Query(self.env, 'account_account')
placeholder_code_sql = self.env['account.account']._field_to_sql('account_account', 'placeholder_code', query)
query.add_where(SQL("%s LIKE %s", placeholder_code_sql, value))
return [('id', 'in', query)]
@api.depends_context('company')
@api.depends('code')
def _compute_account_root(self):
for record in self:
record.root_id = self.env['account.root']._from_account_code(record.placeholder_code)
def _search_account_root(self, operator, value):
if operator in ['=', 'child_of']:
root = self.env['account.root'].browse(value)
return [('placeholder_code', '=like', root.name + ('' if operator == '=' and not root.parent_id else '%'))]
raise NotImplementedError
def _search_panel_domain_image(self, field_name, domain, set_count=False, limit=False):
if field_name != 'root_id' or set_count:
return super()._search_panel_domain_image(field_name, domain, set_count, limit)
if expression.is_false(self, domain):
return {}
query_account = self.env['account.account']._search(domain, limit=limit)
placeholder_code_alias = self.env['account.account']._field_to_sql('account_account', 'code', query_account)
placeholder_codes = self.env.execute_query(query_account.select(placeholder_code_alias))
return {
(root := self.env['account.root']._from_account_code(code)).id: {'id': root.id, 'display_name': root.display_name}
for code, in placeholder_codes if code
}
@api.depends_context('company')
@api.depends('code')
def _compute_account_group(self):
accounts_with_code = self.filtered(lambda a: a.code)
(self - accounts_with_code).group_id = False
if not accounts_with_code:
return
codes = accounts_with_code.mapped('code')
account_code_values = SQL(','.join(['(%s)'] * len(codes)), *codes)
results = self.env.execute_query(SQL(
"""
SELECT DISTINCT ON (account_code.code)
account_code.code,
agroup.id AS group_id
FROM (VALUES %(account_code_values)s) AS account_code (code)
LEFT JOIN account_group agroup
ON agroup.code_prefix_start <= LEFT(account_code.code, char_length(agroup.code_prefix_start))
AND agroup.code_prefix_end >= LEFT(account_code.code, char_length(agroup.code_prefix_end))
AND agroup.company_id = %(root_company_id)s
ORDER BY account_code.code, char_length(agroup.code_prefix_start) DESC, agroup.id
""",
account_code_values=account_code_values,
root_company_id=self.env.company.root_id.id,
))
group_by_code = dict(results)
for account in accounts_with_code:
account.group_id = group_by_code[account.code]
def _search_used(self, operator, value):
if operator not in ['=', '!='] or not isinstance(value, bool):
raise UserError(_('Operation not supported'))
if operator != '=':
value = not value
self._cr.execute("""
SELECT id FROM account_account account
WHERE EXISTS (SELECT 1 FROM account_move_line aml WHERE aml.account_id = account.id LIMIT 1)
""")
return [('id', 'in' if value else 'not in', [r[0] for r in self._cr.fetchall()])]
def _compute_used(self):
ids = set(self._search_used('=', True)[0][2])
for record in self:
record.used = record.id in ids
@api.model
def _search_new_account_code(self, start_code, cache=None):
""" Get an available account code by starting from an existing code
and incrementing it until an available code is found.
Examples:
| start_code | codes checked for availability |
+--------------+------------------------------------------------------------+
| 102100 | 102101, 102102, 102103, 102104, ... |
| 1598 | 1599, 1600, 1601, 1602, ... |
| 10.01.08 | 10.01.09, 10.01.10, 10.01.11, 10.01.12, ... |
| 10.01.97 | 10.01.98, 10.01.99, 10.01.97.copy2, 10.01.97.copy3, ... |
| 1021A | 1021A, 1022A, 1023A, 1024A, ... |
| hello | hello.copy, hello.copy2, hello.copy3, hello.copy4, ... |
| 9998 | 9999, 9998.copy, 9998.copy2, 9998.copy3, ... |
:param start_code str: the code to increment until an available one is found
:param set[str] cache: a set of codes which you know are already used
(optional, to speed up the method).
If none is given, the method will use cache = {start_code}.
i.e. the method will return the first available code
*strictly* greater than start_code.
If you want the method to start at start_code, you should
explicitly pass cache={}.
:return str: an available new account code for `company`.
It will normally have length `len(start_code)`.
If incrementing the last digits starting from `start_code` does
not work, the method will try as a fallback
'{start_code}.copy', '{start_code}.copy2', ... '{start_code}.copy99'.
"""
if cache is None:
cache = {start_code}
def code_is_available(new_code):
return new_code not in cache and not self.search_count([('code', '=', new_code)], limit=1)
if code_is_available(start_code):
return start_code
start_str, digits_str, end_str = ACCOUNT_CODE_NUMBER_REGEX.match(start_code).groups()
if digits_str != '':
d, n = len(digits_str), int(digits_str)
for num in range(n+1, 10**d):
if code_is_available(new_code := f'{start_str}{num:0{d}}{end_str}'):
return new_code
for num in range(99):
if code_is_available(new_code := f'{start_code}.copy{num and num + 1 or ""}'):
return new_code
raise UserError(_('Cannot generate an unused account code.'))
@api.depends_context('company')
def _compute_current_balance(self):
balances = {
account.id: balance
for account, balance in self.env['account.move.line']._read_group(
domain=[('account_id', 'in', self.ids), ('parent_state', '=', 'posted'), ('company_id', '=', self.env.company.id)],
groupby=['account_id'],
aggregates=['balance:sum'],
)
}
for record in self:
record.current_balance = balances.get(record.id, 0)
@api.depends_context('company')
def _compute_related_taxes_amount(self):
for record in self:
record.related_taxes_amount = self.env['account.tax'].search_count([
*self.env['account.tax']._check_company_domain(self.env.company),
('repartition_line_ids.account_id', '=', record.id),
])
@api.depends_context('company')
def _compute_company_currency_id(self):
self.company_currency_id = self.env.company.currency_id
@api.depends_context('company')
def _compute_company_fiscal_country_code(self):
self.company_fiscal_country_code = self.env.company.account_fiscal_country_id.code
@api.depends_context('company')
def _compute_opening_debit_credit(self):
self.opening_debit = 0
self.opening_credit = 0
self.opening_balance = 0
opening_move = self.env.company.account_opening_move_id
if not self.ids or not opening_move:
return
self.env.cr.execute(SQL(
"""
SELECT line.account_id,
SUM(line.balance) AS balance,
SUM(line.debit) AS debit,
SUM(line.credit) AS credit
FROM account_move_line line
WHERE line.move_id = %(opening_move_id)s
AND line.account_id IN %(account_ids)s
GROUP BY line.account_id
""",
account_ids=tuple(self.ids),
opening_move_id=opening_move.id,
))
result = {r['account_id']: r for r in self.env.cr.dictfetchall()}
for record in self:
res = result.get(record.id) or {'debit': 0, 'credit': 0, 'balance': 0}
record.opening_debit = res['debit']
record.opening_credit = res['credit']
record.opening_balance = res['balance']
@api.depends('code')
def _compute_account_type(self):
accounts_to_process = self.filtered(lambda account: account.code and not account.account_type)
self._get_closest_parent_account(accounts_to_process, 'account_type', default_value='asset_current')
@api.depends('code')
def _compute_account_tags(self):
accounts_to_process = self.filtered(lambda account: account.code and not account.tag_ids)
self._get_closest_parent_account(accounts_to_process, 'tag_ids', default_value=[])
def _get_closest_parent_account(self, accounts_to_process, field_name, default_value):
"""
This helper function retrieves the closest parent account based on account codes
for the given accounts to process and assigns the value of the parent to the specified field.
:param accounts_to_process: Records of accounts to be processed.
:param field_name: Name of the field to be updated with the closest parent account value.
:param default_value: Default value to be assigned if no parent account is found.
"""
assert field_name in self._fields
all_accounts = self.search_read(
domain=self._check_company_domain(self.env.company),
fields=['code', field_name],
order='code',
)
accounts_with_codes = {}
# We want to group accounts by company to only search for account codes of the current company
for account in all_accounts:
accounts_with_codes[account['code']] = account[field_name]
for account in accounts_to_process:
codes_list = list(accounts_with_codes.keys())
closest_index = bisect_left(codes_list, account.code) - 1
account[field_name] = accounts_with_codes[codes_list[closest_index]] if closest_index != -1 else default_value
@api.depends('account_type')
def _compute_include_initial_balance(self):
for account in self:
account.include_initial_balance = account.internal_group not in ['income', 'expense']
def _search_include_initial_balance(self, operator, value):
if operator not in ['=', '!='] or not isinstance(value, bool):
raise UserError(_('Operation not supported'))
if operator != '=':
value = not value
return [('internal_group', 'not in' if value else 'in', ['income', 'expense'])]
def _get_internal_group(self, account_type):
return account_type.split('_', maxsplit=1)[0]
@api.depends('account_type')
def _compute_internal_group(self):
for account in self:
account.internal_group = account.account_type and account._get_internal_group(account.account_type)
def _search_internal_group(self, operator, value):
if operator not in ['=', 'in', '!=', 'not in']:
raise UserError(_('Operation not supported'))
domain = expression.OR([[('account_type', '=like', group)] for group in {
self._get_internal_group(v) + '%'
for v in (value if isinstance(value, (list, tuple)) else [value])
}])
if operator in ('!=', 'not in'):
return ['!'] + expression.normalize_domain(domain)
return domain
@api.depends('account_type')
def _compute_reconcile(self):
for account in self:
if account.internal_group in ('income', 'expense', 'equity'):
account.reconcile = False
elif account.account_type in ('asset_receivable', 'liability_payable'):
account.reconcile = True
# For other asset/liability accounts, don't do any change to account.reconcile.
def _set_opening_debit(self):
for record in self:
record._set_opening_debit_credit(record.opening_debit, 'debit')
def _set_opening_credit(self):
for record in self:
record._set_opening_debit_credit(record.opening_credit, 'credit')
def _set_opening_balance(self):
# Tracking of the balances to be used after the import to populate the opening move in batch.
for account in self:
balance = account.opening_balance
account._set_opening_debit_credit(abs(balance) if balance > 0.0 else 0.0, 'debit')
account._set_opening_debit_credit(abs(balance) if balance < 0.0 else 0.0, 'credit')
def _set_opening_debit_credit(self, amount, field):
""" Generic function called by both opening_debit and opening_credit's
inverse function. 'Amount' parameter is the value to be set, and field
either 'debit' or 'credit', depending on which one of these two fields
got assigned.
"""
self.ensure_one()
if 'import_account_opening_balance' not in self._cr.precommit.data:
data = self._cr.precommit.data['import_account_opening_balance'] = {}
self._cr.precommit.add(self._load_precommit_update_opening_move)
else:
data = self._cr.precommit.data['import_account_opening_balance']
data.setdefault(self.env.company.id, {}).setdefault(self.id, [None, None])
index = 0 if field == 'debit' else 1
data[self.env.company.id][self.id][index] = amount
@api.model
def default_get(self, default_fields):
"""If we're creating a new account through a many2one, there are chances that we typed the account code
instead of its name. In that case, switch both fields values.
"""
context = {}
if 'name' in default_fields or 'code' in default_fields:
default_name = self.env.context.get('default_name')
default_code = self.env.context.get('default_code')
if default_name and not default_code:
with contextlib.suppress(ValueError):
default_code = int(default_name)
if default_code:
default_name = False
context.update({'default_name': default_name, 'default_code': default_code})
defaults = super(AccountAccount, self.with_context(**context)).default_get(default_fields)
if 'code_mapping_ids' in default_fields and 'code_mapping_ids' not in defaults:
defaults['code_mapping_ids'] = [Command.create({'company_id': c.id}) for c in self.env.user.company_ids]
return defaults
@api.model
def _get_most_frequent_accounts_for_partner(self, company_id, partner_id, move_type, filter_never_user_accounts=False, limit=None):
"""
Returns the accounts ordered from most frequent to least frequent for a given partner
and filtered according to the move type
:param company_id: the company id
:param partner_id: the partner id for which we want to retrieve the most frequent accounts
:param move_type: the type of the move to know which type of accounts to retrieve
:param filter_never_user_accounts: True if we should filter out accounts never used for the partner
:param limit: the maximum number of accounts to retrieve
:returns: List of account ids, ordered by frequency (from most to least frequent)
"""
domain = [
*self.env['account.move.line']._check_company_domain(company_id),
('partner_id', '=', partner_id),
('account_id.deprecated', '=', False),
('date', '>=', fields.Date.add(fields.Date.today(), days=-365 * 2)),
]
if move_type in self.env['account.move'].get_inbound_types(include_receipts=True):
domain.append(('account_id.internal_group', '=', 'income'))
elif move_type in self.env['account.move'].get_outbound_types(include_receipts=True):
domain.append(('account_id.internal_group', '=', 'expense'))
query = self.env['account.move.line']._where_calc(domain)
if not filter_never_user_accounts:
_kind, rhs_table, condition = query._joins['account_move_line__account_id']
query._joins['account_move_line__account_id'] = (SQL("RIGHT JOIN"), rhs_table, condition)
company = self.env['res.company'].browse(company_id)
code_sql = self.with_company(company)._field_to_sql('account_move_line__account_id', 'code', query)
return [r[0] for r in self.env.execute_query(SQL(
"""
SELECT account_move_line__account_id.id
FROM %(from_clause)s
WHERE %(where_clause)s
GROUP BY account_move_line__account_id.id
ORDER BY COUNT(account_move_line.id) DESC, MAX(%(code_sql)s)
%(limit_clause)s
""",
from_clause=query.from_clause,
where_clause=query.where_clause or SQL("TRUE"),
code_sql=code_sql,
limit_clause=SQL("LIMIT %s", limit) if limit else SQL(),
))]
@api.model
def _get_most_frequent_account_for_partner(self, company_id, partner_id, move_type=None):
most_frequent_account = self._get_most_frequent_accounts_for_partner(company_id, partner_id, move_type, filter_never_user_accounts=True, limit=1)
return most_frequent_account[0] if most_frequent_account else False
@api.model
def _order_accounts_by_frequency_for_partner(self, company_id, partner_id, move_type=None):
return self._get_most_frequent_accounts_for_partner(company_id, partner_id, move_type)
@api.model
def name_search(self, name='', args=None, operator='ilike', limit=100) -> list[tuple[int, str]]:
if (
not name
and (partner := self.env.context.get('partner_id'))
and (move_type := self._context.get('move_type'))
):
ids = self._order_accounts_by_frequency_for_partner(
self.env.company.id, partner, move_type)
records = self.sudo().browse(ids)
records.fetch(['display_name'])
return [(record.id, record.display_name) for record in records]
return super().name_search(name, args, operator, limit)
@api.model
def _search_display_name(self, operator, value):
name = value or ''
if operator in ('=', '!='):
domain = ['|', ('code', '=', name.split(' ')[0]), ('name', operator, name)]
else:
domain = ['|', ('code', '=like', name.split(' ')[0] + '%'), ('name', operator, name)]
if operator in expression.NEGATIVE_TERM_OPERATORS:
domain = ['&', '!'] + domain[1:]
return domain
@api.onchange('account_type')
def _onchange_account_type(self):
if self.account_type == 'off_balance':
self.tax_ids = False
def _split_code_name(self, code_name):
# We only want to split the name on the first word if there is a digit in it
code, name = ACCOUNT_REGEX.match(code_name or '').groups()
return code, name.strip()
@api.onchange('name')
def _onchange_name(self):
code, name = self._split_code_name(self.name)
if code and not self.code:
self.name = name
self.code = code
@api.depends_context('company')
@api.depends('code')
def _compute_display_name(self):
for account in self:
account.display_name = f"{account.code} {account.name}" if account.code else account.name
def copy_data(self, default=None):
vals_list = super().copy_data(default)
default = default or {}
cache = defaultdict(set)
for account, vals in zip(self, vals_list):
company_ids = self._fields['company_ids'].convert_to_cache(vals['company_ids'], account)
companies = self.env['res.company'].browse(company_ids)
if 'code_mapping_ids' not in default and ('code' not in default or len(companies) > 1):
companies_to_get_new_account_codes = companies if 'code' not in default else companies[1:]
vals['code_mapping_ids'] = []
for company in companies_to_get_new_account_codes:
start_code = account.with_company(company).code or account.with_company(account.company_ids[0]).code
new_code = account.with_company(company)._search_new_account_code(start_code, cache[company.id])
vals['code_mapping_ids'].append(Command.create({'company_id': company.id, 'code': new_code}))
cache[company.id].add(new_code)
if 'name' not in default:
vals['name'] = self.env._("%s (copy)", account.name or '')
return vals_list
def copy_translations(self, new, excluded=()):
super().copy_translations(new, excluded=tuple(excluded)+('name',))
if new.name == self.env._('%s (copy)', self.name):
name_field = self._fields['name']
self.env.cache.update_raw(new, name_field, [{
lang: self.env._('%s (copy)', tr)
for lang, tr in name_field._get_stored_translations(self).items()
}], dirty=True)
@api.model
def _load_precommit_update_opening_move(self):
""" precommit callback to recompute the opening move according the opening balances that changed.
This is particularly useful when importing a csv containing the 'opening_balance' column.
In that case, we don't want to use the inverse method set on field since it will be
called for each account separately. That would be quite costly in terms of performances.
Instead, the opening balances are collected and this method is called once at the end
to update the opening move accordingly.
"""
data = self._cr.precommit.data.pop('import_account_opening_balance', {})
for company_id, account_values in data.items():
self.env['res.company'].browse(company_id)._update_opening_move({
self.env['account.account'].browse(account_id): values
for account_id, values in account_values.items()
})
self.env.flush_all()
def _toggle_reconcile_to_true(self):
'''Toggle the `reconcile´ boolean from False -> True
Note that: lines with debit = credit = amount_currency = 0 are set to `reconciled´ = True
'''
if not self.ids:
return None
query = """
UPDATE account_move_line SET
reconciled = CASE WHEN debit = 0 AND credit = 0 AND amount_currency = 0
THEN true ELSE false END,
amount_residual = (debit-credit),
amount_residual_currency = amount_currency
WHERE full_reconcile_id IS NULL and account_id IN %s
"""
self.env.cr.execute(query, [tuple(self.ids)])
self.env['account.move.line'].invalidate_model(['amount_residual', 'amount_residual_currency', 'reconciled'])
def _toggle_reconcile_to_false(self):
'''Toggle the `reconcile´ boolean from True -> False
Note that it is disallowed if some lines are partially reconciled.
'''
if not self.ids:
return None
partial_lines_count = self.env['account.move.line'].search_count([
('account_id', 'in', self.ids),
('full_reconcile_id', '=', False),
('|'),
('matched_debit_ids', '!=', False),
('matched_credit_ids', '!=', False),
])
if partial_lines_count > 0:
raise UserError(_('You cannot switch an account to prevent the reconciliation '
'if some partial reconciliations are still pending.'))
query = """
UPDATE account_move_line
SET amount_residual = 0, amount_residual_currency = 0
WHERE full_reconcile_id IS NULL AND account_id IN %s
"""
self.env.cr.execute(query, [tuple(self.ids)])
@api.model
def name_create(self, name):
""" Split the account name into account code and account name in import.
When importing a file with accounts, the account code and name may be both entered in the name column.
In this case, the name will be split into code and name.
"""
if 'import_file' in self.env.context:
code, name = self._split_code_name(name)
record = self.create({'code': code, 'name': name})
return record.id, record.display_name
raise ValidationError(_("Please create new accounts from the Chart of Accounts menu."))
@api.model_create_multi
def create(self, vals_list):
records_list = []
# As we are creating accounts with a single company at first, check_company fields will need to be added
# at the end to avoid triggering the check_company constraint.
check_company_fields = {fname for fname, field in self._fields.items() if field.relational and field.check_company}
for company_ids, vals_list_for_company in itertools.groupby(vals_list, lambda v: v.get('company_ids', [])):
cache = set()
vals_list_for_company = list(vals_list_for_company)
# Determine the companies the new accounts will have. The first one will be used to create the accounts, the others added later.
company_ids = self._fields['company_ids'].convert_to_cache(company_ids, self.browse())
companies = self.env['res.company'].browse(company_ids) or self.env.company
# Create the accounts with a single company and a single code.
code_by_company_list = []
for vals in vals_list_for_company:
if 'prefix' in vals:
prefix, digits = vals.pop('prefix'), vals.pop('code_digits')
start_code = prefix.ljust(digits - 1, '0') + '1' if len(prefix) < digits else prefix
vals['code'] = self.with_company(companies[0])._search_new_account_code(start_code, cache)
cache.add(vals['code'])
# Intercept any values in `code_mapping_ids` to write the codes on the newly-created accounts.
# note: 'code_mapping_ids' should contain only CREATEs.
code_by_company = {v[2]['company_id']: v[2]['code'] for v in vals.get('code_mapping_ids', [])}
vals['code_mapping_ids'] = [] # Prevent requesting a default for `code_mapping_ids` in super().create()
if code_by_company and 'code' not in vals:
vals['code'] = code_by_company[companies[0].id]
code_by_company_list.append(code_by_company)
vals['company_ids'] = [Command.set(companies[0].ids)]
check_company_vals_list = [{fname: vals.pop(fname) for fname in check_company_fields if fname in vals} for vals in vals_list_for_company]
new_accounts = super(AccountAccount, self.with_context({**self.env.context, 'allowed_company_ids': companies.ids})) \
.create(vals_list_for_company)
# Add the other codes, companies and check_company fields on each account.
for new_account, code_by_company, check_company_vals in zip(new_accounts, code_by_company_list, check_company_vals_list):
for company_id, code in code_by_company.items():
if company_id != companies[0].id:
new_account.with_context({'allowed_company_ids': [company_id, companies[0].id]}).code = code
if len(companies) > 1:
check_company_vals['company_ids'] = [Command.link(company.id) for company in companies[1:]]
if check_company_vals:
new_account.write(check_company_vals)
records_list.append(new_accounts)
records = self.env['account.account'].union(*records_list)
records.with_context(allowed_company_ids=records.company_ids.ids)._ensure_code_is_unique()
return records
def write(self, vals):
if 'reconcile' in vals:
if vals['reconcile']:
self.filtered(lambda r: not r.reconcile)._toggle_reconcile_to_true()
else:
self.filtered(lambda r: r.reconcile)._toggle_reconcile_to_false()
if vals.get('currency_id'):
for account in self:
if self.env['account.move.line'].search_count([('account_id', '=', account.id), ('currency_id', 'not in', (False, vals['currency_id']))]):
raise UserError(_('You cannot set a currency on this account as it already has some journal entries having a different foreign currency.'))
res = super().write(vals)
if {'company_ids', 'code'} & vals.keys():
self._ensure_code_is_unique()
return res
def _ensure_code_is_unique(self):
""" Ensure that for each company to which the account belongs, the code is set
and that codes are unique per-company. """
accounts = self.sudo()
for account in accounts:
for company in account.company_ids:
if not account.with_company(company).code:
raise ValidationError(_("The code must be set for every company to which this account belongs."))
accounts_to_check = accounts.filtered(lambda a: a.code and self.env.company in a.company_ids)
accounts_by_code = accounts_to_check.grouped('code')
duplicate_codes = None
if len(accounts_by_code) < len(accounts_to_check):
duplicate_codes = [code for code, accounts in accounts_by_code.items() if len(accounts) > 1]
# search for duplicates of self in database
elif duplicates := self.sudo().search_fetch(
[
('code', 'in', list(accounts_by_code)),
('id', 'not in', self.ids),
],
['code'],
):
duplicate_codes = duplicates.mapped('code')
if duplicate_codes:
raise ValidationError(
_("Account codes must be unique. You can't create accounts with these duplicate codes: %s", ", ".join(duplicate_codes))
)
def _load_records_write(self, values):
if 'prefix' in values:
del values['code_digits']
del values['prefix']
super()._load_records_write(values)
@api.ondelete(at_uninstall=False)
def _unlink_except_contains_journal_items(self):
if self.env['account.move.line'].search_count([('account_id', 'in', self.ids)], limit=1):
raise UserError(_('You cannot perform this action on an account that contains journal items.'))
@api.ondelete(at_uninstall=False)
def _unlink_except_linked_to_fiscal_position(self):
if self.env['account.fiscal.position.account'].search_count(['|', ('account_src_id', 'in', self.ids), ('account_dest_id', 'in', self.ids)], limit=1):
raise UserError(_('You cannot remove/deactivate the accounts "%s" which are set on the account mapping of a fiscal position.', ', '.join(f"{a.code} - {a.name}" for a in self)))
@api.ondelete(at_uninstall=False)
def _unlink_except_linked_to_tax_repartition_line(self):
if self.env['account.tax.repartition.line'].search_count([('account_id', 'in', self.ids)], limit=1):
raise UserError(_('You cannot remove/deactivate the accounts "%s" which are set on a tax repartition line.', ', '.join(f"{a.code} - {a.name}" for a in self)))
def action_open_related_taxes(self):
related_taxes_ids = self.env['account.tax'].search([
('repartition_line_ids.account_id', '=', self.id),
]).ids
return {
'type': 'ir.actions.act_window',
'name': _('Taxes'),
'res_model': 'account.tax',
'views': [[False, 'list'], [False, 'form']],
'domain': [('id', 'in', related_taxes_ids)],
}
@api.model
def get_import_templates(self):
return [{
'label': _('Import Template for Chart of Accounts'),
'template': '/account/static/xls/coa_import_template.xlsx'
}]
def _merge_method(self, destination, source):
raise UserError(_("You cannot merge accounts."))
def action_unmerge(self):
""" Split the account `self` into several accounts, one per company.
The original account's codes are assigned respectively to the account created in each company.
From an accounting perspective, this does not change anything to the journal items, since their
account codes will remain unchanged. """
self._check_action_unmerge_possible()
self._action_unmerge_get_user_confirmation()
# Keep active company
for account in self.with_context({'allowed_company_ids': (self.env.company | self.env.user.company_ids).ids}):
account._action_unmerge()
return {'type': 'ir.actions.client', 'tag': 'soft_reload'}
def _check_action_unmerge_possible(self):
""" Raises an error if the recordset `self` cannot be unmerged. """
self.check_access('write')
if forbidden_companies := (self.sudo().company_ids - self.env.user.company_ids):
raise UserError(_(
"You do not have the right to perform this operation as you do not have access to the following companies: %s.",
", ".join(c.name for c in forbidden_companies)
))
for account in self:
if len(account.company_ids) == 1:
raise UserError(_(
"Account %s cannot be unmerged as it already belongs to a single company. "
"The unmerge operation only splits an account based on its companies.",
account.display_name,
))
def _action_unmerge_get_user_confirmation(self):
""" Open a RedirectWarning asking the user whether to proceed with the merge. """
if self.env.context.get('account_unmerge_confirm'):
return
msg = _("Are you sure? This will perform the following operations:\n")
for account in self:
msg += _(
"Account %(account)s will be split in %(num_accounts)s, one for each company:\n",
account=account.display_name,
num_accounts=len(account.company_ids),
)
msg += ''.join(f' - {company.name}: {account.with_company(company).display_name}\n' for company in account.company_ids)
action = self.env['ir.actions.actions']._for_xml_id('account.action_unmerge_accounts')
raise RedirectWarning(msg, action, _("Unmerge"), additional_context={**self.env.context, 'account_unmerge_confirm': True})
def _action_unmerge(self):
""" Unmerge `self` into one account per company in `self.company_ids`.
This will modify:
- the many2many and company-dependent fields on `self`
- the records with relational fields pointing to `self`
"""
def _get_query_company_id(model):
""" Get a query giving the `company_id` of a model.
Uses _field_to_sql, so works even in some cases where `company_id`
isn't stored, e.g. if it is a related field.
Returns None if we cannot identify the company_id that corresponds to
each record, (e.g. if there is no company_id field, or company_id
is computed non-stored and _field_to_sql isn't implemented for it).
"""
if model == 'res.company':
company_id_field = 'id'
elif 'company_id' in self.env[model]:
company_id_field = 'company_id'
else:
return
# We would get a ValueError if the _field_to_sql is not implemented. In that case, we return None.
with contextlib.suppress(ValueError):
query = Query(self.env, self.env[model]._table, self.env[model]._table_sql)
return query.select(
SQL('%s AS id', self.env[model]._field_to_sql(query.table, 'id')),
SQL('%s AS company_id', self.env[model]._field_to_sql(query.table, company_id_field, query)),
)
# Step 1: Check access rights.
self._check_action_unmerge_possible()
# Step 2: Create new accounts.
base_company = self.env.company if self.env.company in self.company_ids else self.company_ids[0]
companies_to_update = self.company_ids - base_company
check_company_fields = {fname for fname, field in self._fields.items() if field.relational and field.check_company}
new_account_by_company = {
company: self.copy(default={
'name': self.name,
'company_ids': [Command.set(company.ids)],
**{
fname: self[fname].filtered(lambda record: record.company_id == company)
for fname in check_company_fields
}
})
for company in companies_to_update
}
new_accounts = self.env['account.account'].union(*new_account_by_company.values())
# Step 3: Update foreign keys in DB.
# Invalidate cache
self.env.invalidate_all()
new_account_id_by_company_id = {str(company.id): new_account.id for company, new_account in new_account_by_company.items()}
new_account_id_by_company_id_json = json.dumps(new_account_id_by_company_id)
(self | new_accounts).invalidate_recordset()
# 3.1: Update fields on other models that reference account.account
many2x_fields = self.env['ir.model.fields'].search([
('ttype', 'in', ('many2one', 'many2many')),
('relation', '=', 'account.account'),
('store', '=', True),
('company_dependent', '=', False),
])
for field_to_update in many2x_fields:
model = field_to_update.model
if not self.env[model]._auto:
continue
if not (query_company_id := _get_query_company_id(model)):
continue
if field_to_update.ttype == 'many2one':
table = self.env[model]._table
account_column = field_to_update.name
model_column = 'id'
else:
table = field_to_update.relation_table
account_column = field_to_update.column2
model_column = field_to_update.column1
self.env.cr.execute(SQL(
"""
UPDATE %(table)s
SET %(account_column)s = (
%(new_account_id_by_company_id_json)s::jsonb->>
table_with_company_id.company_id::text
)::int
FROM (%(query_company_id)s) table_with_company_id
WHERE table_with_company_id.id = %(model_column)s
AND %(table)s.%(account_column)s = %(account_id)s
AND table_with_company_id.company_id IN %(company_ids_to_update)s
""",
table=SQL.identifier(table),
account_column=SQL.identifier(account_column),
new_account_id_by_company_id_json=new_account_id_by_company_id_json,
query_company_id=query_company_id,
model_column=SQL.identifier(table, model_column),
account_id=self.id,
company_ids_to_update=tuple(new_account_id_by_company_id),
))
for field in self.env.registry.many2one_company_dependents[self._name]:
self.env.cr.execute(SQL(
"""
UPDATE %(table)s
SET %(column)s = (
SELECT jsonb_object_agg(key,
CASE
WHEN value::int = %(account_id)s AND %(new_account_id_by_company_id_json)s ? key
THEN (%(new_account_id_by_company_id_json)s::jsonb->>key)::int
ELSE value::int
END
)
FROM jsonb_each_text(%(column)s)
)
WHERE %(column)s IS NOT NULL
""",
table=SQL.identifier(self.env[field.model_name]._table),
column=SQL.identifier(field.name),
new_account_id_by_company_id_json=new_account_id_by_company_id_json,
account_id=self.id,
))
# 3.2: Update Reference fields that reference account.account
reference_fields = self.env['ir.model.fields'].search([('ttype', '=', 'reference'), ('store', '=', True)])
for field_to_update in reference_fields:
model = field_to_update.model
if not self.env[model]._auto:
continue
if not (query_company_id := _get_query_company_id(model)):
continue
self.env.cr.execute(SQL(
"""
UPDATE %(table)s
SET %(column)s = 'account.account,' || (%(new_account_id_by_company_id_json)s::jsonb->>table_with_company_id.company_id::text)
FROM (%(query_company_id)s) table_with_company_id
WHERE table_with_company_id.id = %(table)s.id
AND %(column)s = %(value_to_update)s
AND table_with_company_id.company_id IN %(company_ids_to_update)s
""",
table=SQL.identifier(self.env[model]._table),
column=SQL.identifier(field_to_update.name),
new_account_id_by_company_id_json=new_account_id_by_company_id_json,
query_company_id=query_company_id,
value_to_update=f'account.account,{self.id}',
company_ids_to_update=tuple(new_account_id_by_company_id),
))
# 3.3: Update Many2OneReference fields that reference account.account
many2one_reference_fields = self.env['ir.model.fields'].search([
('ttype', '=', 'many2one_reference'),
('store', '=', True),
'!', '&', ('model', '=', 'studio.approval.request'), # A weird Many2oneReference which doesn't have its model field on the model.
('name', '=', 'res_id'),
])
for field_to_update in many2one_reference_fields:
model = field_to_update.model
model_field = self.env[model]._fields[field_to_update.name]._related_model_field
if not self.env[model]._auto or not self.env[model]._fields[model_field].store:
continue
if not (query_company_id := _get_query_company_id(model)):
continue
self.env.cr.execute(SQL(
"""
UPDATE %(table)s
SET %(column)s = (%(new_account_id_by_company_id_json)s::jsonb->>table_with_company_id.company_id::text)::int
FROM (%(query_company_id)s) table_with_company_id
WHERE table_with_company_id.id = %(table)s.id
AND %(column)s = %(account_id)s
AND %(model_column)s = 'account.account'
AND table_with_company_id.company_id IN %(company_ids_to_update)s
""",
table=SQL.identifier(self.env[model]._table),
column=SQL.identifier(field_to_update.name),
new_account_id_by_company_id_json=new_account_id_by_company_id_json,
query_company_id=query_company_id,
account_id=self.id,
model_column=SQL.identifier(model_field),
company_ids_to_update=tuple(new_account_id_by_company_id),
))
# 3.4: Update company_dependent fields
# Dispatch the values of the existing account to the new accounts.
self.env.cr.execute(SQL(
"""
WITH new_account_company AS (
SELECT key AS company_id, value::int AS account_id
FROM json_each_text(%(new_account_id_by_company_id_json)s)
)
UPDATE %(table)s new
SET %(migrate_fields)s
FROM %(table)s old, new_account_company a2c
WHERE old.id = %(old_id)s
AND a2c.account_id = new.id
AND new.id IN %(new_ids)s
""",
new_account_id_by_company_id_json=new_account_id_by_company_id_json,
table=SQL.identifier(self._table),
migrate_fields=SQL(', ').join(
SQL(
"""
%(field)s = CASE WHEN old.%(field)s ? a2c.company_id
THEN jsonb_build_object(a2c.company_id, old.%(field)s->a2c.company_id)
ELSE NULL END
""",
field=SQL.identifier(field_name),
)
for field_name, field in self._fields.items()
if field.company_dependent
),
old_id=self.id,
new_ids=tuple(new_accounts.ids)
))
# On the original account, remove values for other companies
self.env.cr.execute(SQL(
"UPDATE %(table)s SET %(fields_drop_company_ids)s WHERE id = %(id)s",
table=SQL.identifier(self._table),
fields_drop_company_ids=SQL(', ').join(
SQL(
"%(field)s = NULLIF(%(field)s - %(company_ids)s, '{}'::jsonb)",
field=SQL.identifier(field_name),
company_ids=list(new_account_id_by_company_id)
)
for field_name, field in self._fields.items()
if field.company_dependent
),
id=self.id
))
# 3.5. Split account xmlids based on the company_id that is present within the xmlid
self.env['ir.model.data'].invalidate_model()
account_id_by_company_id_json = json.dumps({**new_account_id_by_company_id, str(base_company.id): self.id})
self.env.cr.execute(SQL(
"""
UPDATE ir_model_data
SET res_id = (
%(account_id_by_company_id_json)s::jsonb->>
substring(name, %(xmlid_regex)s)
)::int
WHERE module = 'account'
AND model = 'account.account'
AND res_id = %(account_id)s
AND name ~ %(xmlid_regex)s
""",
account_id_by_company_id_json=account_id_by_company_id_json,
xmlid_regex=r'([\d]+)_.*',
account_id=self.id,
))
# Clear ir.model.data ormcache
self.env.registry.clear_cache()
# Step 4: Change check_company fields to only keep values compatible with the account's company, and update company_ids on account.
write_vals = {'company_ids': [Command.set(base_company.ids)]}
check_company_fields = {field for field in self._fields.values() if field.relational and field.check_company}
for field in check_company_fields:
corecord = self[field.name]
filtered_corecord = corecord.filtered_domain(corecord._check_company_domain(base_company))
write_vals[field.name] = filtered_corecord.id if field.type == 'many2one' else [Command.set(filtered_corecord.ids)]
self.write(write_vals)
# Step 5: Put a log in the chatter of the newly-created accounts
msg_body = _(
"This account was split off from %(account_name)s (%(company_name)s).",
account_name=self._get_html_link(title=self.display_name),
company_name=base_company.name,
)
new_accounts._message_log_batch(bodies={a.id: msg_body for a in new_accounts})
return new_accounts
class AccountGroup(models.Model):
_name = "account.group"
_description = 'Account Group'
_order = 'code_prefix_start'
_check_company_auto = True
_check_company_domain = models.check_company_domain_parent_of
parent_id = fields.Many2one('account.group', index=True, ondelete='cascade', readonly=True, check_company=True)
name = fields.Char(required=True, translate=True)
code_prefix_start = fields.Char(compute='_compute_code_prefix_start', readonly=False, store=True, precompute=True)
code_prefix_end = fields.Char(compute='_compute_code_prefix_end', readonly=False, store=True, precompute=True)
company_id = fields.Many2one('res.company', required=True, readonly=True, default=lambda self: self.env.company)
_sql_constraints = [
(
'check_length_prefix',
'CHECK(char_length(COALESCE(code_prefix_start, \'\')) = char_length(COALESCE(code_prefix_end, \'\')))',
'The length of the starting and the ending code prefix must be the same'
),
]
@api.depends('code_prefix_start')
def _compute_code_prefix_end(self):
for group in self:
if not group.code_prefix_end or (group.code_prefix_start and group.code_prefix_end < group.code_prefix_start):
group.code_prefix_end = group.code_prefix_start
@api.depends('code_prefix_end')
def _compute_code_prefix_start(self):
for group in self:
if not group.code_prefix_start or (group.code_prefix_end and group.code_prefix_start > group.code_prefix_end):
group.code_prefix_start = group.code_prefix_end
@api.depends('code_prefix_start', 'code_prefix_end')
def _compute_display_name(self):
for group in self:
prefix = group.code_prefix_start and str(group.code_prefix_start)
if prefix and group.code_prefix_end != group.code_prefix_start:
prefix += '-' + str(group.code_prefix_end)
group.display_name = ' '.join(filter(None, [prefix, group.name]))
@api.model
def _search_display_name(self, operator, value):
domain = []
if operator != 'ilike' or (value or '').strip():
criteria_operator = ['|'] if operator not in expression.NEGATIVE_TERM_OPERATORS else ['&', '!']
name_domain = criteria_operator + [('code_prefix_start', '=ilike', value + '%'), ('name', operator, value)]
domain = expression.AND([name_domain, domain])
return domain
@api.constrains('code_prefix_start', 'code_prefix_end')
def _constraint_prefix_overlap(self):
self.flush_model()
query = """
SELECT other.id FROM account_group this
JOIN account_group other
ON char_length(other.code_prefix_start) = char_length(this.code_prefix_start)
AND other.id != this.id
AND other.company_id = this.company_id
AND (
other.code_prefix_start <= this.code_prefix_start AND this.code_prefix_start <= other.code_prefix_end
OR
other.code_prefix_start >= this.code_prefix_start AND this.code_prefix_end >= other.code_prefix_start
)
WHERE this.id IN %(ids)s
"""
self.env.cr.execute(query, {'ids': tuple(self.ids)})
res = self.env.cr.fetchall()
if res:
raise ValidationError(_('Account Groups with the same granularity can\'t overlap'))
def _sanitize_vals(self, vals):
if vals.get('code_prefix_start') and 'code_prefix_end' in vals and not vals['code_prefix_end']:
del vals['code_prefix_end']
if vals.get('code_prefix_end') and 'code_prefix_start' in vals and not vals['code_prefix_start']:
del vals['code_prefix_start']
return vals
@api.constrains('parent_id')
def _check_parent_not_circular(self):
if self._has_cycle():
raise ValidationError(_("You cannot create recursive groups."))
@api.model_create_multi
def create(self, vals_list):
groups = super().create([self._sanitize_vals(vals) for vals in vals_list])
groups._adapt_parent_account_group()
return groups
def write(self, vals):
res = super(AccountGroup, self).write(self._sanitize_vals(vals))
if 'code_prefix_start' in vals or 'code_prefix_end' in vals:
self._adapt_parent_account_group()
return res
def unlink(self):
for record in self:
children_ids = self.env['account.group'].search([('parent_id', '=', record.id)])
children_ids.write({'parent_id': record.parent_id.id})
return super().unlink()
def _adapt_parent_account_group(self, company=None):
"""Ensure consistency of the hierarchy of account groups.
Find and set the most specific parent for each group.
The most specific is the one with the longest prefixes and with the starting
prefix being smaller than the child prefixes and the ending prefix being greater.
"""
if self.env.context.get('delay_account_group_sync'):
return
company_ids = company.ids if company else self.company_id.ids
if not company_ids:
return
self.flush_model()
query = SQL("""
WITH relation AS (
SELECT DISTINCT ON (child.id)
child.id AS child_id,
parent.id AS parent_id
FROM account_group parent
JOIN account_group child
ON char_length(parent.code_prefix_start) < char_length(child.code_prefix_start)
AND parent.code_prefix_start <= LEFT(child.code_prefix_start, char_length(parent.code_prefix_start))
AND parent.code_prefix_end >= LEFT(child.code_prefix_end, char_length(parent.code_prefix_end))
AND parent.id != child.id
AND parent.company_id = child.company_id
WHERE child.company_id IN %s
ORDER BY child.id, char_length(parent.code_prefix_start) DESC
)
UPDATE account_group child
SET parent_id = relation.parent_id
FROM relation
WHERE child.id = relation.child_id
AND child.parent_id IS DISTINCT FROM relation.parent_id
RETURNING child.id
""", tuple(company_ids))
self.env.cr.execute(query)
updated_rows = self.env.cr.fetchall()
if updated_rows:
self.invalidate_model(['parent_id'])
|