0

我在 A 类和其他字段名称(整数)中创建了 on2many 字段:

'Inventaire' : fields.one2many('class.b','id_classb'),

'nombre' : fields.integer('Nombre'),

在 b 类中:

'id_classb' : fields.many2one('class.a', 'ID_classA'),

'ql' : fields.integer('QL'),

我想在 a 类中创建一个函数,根据 nombre 字段的值为对象 b 创建记录。例如,如果 nombre =3 我应该创建 3 个 b 类对象

这是我的功能:

 def save_b(self, cr, uid, ids, field_name, arg, context):
  a= self.browse(cr, uid, id)
  nbr=a.nombre
  num=22
  for i in range(nbr):
       num+=1
       self.create(cr, uid, [(0, 0,{'ql':num})])

我收到这些错误: TypeError:range()integer expected ,got NoneType ValueError: dictionary update sequence element #0 has length 3; 2 是必需的

有人可以帮助我改善我的功能吗?

4

3 回答 3

2

您有以下错误:

  1. 您的创建调用值应该是一个以字段名称作为键的字典,而不是一个带有元组的列表。您使用的符号用于编写/更新 one2many 字段。

  2. 您不是在创建“b 类”记录,而是创建“a 类”记录(使用 self 而不是 self.pool.get 调用)

所以你应该写

def save_b(self, cr, uid, ids, field_name, arg, context):
    b_obj = self.pool.get('class.b') # Fixes (#2)
    for record in self.browse(cr, uid, ids, context=context):
        num = 22
        for i in range(record.nombre):
            num += 1
            new_id = b_obj.create(cr, uid, {
                'ql': num,
                'id_classb': record.id
            }, context=context) # Fixes (#1)

或者作为替代方案:

def save_b(self, cr, uid, ids, field_name, arg, context):
    for record in self.browse(cr, uid, ids, context=context):
        sub_lines = []
        num = 22
        for i in range(record.nombre):
            num += 1
            sub_lines.append( (0,0,{'q1': num}) )
            # Notice how we don't pass id_classb value here,
            # it is implicit when we write one2many field
        record.write({'Inventaire': sub_lines}, context=context)

备注:在 b 类中,您与 a 类的链接在名为“id_classb”的列中?openerp-etiquette 希望您将它们命名为“classa_id”或类似名称。

此外,不赞成使用大写字母创建列名。

于 2012-05-15T12:43:12.970 回答
1

您可以覆盖 a 类的“创建”方法并在此创建方法中编写代码为 b 类创建记录。

IE

def create(self, cr, uid, values, context=None):
    new_id = super(class_a, self).create(cr, uid, values, context)
    class_b_obj = self.pool.get('class.b')
    for i in values['nobr']:
        #  vals_b = {}
        # here create value list for class B 
         vals_b['ql'] = i
         vals_b['id_class_b'] = new_id 

        class_b_obj.create(cr,uid, vals_b , context=context)
    return new_id 
于 2012-05-16T08:38:02.797 回答
0

您可以使用 one2many 关系创建一条记录,例如:

invoice_line_1 = {
   'name': 'line description 1',
   'price_unit': 100,
   'quantity': 1,
}

invoice_line_2 = {
   'name': 'line description 2',
   'price_unit': 200,
   'quantity': 1,
}

invoice = {
   'type': 'out_invoice',
   'comment': 'Invoice for example',
   'state': 'draft',
   'partner_id': 1,
   'account_id': 19,
   'invoice_line': [
       (0, 0, invoice_line_1),
       (0, 0, invoice_line_2)
   ]
}

invoice_id = self.pool.get('account.invoice').create(
        cr, uid, invoice, context=context)

return invoice_id
于 2015-02-12T17:44:14.127 回答