您可以执行以下测试来确定and和or的优先级。 首先,在python控制台中尝试0 and 0 or 1 如果or首先绑定,那么我们将期望0作为输出。 在我的控制台中,1是输出。这意味着and要么首先绑定,要么等于or(可能表达式从左到右计算)。 然后尝试1 or 0 and 0。 如果or和and以内置的从左到右的求值顺序相等地绑定,那么我们应该得到0作为输出。 在我的控制台中,1是输出。然后我们可以得出结论,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
8条答案
按热度按时间vjhs03f71#
根据运算符优先级的文档,从高到低依次为
NOT
、AND
、OR
下面是完整的优先级表,从最低优先级到最高优先级。一行具有相同的优先级,并从左到右分组
字符串
mwkjh3gx2#
您可以执行以下测试来确定
and
和or
的优先级。首先,在python控制台中尝试
0 and 0 or 1
如果
or
首先绑定,那么我们将期望0
作为输出。在我的控制台中,
1
是输出。这意味着and
要么首先绑定,要么等于or
(可能表达式从左到右计算)。然后尝试
1 or 0 and 0
。如果
or
和and
以内置的从左到右的求值顺序相等地绑定,那么我们应该得到0
作为输出。在我的控制台中,
1
是输出。然后我们可以得出结论,and
具有比or
更高的优先级。wz1wpwve3#
not
比and
绑定得更紧,and
比or
绑定得更紧,如语言参考中所述dpiehjr44#
布尔运算符的优先级从最弱到最强如下:
1.第一个月
and
个not x
个is not
;not in
在运算符具有相同优先级的情况下,计算从左到右进行。
zf9nrax15#
一些简单的例子;注意运算符优先级(not、and、or);圆括号,以帮助人类的可解释性。
字符串
同理:
型
nkkqxpd96#
对于Python来说,除了在(几乎)所有其他编程语言(包括C/C++)中建立的一个优先级序列之外,没有任何好的理由让这些运算符具有其他优先级序列。
您可以在 The Python Language Reference,part 6.16 - Operator precedence中找到它,可从https://docs.python.org/3/download.html下载(适用于当前版本,并与所有其他标准文档打包),或在此处在线阅读:6.16.运算符优先级。
但是Python中仍然有一些东西会误导你:
and
和or
运算符的 * 结果 * 可能与True
或False
* 不同 *-参见同一文档中的6.11布尔运算。f8rj6qna7#
not
>and
字符串
and
>or
型
bogh5gae8#
表达式
1 or 1 and 0 or 0
返回1
。看起来我们的优先级是一样的,几乎一样。