1

我正在为 odoo 15 中的销售报价单定制插件,同时继承 sale.order.template 模型。我正在尝试在数量字段旁边添加一个新字段,但我不断收到与我的视图文件相关的“字段 [字段名称] 不存在错误”。这是我的视图文件中的代码:

<?xml version="1.0" encoding="UTF-8"?>
<odoo>
<data>
<record id="sales_quotation_form_inherit" model="ir.ui.view">
<field name="name">sale.order.template.form.inherit</field>
<field name="model">sale.order.template</field>
<field name="inherit_id" ref="sale_management.sale_order_template_view_form"/>
 <field name="arch" type="xml">
    <xpath expr="//field[@name='sale_order_template_line_ids']/form[@string='Quotation Template Lines']/group/group[1]/div/field[@name='product_uom_qty']" positon="after">
     <field name='price'/>
     </xpath>
</field>
</record>
</data>
</odoo>

还有我的 model.py 代码:

from odoo import models, fields

class SalesQuotation(models.Model):
    _inherit = "sale.order.template"
    price = fields.Many2one(string='Unit Price')

有人可以为我指出可能是什么问题的正确方向吗?

4

3 回答 3

2

您的新字段是Many2one. 您需要指定它引用哪个表,即:

price = fields.Many2one('other.table...', string='Unit Price')

你也不能只使用一个float字段吗?无论如何,我都会float先用一个普通的字段进行测试。

于 2021-12-16T23:04:26.933 回答
2

您的视图扩展似乎改变了销售模板的行。所以你的模型扩展是为错误的模型完成的。sale.order.template.line改为扩展:

from odoo import models, fields

class SaleOrderTemplateLine(models.Model):
    _inherit = "sale.order.template.line"
    price = fields.Float(string='Unit Price')

哦,价格不应该是浮动的吗?我已经在我的代码示例中更改了它。

于 2021-12-17T10:14:43.560 回答
0

解决问题的方法很少:

视图继承

  1. 确保您的自定义模块依赖于定义的sale_management模块sale.order.template

清单.py

...
'depends': ['sale_management'],
...
  1. 简化xpath
...
<xpath expr="//field[@name='sale_order_template_line_ids']/form//field[@name='product_uom_qty']" positon="after">
    <field name='price' />
</xpath>
...

模型

将您的代码更改为如下所示:

from odoo import models, fields

class SalesQuotation(models.Model):
    _inherit = "sale.order.template"
    price = fields.Float(string='Unit Price')
于 2021-12-17T12:40:37.413 回答