102

据我所知,在 C & C++ 中,NOT AND & OR 的优先顺序是 NOT>AND>OR。但这在 Python 中似乎并没有以类似的方式工作。我尝试在 Python 文档中搜索它并失败了(猜我有点不耐烦。)。有人可以帮我解决这个问题吗?

4

7 回答 7

121

根据 运算符优先级的文档,它不是、与、或,从最高到最低

这是完整的优先级表,从最低优先级到最高优先级。一行具有相同的优先级和从左到右的链

 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...}
于 2013-05-21T20:52:51.893 回答
37

您可以执行以下测试来确定and和的优先级or

首先,0 and 0 or 1在 python 控制台中尝试

如果or首先绑定,那么我们期望0作为输出。

在我的控制台中,1是输出。这意味着and要么首先绑定要么等于or(也许表达式是从左到右计算的)。

然后尝试1 or 0 and 0

如果orand与内置的从左到右的评估顺序同样绑定,那么我们应该得到0作为输出。

在我的控制台中,1是输出。然后我们可以得出结论and比 具有更高的优先级or

于 2017-08-29T16:25:49.930 回答
20

not绑定比and哪个绑定比语言参考or中规定的更紧

于 2013-05-21T20:52:30.030 回答
6

布尔运算符的优先级,从最弱到最强,如下:

  1. or
  2. and
  3. not x
  4. is not;not in

在运算符具有相同优先级的情况下,评估从左到右进行。

于 2015-03-18T00:14:18.237 回答
3

一些简单的例子;注意运算符优先级(非、和、或);括号以帮助人类解释。

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
于 2020-03-17T02:47:11.663 回答
2

除了(几乎)所有其他编程语言(包括 C/C++)中已经确立的优先顺序之外,没有充分的理由让 Python 拥有这些运算符的其他优先顺序。

您可以在The Python Language Reference ,第 6.16 部分 - 运算符优先级中找到它,可从https://docs.python.org/3/download.html下载(适用于当前版本并包含所有其他标准文档),或阅读它在这里在线:6.16。运算符优先级

但是 Python 中仍有一些东西会误导您:and运算符的结果可能与or不同- 请参阅同一文档中的6.11 布尔运算andorTrueFalse

于 2017-08-23T15:07:57.503 回答
-1

表达式1 or 1 and 0 or 0返回1。看起来我们有相同的优先级,几乎相同。

于 2021-11-21T12:18:35.327 回答