在 Django 中,我有两个模型之间的多对多关系。

我想从多个model_two 实例中删除一个model_one 实例。

我有:

user = User.objects.get(id=user_id)
conversations = Conversation.objects.filter(users=user)
for conversation in conversations.iterator():
    conversation.users.remove(user)

这需要评估 Conversation 的每个实例。有没有办法在没有迭代的情况下做到这一点?

更新:

添加了模型以增加问题的清晰度。
class User(EditMixin):
    conversations = models.ManyToManyField('Conversation', related_name='users')
    name = models.CharField(max_length=255, blank=True, null=True)
    permalink = models.URLField(blank=True, max_length=2083)
    rating = models.DecimalField(decimal_places=2, max_digits=4, blank=True, default=0)
    remote_id = models.CharField(max_length=4096, blank=True, null=True)
    summary = models.CharField(max_length=255, blank=True, null=True)

    objects = UserManager()

class Meta:
    verbose_name_plural = 'Users'


class Conversation(EditMixin, BasicInfoMixin):
    content = models.TextField(blank=True, null=True)
    update_enabled = models.BooleanField(default=False)

    objects = ConversationManager()

class Meta:
    verbose_name_plural = 'Conversations'

更新 2:

我想我的问题不清楚。 clear() 方法删除 m2m 字段中的所有项目。我想做的是以下内容:

我有一个用户对象的查询集。每个都有一个包含对话的 m2m 字段。查询集中的每个项目在 m2m 字段中都有对话 7,但也包含其他对话。我只想从查询集中每个对象的 m2m 中删除对话 7,同时维护其他对话。所有这些,如果可能,不进行迭代,例如

前:

Jeremy.conversations: [1, 2, 3, 4, 7]

Tiffany.conversations: [3, 7, 9]

Jeff.conversations: [5, 6, 7]

后:

Jeremy.conversations: [1, 2, 3, 4]

Tiffany.conversations: [3, 9]

Jeff.conversations: [5, 6]

最佳答案

你可以使用这样的东西

user = User.objects.get(id=user_id)
user.conversation_set.clear()

如果它从另一端多对多(适用于编辑后的解决方案)
user.conversations.clear()

然后,您可以在 remove 中将多个元素作为 args
user.conversations.remove(*conversations)

或使用 .through 访问数据透视表并从中删除

关于django - 如何在没有迭代的情况下为查询集从多对多中删除对象?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/42143916/

10-13 02:07