Answers:
and
,or
:我们首先定义一个有用的函数来确定是否执行了某些操作。一个简单的函数,它接受一个参数,输出一条消息并返回输入,且未更改。
>>> def fun(i):
... print "executed"
... return i
...
在以下示例中,可以观察到Python的短路行为and
,or
:
>>> fun(1)
executed
1
>>> 1 or fun(1) # due to short-circuiting "executed" not printed
1
>>> 1 and fun(1) # fun(1) called and "executed" printed
executed
1
>>> 0 and fun(1) # due to short-circuiting "executed" not printed
0
注意:解释器认为以下值表示false:
False None 0 "" () [] {}
any()
,all()
:Python any()
和all()
函数还支持短路。如文档所示;他们按顺序评估序列中的每个元素,直到找到可以提前退出评估的结果。考虑下面的示例以了解两者。
该函数any()
检查是否有任何元素为True。一旦遇到True,它将立即停止执行并返回True。
>>> any(fun(i) for i in [1, 2, 3, 4]) # bool(1) = True
executed
True
>>> any(fun(i) for i in [0, 2, 3, 4])
executed # bool(0) = False
executed # bool(2) = True
True
>>> any(fun(i) for i in [0, 0, 3, 4])
executed
executed
executed
True
该函数all()
检查所有元素是否为True,并在遇到False时立即停止执行:
>>> all(fun(i) for i in [0, 0, 3, 4])
executed
False
>>> all(fun(i) for i in [1, 0, 3, 4])
executed
executed
False
此外,在Python中
比较可以任意链接 ; 例如,
x < y <= z
与等效x < y and y <= z
,除了y
只被评估一次(但是在两种情况下z
,如果x < y
发现为假,则根本不评估)。
>>> 5 > 6 > fun(3) # same as: 5 > 6 and 6 > fun(3)
False # 5 > 6 is False so fun() not called and "executed" NOT printed
>>> 5 < 6 > fun(3) # 5 < 6 is True
executed # fun(3) called and "executed" printed
True
>>> 4 <= 6 > fun(7) # 4 <= 6 is True
executed # fun(3) called and "executed" printed
False
>>> 5 < fun(6) < 3 # only prints "executed" once
executed
False
>>> 5 < fun(6) and fun(6) < 3 # prints "executed" twice, because the second part executes it again
executed
executed
False
编辑:
需要注意的另一点要点:-逻辑and
,or
Python中的运算符返回操作数的值,而不是布尔值(True
或False
)。例如:
操作
x and y
给出结果if x is false, then x, else y
不像在其他语言,例如&&
,||
在C运算该返回0或1。
例子:
>>> 3 and 5 # Second operand evaluated and returned
5
>>> 3 and ()
()
>>> () and 5 # Second operand NOT evaluated as first operand () is false
() # so first operand returned
同样,or
运算符返回最左边的值,其中bool(value)
==,True
否则返回最右边的假值(根据短路行为),例如:
>>> 2 or 5 # left most operand bool(2) == True
2
>>> 0 or 5 # bool(0) == False and bool(5) == True
5
>>> 0 or ()
()
那么,这有什么用呢?Magnus Lie Hetland 在《实用Python》中给出的一个示例用法:
假设用户应该输入他或她的名字,但是可以选择不输入任何东西,在这种情况下,您想使用默认值'<unknown>'
。您可以使用if语句,但也可以非常简洁地陈述一下:
In [171]: name = raw_input('Enter Name: ') or '<Unkown>'
Enter Name:
In [172]: name
Out[172]: '<Unkown>'
换句话说,如果raw_input的返回值是true(不是一个空字符串),则将其分配给name(不变);否则,它将返回true。否则,默认设置'<unknown>'
为name
。
0
是falsy(所以它不只是0
,这是0.0
,0j
,decimal.Decimal(0)
,fractions.Fraction(0)
,等),与长度的所有集合0
(等你列出的东西上面,b''
[PY 3],u''
[的Py2]和set()
/ frozenset()
是所有评估为虚假的内置程序),但用户定义的/第三方类型可以定义自己的类型(直接使用__bool__
[Py3] / __nonzero__
[Py2]或通过定义间接使用__len__
)。