4

我有一些固定的数字,可以说是num = 1000现在我有一个字段,它需要是 object.id 和 num 的总和。我在 save() 中需要这个,如下所示。

def save(self, *args, **kwargs):
    num = 1000
    self.special = self.id + num
    super(MyModel, self).save(*args, **kwargs)

但是 self.id 在保存后是已知的,并且需要名为 special 的字段。如何获取self.id?

4

1 回答 1

6

首先?您要添加的号码是固定号码吗?如果是这样,为什么你必须将它存储在数据库中?您可以为模型创建一个方法,该方法用作属性并在需要时添加数字:

class ModelX(models.Model):
    ...
    def special(self):
        num = 1000
        return self.id + num

如果您确实需要将其存储到数据库中,您可能需要进行两次数据库访问,因为正如丹尼尔所说,您在对象存储在数据库中之后获得了 id。

您可以将您的save方法修改为这个:

def save(self, *args, **kwargs):
    num = 1000
    self = super(MyModel, self).save(*args, **kwargs)
    self.special = self.id + num
    self.save()

请注意,这可以通过在数据库中第一次创建对象时执行此操作来优化,其中self.specialNULL或默认值取决于您声明模型的方式。

def save(self, *args, **kwargs):
    num = 1000
    self = super(MyModel, self).save(*args, **kwargs)
    # self.special is null, (creating the object in the db for the 1st time)
    if not self.special: # or if self.special != defaultvalue (defined in MyModel)
        self.special = self.id + num
        self.save()

我希望这有帮助。

于 2013-05-25T21:18:14.350 回答