我有3个字段,并尝试合并字段,所以char3 = char1 + char2
编写以下代码:
# -*- coding: utf-8 -*-
from openerp import models, fields, api
from openerp.tools import ustr
class pucrhase_order_pref_supplier(models.Model):
_inherit = 'purchase.order.line'
#this field will be displayed on the product list in the purchase order
preferred_supplier_product = fields.Char(related="product_id.preferred_supplier_middle", string="Preferred Supplier", readonly="true")
preferred_supplier_template = fields.Char(related="product_id.preferred_supplier_middle", string="Preferred Supplier", readonly="true")
preferred_supplier = fields.Char(compute='_onchange_proc', store="True")
@api.one
@api.depends('preferred_supplier','preferred_supplier_product','preferred_supplier_template')
def _onchange_proc(self):
string1 = self.preferred_supplier_product
string2 = self.preferred_supplier_template
output = ustr(string1)+"-"+ustr(string2)
self.preferred_supplier = output
不确定为什么但不计算preferred_supplier(其他字段工作正常)。我应该改用onchange吗?
答案 0 :(得分:1)
depends中的字段列表不应包含所计算的相同字段。而且不要依赖相关领域使用DOT在其他模型中更深入
# no need to create related fields if you are not showing them in your form view
@api.depends('product_id', 'product_id.preferred_supplier_middle',
'product_id.preferred_supplier_middle')
def _onchange_proc(self):
# I prefer using string formatting for this kind of work
self.preferred_supplier = '%s-%s' % (product_id.preferred_supplier_middle or '', product_id.preferred_supplier_middle or '')
答案 1 :(得分:1)
您可以通过以下方法连接两个字符串:
@api.onchange('char1', 'char2')
def _onchange_weight_range(self):
list = []
if self.char1:
conc = str(self.char1 or '') + '-' + str(self.char2 or '')
list.append(conc)
self.char3 = ', '.join(list)
答案 2 :(得分:0)
首先,对代码本身进行一些注释: preferred_supplier_product和preferred_supplier_template与完全相同的字段相关,我不认为应该如此。
就像Cherif所说的,如果您甚至不需要视图中的字段,也无需创建它们
我将对字段的readonly / store属性(而不是字符串)使用Python True / False。
为什么计算依赖于自身?
现在为您解答:
@api.multi
@api.depends('preferred_supplier_product', 'preferred_supplier_template')
def _onchange_proc(self):
for record in self:
record.preferred_supplier = '%s-%s' % (record.preferred_supplier_product, record.preferred_supplier_template)
或者取决于您是否需要为视图声明的字段
@api.multi
@api.depends('product_id.preferred_supplier_middle')
def _onchange_proc(self):
for record in self:
record.preferred_supplier = '%s-%s' % (
record.product_id.preferred_supplier_middle, record.product_id.preferred_supplier_middle)