当我查看this question的答案时,我发现自己的答案并不理解。
我真的不明白这是如何被解析的。为什么第二个示例返回False?
>>> 1 in [1,0] # This is expected
True
>>> 1 in [1,0] == True # This is strange
False
>>> (1 in [1,0]) == True # This is what I wanted it to be
True
>>> 1 in ([1,0] == True) # But it's not just a precedence issue!
# It did not raise an exception on the second example.
Traceback (most recent call last):
File "<pyshell#4>", line 1, in <module>
1 in ([1,0] == True)
TypeError: argument of type 'bool' is not iterable
感谢您的帮助。我想我一定错过了一些非常明显的东西。
我认为这与链接副本略有不同:
Why does the expression 0 < 0 == 0 return False in Python?
这两个问题都与人类对表达的理解有关。似乎有两种方式(在我看来)评估表达式。当然两者都不正确,但在我的例子中,最后的解释是不可能的。
看0 < 0 == 0
你可以想象每一半都被评估并作为表达有意义:
>>> (0 < 0) == 0
True
>>> 0 < (0 == 0)
True
因此链接回答了为什么评估False
:
>>> 0 < 0 == 0
False
但是我的例子1 in ([1,0] == True)
作为一个表达没有意义,所以只有一个可能的解释,而不是有两个(当然是错误的)解释:
>>> (1 in [1,0]) == True
答案 0 :(得分:190)
Python实际上在这里应用了比较运算符链接。表达式被翻译为
(1 in [1, 0]) and ([1, 0] == True)
显然是False
。
对于像
这样的表达式也会发生这种情况a < b < c
转换为
(a < b) and (b < c)
(未评估b
两次)。
有关详细信息,请参阅Python language documentation。