在描述短路评估的维基百科页面&
中,|
被列为 Python 中的急切运算符。这是什么意思,什么时候在语言中使用它们?
4 回答
维基百科页面是错误的,我已经更正了。|
并且&
不是布尔运算符,即使它们是急切的运算符,这仅意味着它们不是短路运算符。您可能知道,以下是 pythonand
和or
操作符的工作方式:
>>> def talk(x):
... print "Evaluating: ", bool(x)
... return x
...
>>> talk(1 == 1) or talk(2 == 1) # 2 == 1 is not evaluated
Evaluating: True
True
>>> talk(1 == 1) and talk(2 == 1)
Evaluating: True
Evaluating: False
False
>>> talk(1 == 2) and talk(1 == 3) # 1 == 3 is not evaluated
Evaluating: False
False
据我所知,python 没有急切的布尔运算符,它们必须被显式编码,例如:
>>> def eager_or(a, b):
... return a or b
...
>>> eager_or(talk(1 == 1), talk(2 == 1))
Evaluating: True
Evaluating: False
True
现在a
和b
在调用函数时自动评估,即使or
仍然短路。
至于 and 的用法,|
与&
数字一起使用时,它们是二元运算符:
>>> bin(0b11110000 & 0b10101010)
'0b10100000'
>>> bin(0b11110000 | 0b10101010)
'0b11111010'
您最有可能使用|
这种方式将 python 绑定到使用标志的库,例如 wxWidgets:
>>> frame = wx.Frame(title="My Frame", style=wx.MAXIMIZE | wx.STAY_ON_TOP)
>>> bin(wx.MAXIMIZE)
'0b10000000000000'
>>> bin(wx.STAY_ON_TOP)
'0b1000000000000000'
>>> bin(wx.MAXIMIZE | wx.STAY_ON_TOP)
'0b1010000000000000'
当与集合一起使用时,它们分别进行交集和并集操作:
>>> set("abcd") & set("cdef")
set(['c', 'd'])
>>> set("abcd") | set("cdef")
set(['a', 'c', 'b', 'e', 'd', 'f'])
这里的其他答案中缺少的东西是,&
并且|
在 Python 中没有任何普遍意义。它们的含义取决于操作数的类型,使用魔法__and__
和__or__
方法。由于这些是方法,因此操作数在作为参数传递之前都会被评估(即没有短路)。
在bool
值上,它们是逻辑“与”和逻辑“或”:
>>> True & False
False
>>> True | False
True
>>> bool.__and__(True, False)
False
>>> bool.__or__(True, False)
True
在int
值上,它们是按位“与”和按位“或”:
>>> bin(0b1100 & 0b1010)
'0b1000'
>>> bin(0b1100 | 0b1010)
'0b1110'
>>> bin(int.__and__(0b1100, 0b1010))
'0b1000'
>>> bin(int.__or__(0b1100, 0b1010))
'0b1110'
在集合上,它们是交集和并集:
>>> {1, 2} & {1, 3}
{1}
>>> {1, 2} | {1, 3}
{1, 2, 3}
>>> set.__and__({1, 2}, {1, 3})
{1}
>>> set.__or__({1, 2}, {1, 3})
{1, 2, 3}
一些额外的注意事项:
__and__
and__or__
方法总是在类上查找,而不是在实例上。因此,如果您分配obj.__and__ = lambda x, y: ...
,那么它仍然obj.__class__.__and__
会被调用。- 如果定义了类上的
__rand__
and__ror__
方法,它们将具有优先权。
有关更多详细信息,请参阅Python 语言参考。
这意味着总是计算左操作数和右操作数。&
是按位与运算符,|
是按位或运算符。
& ----> Used to AND bitwise i.e. bit by bit
similarly,
| ---> used to OR bitwise
Whenevr you find any python problem, try to use python.org, its helpful