1

我试图了解 Django 表单集的内部是如何工作的。

formset_factory函数创建formset类后,从BaseFormSet继承/获取属性,初始化新创建的类的一个对象,例如:

 ArticleFormSet = formset_factory(ArticleFormA, extra=2)
 formset = ArticleFormSet()

如果我检查dir(formset)form 和 forms 属性是否可用,但如果我尝试打印forms什么都没有打印,我想这与装饰器有关@cached_property(但何时调用?)

在表单集对象的初始化中,没有与forms属性相关的操作。

所以,我想在调用 {{formset}} 或 {{formset.as_p}} 等时会调用它。

该方法有:

forms = ' '.join(form.as_p() for form in self)

为什么在self中,我不明白,因为基于dir()的form只是一个类,而self是formset对象。背后的逻辑是什么?

(PS 我明白每个表格都在做什么),但不是表格中的表格,除了事实表格现在已填充

之后,使用之前的 management_form 创建字段。

    return mark_safe('\n'.join([six.text_type(self.management_form), forms]))
4

1 回答 1

2

form in self导致调用特殊方法self.__iter__(),这是可迭代类在 python 中的实现方式。

object.__iter__(self)

当容器需要迭代器时调用此方法。此方法应返回一个新的迭代器对象,该对象可以迭代容器中的所有对象。对于映射,它应该遍历容器的键。

对于 django 的表单集,这是相关代码。

class BaseFormSet(object):
    """
    A collection of instances of the same Form class.
    """

    def __iter__(self):
        """Yields the forms in the order they should be rendered"""
        return iter(self.forms)

    @cached_property
    def forms(self):
        """
        Instantiate forms at first property access.
        """
        # DoS protection is included in total_form_count()
        forms = [self._construct_form(i, **self.get_form_kwargs(i))
                 for i in range(self.total_form_count())]
        return forms

链接到完整源

于 2017-08-30T10:42:43.970 回答