2

我正在使用 AIOHTTP 开发 API 服务,我尝试集成一些异步 ORM,第一个候选者是 Tortoise-ORM。在 Django 项目中,我有很多链接模型,__str__方法如下:

from tortoise.models import Model
from tortoise import fields

class Department(Model):
    id = fields.IntField(pk=True)
    title = fields.TextField()
    upper = fields.ForeignKeyField('models.Department', related_name='children')

    def __str__(self):
        if self.upper is not None:
            return f'{self.id} Department {self.title} of {self.upper.title}'
        else:
            return f'{self.id} Department {self.title}, head'

class Employee(Model):
    id = fields.IntField(pk=True)
    name = fields.TextField()
    dep = fields.ForeignKeyField('models.Department', related_name='employees')

    def __str__(self):
        return f'{self.id}. Employee {self.name} of {self.dep.title}'

以便每个对象在描述中显示它的相关模型。但在乌龟我得到一个错误:

AttributeError:“QuerySet”对象没有属性“title”

我想不可能在__str__方法中等待查询。那么,是否有可能使用相关模型的领域来使用 Tortoise-ORM 创建对象表示?

4

1 回答 1

3

Tortoise-ORM不会自动从数据库中检索模型对象的相关数据,直到有人要求它这样做。它只是QuerySet为相关数据生成对象,而不实际访问数据库。

要实际获取您需要使用prefetch_related()fetch_related()在打印对象之前使用的数据。文档说:

关于如何prefetch_related()工作的一般规则是相关模型的每个深度级别都会产生一个额外的查询,因此.prefetch_related('events__participants')会产生两个额外的查询来获取您的数据。

像这样:

    emp_one = await Employee.filter(name="Emp_1").prefetch_related("dep").first()
    print(emp_one)

    emp_two = await Employee.filter(name="Emp_2").first()
    await emp_two.fetch_related("dep")
    print(emp_two)
于 2020-09-06T11:38:32.967 回答