4

我正在使用django-simple-historyhttp
://django-simple-history.readthedocs.io/en/latest/ 我有一个模型,我想将其方法应用于历史实例。例子:

from simple_history.models import HistoricalRecords

class Person(models.Model):
   firstname = models.CharField(max_length=20)
   lastname = models.CharField(max_length=20)
   history = HistoricalRecords()
   def fullName(self):
       return firstname + lastname

person = Person.objects.get(pk=1) # Person instance
for historyPerson in person.history:
    historyPerson.fullName() # wont work.

由于HistoricalPerson 类没有继承Person 的方法。但是使用 Person 方法实际上是有意义的,因为它们共享相同的字段..

有什么解决办法吗?我更喜欢简单的东西,而不是像在我的模型中为历史实例复制每个方法一样。

4

2 回答 2

1

我找到了另一种解决方法(也许只是插件已更新并获得了此功能)。它基于文档:additional-fields-to-historical-models

HistoricalRecordsfield 接受bases参数,该参数设置历史对象将继承的类。但是你不能只bases=[Person]Person类描述中设置,因为它还没有被初始化。

所以我最终得到了一个抽象类,它由Person类和HistoricalRecords字段继承。因此,问题中的示例如下所示:

class AbstractPerson(models.Model):
   class Meta:
       abstract = True

   firstname = models.CharField(max_length=20)
   lastname = models.CharField(max_length=20)

   def fullName(self):
       return firstname + lastname

class Person(AbstractPerson):
   history = HistoricalRecords(bases=[AbstractPerson])

现在历史对象可以使用fullName方法。

于 2020-08-14T17:44:20.337 回答
0

对于其他有同样问题的人,我通过从历史记录对象的原始类中调用方法来使其工作。因此,对于问题中的示例,解决方案可能是:

for historyPerson in person.history:
    Person.fullName(historyPerson)

这是因为方法与 Python 中的函数非常相似,只是当您在实例上调用方法时,该实例被隐式传递为该方法的第一个参数。因此,如果您有这样的课程:

class Foo:
    def method(self):
        ....

正在做

f = Foo()
f.method()

是相同的:

f = Foo()
Foo.method(f)

我不知道为什么simple-history不复制原始模型的方法。一个原因可能是,由于它允许您排除要记录的字段,因此使用原始方法可能没有意义,因为如果方法使用未记录在历史记录中的字段,则该方法可能不起作用。

于 2018-05-31T16:25:13.543 回答