使用来自`django-mptt`的`get_祖先`函数时结果错误

rxztt3cl  于 2023-08-08  发布在  Go
关注(0)|答案(3)|浏览(97)

我正在开发一个使用django-mptt的项目,但是当我使用get_ancestors函数时,我得到了奇怪的结果。下面是一个例子。
我创建了一个简单的模型,继承自MPTTModel:

class Classifier(MPTTModel):
    title = models.CharField(max_length=255)
    parent = TreeForeignKey('self', null = True, blank = True, 
                            related_name = 'children')

    def __unicode__(self):
        return self.title

字符串
下面是这个模型的函数:

def test_mptt(self):
    # Erase all data from table
    Classifier.objects.all().delete()

    # Create a tree root
    root, created = Classifier.objects.get_or_create(title=u'root', parent=None)

    # Create 'a' and 'b' nodes whose parent is 'root'
    a = Classifier(title = "a")
    a.insert_at(root, save = True)
    b = Classifier(title = "b")
    b.insert_at(root, save = True)

    # Create 'aa' and 'bb' nodes whose parents are
    # 'a' and 'b' respectively
    aa = Classifier(title = "aa")
    aa.insert_at(a, save = True)
    bb = Classifier(title = "bb")
    bb.insert_at(b, save = True)

    # Create two more nodes whose parents are 'aa' and 'bb' respectively
    aaa = Classifier(title = "aaa")
    aaa.insert_at(aa, save = True)
    bba = Classifier(title = "bbb")
    bba.insert_at(bb, save = True)

    # Select from table just created nodes
    first = Classifier.objects.get(title = "aaa")
    second = Classifier.objects.get(title = "bbb")

    # Print lists of selected nodes' ancestors:
    print first.get_ancestors(ascending=True, include_self=True)
    print second.get_ancestors(ascending=True, include_self=True)


我希望在输出上看到下一个值:

[<Classifier: aaa>, <Classifier: aa>, <Classifier: a>, <Classifier: root>]
[<Classifier: bbb>, <Classifier: bb>, <Classifier: b>, <Classifier: root>]


但我看到:

[<Classifier: aaa>, <Classifier: bb>, <Classifier: b>, <Classifier: root>]
[<Classifier: bbb>, <Classifier: bb>, <Classifier: b>, <Classifier: root>]


因此,如您所见,此函数为bbb节点打印正确的祖先列表,但为aaa节点打印错误的祖先列表。你能解释一下为什么会这样吗?这是django-mptt中的bug还是我的代码不正确?
先谢了。

yzxexxkh

yzxexxkh1#

当你将一个节点插入到树中时,它会导致整个树中的变化。因此,当你插入b节点时,aroot节点在数据库中发生了变化,但是你的变量不会得到更新,仍然包含旧的左/右值,这些值用于构建正确的树结构。
在你的例子中,当行aa.insert_at(a, save = True)正在处理时,你的a变量包含一个旧示例,lft = 2和rght = 3,而在数据库中a节点包含lft = 4和rght = 5。
在插入新项之前,您需要获取父项的新示例。最简单的方法是运行refresh_from_db

aa.refresh_from_db()

字符串

lo8azlld

lo8azlld2#

我同意谢尔盖的回答。我用来重建树的命令是:

ModelName.objects.rebuild()

字符串
(在“python manage.py shell”中执行)

o75abkj4

o75abkj43#

我在Django-categies模型中遇到了同样的问题,该模型上MPTT的Category manager被命名为tree,而不是:

Category.objects.rebuild()

字符串
用途:

Category.tree.rebuild()

相关问题