Python是否支持在布尔表达式中短路?
操作符和中的短路行为,或:
让我们首先定义一个有用的函数来确定是否执行某项操作。一个简单的函数,它接受一个参数,打印消息并返回输入。
>>> 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和y <= z,除了y只被求值一次(但在这两种情况下,当x < y被发现为假时,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中的逻辑和或操作符返回的是操作数的值,而不是布尔值(True或False)。例如:
运算x和y的结果是,如果x为假,则为x,否则为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 '<Unknown>'
Enter Name:
In [172]: name
Out[172]: '<Unknown>'
换句话说,如果raw_input的返回值为true(不是空字符串),则将其赋值给name(没有任何改变);否则,默认的'<Unknown>'被分配给name。
是的。在python解释器中尝试以下操作:
and
>>>False and 3/0
False
>>>True and 3/0
ZeroDivisionError: integer division or modulo by zero
or
>>>True or 3/0
True
>>>False or 3/0
ZeroDivisionError: integer division or modulo by zero
推荐文章
- 将Pandas或Numpy Nan替换为None以用于MysqlDB
- 使用pandas对同一列进行多个聚合
- 使用Python解析HTML
- django MultiValueDictKeyError错误,我如何处理它
- 如何在for循环期间修改列表条目?
- 我如何在Django中创建一个鼻涕虫?
- 没有名为'django.core.urlresolvers'的模块
- 蟒蛇导出环境文件
- Django - makemigrations -未检测到任何更改
- SQLAlchemy:引擎、连接和会话差异
- 在Python Pandas中删除多个列中的所有重复行
- 更改pandas DataFrame中的特定列名
- 将Pandas多索引转换为列
- 熊猫在每组中获得最高的n个记录
- 熊猫数据帧得到每组的第一行