Python中NOT、AND、OR逻辑运算符的优先级(运算顺序)

q3aa0525  于 2023-08-08  发布在  Python
关注(0)|答案(8)|浏览(261)

据我所知,在C & C++中,NOT AND & OR的优先级顺序是NOT>AND>OR。但这在Python中似乎并不以类似的方式工作。我试着在Python文档中搜索它,但失败了(我想我有点不耐烦了)。有人能帮我澄清一下吗?

vjhs03f7

vjhs03f71#

根据运算符优先级的文档,从高到低依次为NOTANDOR
下面是完整的优先级表,从最低优先级到最高优先级。一行具有相同的优先级,并从左到右分组

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...}

字符串

mwkjh3gx

mwkjh3gx2#

您可以执行以下测试来确定andor的优先级。
首先,在python控制台中尝试0 and 0 or 1
如果or首先绑定,那么我们将期望0作为输出。
在我的控制台中,1是输出。这意味着and要么首先绑定,要么等于or(可能表达式从左到右计算)。
然后尝试1 or 0 and 0
如果orand以内置的从左到右的求值顺序相等地绑定,那么我们应该得到0作为输出。
在我的控制台中,1是输出。然后我们可以得出结论,and具有比or更高的优先级。

wz1wpwve

wz1wpwve3#

notand绑定得更紧,andor绑定得更紧,如语言参考中所述

dpiehjr4

dpiehjr44#

布尔运算符的优先级从最弱到最强如下:
1.第一个月

  1. and
  2. not x
  3. is not ; not in
    在运算符具有相同优先级的情况下,计算从左到右进行。
zf9nrax1

zf9nrax15#

一些简单的例子;注意运算符优先级(not、and、or);圆括号,以帮助人类的可解释性。

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

nkkqxpd9

nkkqxpd96#

对于Python来说,除了在(几乎)所有其他编程语言(包括C/C++)中建立的一个优先级序列之外,没有任何好的理由让这些运算符具有其他优先级序列。
您可以在 The Python Language Reference,part 6.16 - Operator precedence中找到它,可从https://docs.python.org/3/download.html下载(适用于当前版本,并与所有其他标准文档打包),或在此处在线阅读:6.16.运算符优先级。
但是Python中仍然有一些东西会误导你:andor运算符的 * 结果 * 可能与TrueFalse * 不同 *-参见同一文档中的6.11布尔运算。

f8rj6qna

f8rj6qna7#

not > and

print(~0&0) # 0

字符串
and > or

print(0&0|1) # 1

bogh5gae

bogh5gae8#

表达式1 or 1 and 0 or 0返回1。看起来我们的优先级是一样的,几乎一样。

相关问题