Django一对一关系如何将名称映射到子对象?

2024-03-29 10:08:34 发布

您现在位置:Python中文网/ 问答频道 /正文

除了文档中的一个示例之外,我找不到任何关于django如何选择名称的文档,通过该名称可以从父对象访问子对象。在他们的示例中,他们执行以下操作:

    class Place(models.Model):
        name = models.CharField(max_length=50)
        address = models.CharField(max_length=80)

        def __unicode__(self):
            return u"%s the place" % self.name

    class Restaurant(models.Model):
        place = models.OneToOneField(Place, primary_key=True)
        serves_hot_dogs = models.BooleanField()
        serves_pizza = models.BooleanField()

        def __unicode__(self):
            return u"%s the restaurant" % self.place.name

    # Create a couple of Places.
    >>> p1 = Place(name='Demon Dogs', address='944 W. Fullerton')
    >>> p1.save()
    >>> p2 = Place(name='Ace Hardware', address='1013 N. Ashland')
    >>> p2.save()

    # Create a Restaurant. Pass the ID of the "parent" object as this object's ID.
    >>> r = Restaurant(place=p1, serves_hot_dogs=True, serves_pizza=False)
    >>> r.save()

    # A Restaurant can access its place.
    >>> r.place
    <Place: Demon Dogs the place>
    # A Place can access its restaurant, if available.
    >>> p1.restaurant

所以在他们的例子中,他们只是调用p1.restaurant,而没有明确定义该名称。Django假定名称以小写开头。如果对象名有多个单词,比如FancyRestaurant,会发生什么情况?

附带说明:我正试图以这种方式扩展用户对象。可能是这个问题吗?


Tags: the对象name文档self名称addressmodels
1条回答
网友
1楼 · 发布于 2024-03-29 10:08:34

如果您定义了一个自定义的^{},那么它将使用该名称,否则它将使整个模型名称小写(在您的示例中为.fancyrestaurant)。请参阅django.db.models.related code中的else块:

def get_accessor_name(self):
    # This method encapsulates the logic that decides what name to give an
    # accessor descriptor that retrieves related many-to-one or
    # many-to-many objects. It uses the lower-cased object_name + "_set",
    # but this can be overridden with the "related_name" option.
    if self.field.rel.multiple:
        # If this is a symmetrical m2m relation on self, there is no reverse accessor.
        if getattr(self.field.rel, 'symmetrical', False) and self.model == self.parent_model:
            return None
        return self.field.rel.related_name or (self.opts.object_name.lower() + '_set')
    else:
        return self.field.rel.related_name or (self.opts.object_name.lower())

下面是^{} calls it

class OneToOneField(ForeignKey):
    ... snip ...

    def contribute_to_related_class(self, cls, related):
        setattr(cls, related.get_accessor_name(),
                SingleRelatedObjectDescriptor(related))

opts.object_名称(在django.db.models.related.get_accessor_name中引用)defaults to ^{}

至于

Side note: I'm trying to extend the User object in this way. Might that be the problem?

不,不会的,User模型只是一个普通的django模型。小心碰撞。

相关问题 更多 >