5

当“hr.employee”或任何其他具有 Many2many 字段的模型被继承到我在 odoo13 中的模型时,会引发此错误。

Traceback (most recent call last):


File "/opt/odoo/odoo/modules/registry.py", line 59, in __new__
        return cls.registries[db_name]
      File "/opt/odoo/odoo/tools/func.py", line 69, in wrapper
        return func(self, *args, **kwargs)
      File "/opt/odoo/odoo/tools/lru.py", line 44, in __getitem__
        a = self.d[obj].me
    KeyError: 'shorepoint'

    During handling of the above exception, another exception occurred:

    Traceback (most recent call last):
      File "/opt/odoo/odoo/modules/registry.py", line 85, in new
        odoo.modules.load_modules(registry._db, force_demo, status, update_module)
      File "/opt/odoo/odoo/modules/loading.py", line 423, in load_modules
        registry.setup_models(cr)
      File "/opt/odoo/odoo/modules/registry.py", line 247, in setup_models
        model._setup_fields()
      File "/opt/odoo/odoo/models.py", line 2684, in _setup_fields
        field.setup_full(self)
      File "/opt/odoo/odoo/fields.py", line 418, in setup_full
        self._setup_regular_full(model)
      File "/opt/odoo/odoo/fields.py", line 3151, in _setup_regular_full
        raise TypeError(msg % (self, field))
    TypeError: Many2many fields school.student.category_ids and hr.employee.category_ids use the same table and columns

这是我的代码:

from odoo import models, fields, api

class school_management(models.Model):
    _name = 'school.student'
    _inherit = 'hr.employee'
    _description = 'Model to manage school students'
4

1 回答 1

5

hr应用程序中,该字段category_ids的定义如下:

    category_ids = fields.Many2many(
          'hr.employee.category', 'employee_category_rel',
          'emp_id', 'category_id',
          string='Tags')

他们指定了的名称,relation因此columns当他hr.employee在您的自定义模型中继承时,您的模型使用了相同的定义category_ids,这就是为什么 Odoo 感到困惑,您使用了相同的名称relation并为两个不同的模型columns定义了 a 。您所要做的就是通过为您的字段指定一个新的关系名称来消除这种歧义。many2many relationmany2many

class school_management(models.Model):
    _name = 'school.student'
    _inherit = 'hr.employee'
    _description = 'student' # this will be used to log message when you create a student, so keep it simple, when you create a record message will be 'student is created' 

    # define new relation name and better column names 
    # and I think you need a new category model because this one is used for employee category, may be it's better to create hr.student.category table I don't know it's up to you
    category_ids = fields.Many2many(
      'hr.employee.category', 'student_category_rel',
      'student_id', 'category_id',
      string='Tags')

我希望这可以帮助你。

于 2020-01-30T10:57:23.967 回答