Python支持短路吗?
Python支持布尔expression式中的短路吗?
是的,两者and
( or
操作员短路 – 请参阅文档 。
在操作员中短路的行为, or
:
我们首先定义一个有用的函数来确定是否执行了某些操作。 一个接受参数的简单函数,打印消息并返回input,保持不变。
>>> def fun(i): ... print "executed" ... return i ...
在下面的例子中,可以观察到Python的短路行为 :
>>> 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()
函数也支持短路。 如文件所示; 他们按顺序评估序列中的每个元素,直到find一个允许早期退出评估的结果。 考虑下面的例子来理解两者。
函数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
只计算一次(但在两种情况下,当x < y
被发现为false时,根本不计算z
)。
>>> 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
编辑:
还有一点需要注意的是: – Python中的逻辑运算符or
运算符返回操作数的值,而不是布尔值( True
或False
)。 例如:
if x is false, then x, else y
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 () ()
那么,这是如何有用? 实用Python中给出的一个例子Magnus Lie Hetland:
假设一个用户应该input他或她的名字,但是可能不会input任何内容,在这种情况下,您想使用默认值'<unknown>'
。 你可以使用一个if语句,但是你也可以简洁地陈述事情:
In [171]: name = raw_input('Enter Name: ') or '<Unkown>' Enter Name: In [172]: name Out[172]: '<Unkown>'
换句话说,如果raw_input的返回值是真的(不是空string),它被分配给名字(没有任何变化)。 否则,将默认的'<unknown>'
分配给name
。
是。 在你的python解释器中尝试以下内容:
和
>>>False and 3/0 False >>>True and 3/0 ZeroDivisionError: integer division or modulo by zero
要么
>>>True or 3/0 True >>>False or 3/0 ZeroDivisionError: integer division or modulo by zero