基本上要快速简单,我希望在django模板中运行XOR条件。在你问我为什么不在代码中执行此操作之前,这不是一个选项。
基本上我需要检查用户是否在两个多对多对象中的一个。
req.accepted.all
和
req.declined.all
现在他们只能在一个或另一个(因此XOR条件)。从浏览文档来看,我唯一可以理解的是以下内容
{% if user.username in req.accepted.all or req.declined.all %}
我遇到的问题是,如果user.username确实出现在req.accepted.all中,那么它会转义条件,但如果它在req.declined.all中,那么它将遵循条件子句。
我在这里错过了什么吗?
答案 0 :(得分:33)
and
的优先级高于or
,因此您只需编写已分解的版本:
{% if user.username in req.accepted.all and user.username not in req.declined.all or
user.username not in req.accepted.all and user.username in req.declined.all %}
为提高效率,请使用with
跳过重新评估查询集:
{% with accepted=req.accepted.all declined=req.declined.all username=user.username %}
{% if username in accepted and username not in declined or
username not in accepted and username in declined %}
...
{% endif %}
{% endwith %}
答案 1 :(得分:7)
来自被接受者的回答:
获得:
{% if A xor B %}
执行:
{% if A and not B or B and not A %}
有效!