据我所知,在C&C ++中,NOT AND&OR的优先级顺序为NOT> AND> OR。但这在Python中似乎无法以类似的方式工作。我尝试在Python文档中搜索它,但失败了(猜我有点不耐烦。)。有人可以帮我清理一下吗?
据我所知,在C&C ++中,NOT AND&OR的优先级顺序为NOT> AND> OR。但这在Python中似乎无法以类似的方式工作。我尝试在Python文档中搜索它,但失败了(猜我有点不耐烦。)。有人可以帮我清理一下吗?
Answers:
根据运算符优先级的文档,从最高到最低不是“与”或“或”
这是完整的优先级表,从最低优先级到最高优先级。行具有相同的优先级,并且从左到右具有链接
0. :=
1. lambda
2. if – else
3. or
4. and
5. not x
6. in, not in, is, is not, <, <=, >, >=, !=, ==
7. |
8. ^
9. &
10. <<, >>
11. +, -
12. *, @, /, //, %
13. +x, -x, ~x
14. **
14. await x
15. x[index], x[index:index], x(arguments...), x.attribute
16. (expressions...), [expressions...], {key: value...}, {expressions...}
**
在优先于算术运算符的脚注中有一些例外。
**
运营商不具有对算术运算的优先级,但它在它的左边...例如,5*2**2 == 5*(2**2)
。但是,这样说是正确的2**-1 == 2**(-1)
。
int
文字的一部分,但是当用ast
它解析时就不是这种情况了-它UnaryOp
使用USub
and1
作为操作数。真正的原因是,没有其他方法可以解析它。即2**
不是二进制减号的正确左操作数。因此“取幂优先级例外”,但“仅在右边”。
您可以进行以下测试以找出and
和的优先级or
。
首先,0 and 0 or 1
在python控制台中尝试
如果or
首先绑定,那么我们期望0
作为输出。
在我的控制台中,1
是输出。这意味着and
首先绑定或等于or
(可能是从左到右计算表达式)。
然后尝试1 or 0 and 0
。
如果or
并且and
与内置的从左到右的评估顺序均等地绑定,那么我们应该将其0
作为输出。
在我的控制台中,1
是输出。然后我们可以得出结论,and
优先级高于or
。
((0 and 0) or 1)
和(1 or (0 and 0))
(0 and 0)
则绝不会将as视为(exp1 or exp2)
直接返回。同样,在第一个表达式中,如果is ,则该部分永远不会被评估为直接返回。exp1
True
and 0
exp1 and exp2
exp1
False
在布尔运算符中,从最弱到最强的优先级如下:
or
and
not x
is not
; not in
在运算符具有相同优先级的情况下,评估从左到右进行。
and
&not x
从左到右评估)在技术上等同于官方效果,但这仅仅是因为当在“ cond1而不是cont2”中时,python必须默认首先计算cont2。
or
,and
似乎使用Firefox而不是Opera处于同一单元中。之间的优先级的不同or
而and
明显(如 1 or 0 and 0
VS (1 or 0) and 0
),其之间and
并not x
没有那么多你给的理由。我将修复我的答案,以反映文档实际所说的内容。
除了(几乎)所有其他编程语言(包括C / C ++)中已确立的优先顺序,Python没有其他理由要使这些运算符具有其他优先顺序。
您可以在《 Python语言参考》第6.16部分-运算符优先级中找到它,也可以从https://docs.python.org/3/download.html下载(对于当前版本,并包含所有其他标准文档),或者阅读该文件。在这里在线:6.16。运算符优先级。
但是,仍然有一些在Python可以误导你:该结果的and
和or
运营商可能是不同的True
或False
-见6.11布尔运算相同的文件内。
一些简单的例子;注意运算符的优先级(不是,和,或);括号以帮助人类解释。
a = 'apple'
b = 'banana'
c = 'carrots'
if c == 'carrots' and a == 'apple' and b == 'BELGIUM':
print('True')
else:
print('False')
# False
类似地:
if b == 'banana'
True
if c == 'CANADA' and a == 'apple'
False
if c == 'CANADA' or a == 'apple'
True
if c == 'carrots' and a == 'apple' or b == 'BELGIUM'
True
# Note this one, which might surprise you:
if c == 'CANADA' and a == 'apple' or b == 'banana'
True
# ... it is the same as:
if (c == 'CANADA' and a == 'apple') or b == 'banana':
True
if c == 'CANADA' and (a == 'apple' or b == 'banana'):
False
if c == 'CANADA' and a == 'apple' or b == 'BELGIUM'
False
if c == 'CANADA' or a == 'apple' and b == 'banana'
True
if c == 'CANADA' or (a == 'apple' and b == 'banana')
True
if (c == 'carrots' and a == 'apple') or b == 'BELGIUM'
True
if c == 'carrots' and (a == 'apple' or b == 'BELGIUM')
True
if a == 'apple' and b == 'banana' or c == 'CANADA'
True
if (a == 'apple' and b == 'banana') or c == 'CANADA'
True
if a == 'apple' and (b == 'banana' or c == 'CANADA')
True
if a == 'apple' and (b == 'banana' and c == 'CANADA')
False
if a == 'apple' or (b == 'banana' and c == 'CANADA')
True