7

我在 django 中有一个 post 信号,我需要在其中访问字段的先前值:

post_save.connect(callback_function_postsave, sender=Media)

我知道理想情况下我应该为此使用 pre_save :

pre_save.connect(callback_function_presave, sender=Media)

def callback_function_presave(sender, instance,*args,**kwargs):
try:
    old_value = sender.objects.get(pk=instance.pk).field
except sender.DoesNotExist:
    return

但是,必须加入old_valuepost_signal因为基于它,我必须决定是否进行第 3 方 api 调用。我无法进行 api 调用,pre_save因为 api 正在使用相同的数据库并期望提交更新的值。

我能想到的一种可能方法是将 old_value 添加到实例本身,然后可以通过 post_save 访问:

def callback_function_presave(sender, instance,*args,**kwargs):
try:
    instance.old_value = sender.objects.get(pk=instance.pk).field
except sender.DoesNotExist:
    return

def callback_function_postsave(sender, instance,*args,**kwargs):
try:
    old_value = instance.old_value
except:
    print "This is a new entry"

有没有更好的方法来实现这一点。

4

1 回答 1

8

不幸的是 post_save 信号不会给你旧值(post_save)。因此将旧值存储在模型上似乎是一个很好的解决方案。

我会这样写 pre_save :

def save_old_value(sender, instance, *args, **kwargs):
    if instance.id:
        instance.old_value = instance.__class__.objects.get(id=instance.id).old_value
于 2012-08-07T10:49:24.120 回答