在描述短路评估的维基百科页面&中,|被列为 Python 中的急切运算符。这是什么意思,什么时候在语言中使用它们?
维基百科页面是错误的,我已经更正了。|并且&不是布尔运算符,即使它们是急切的运算符,这仅意味着它们不是短路运算符。您可能知道,以下是 pythonand和or操作符的工作方式:
|
&
and
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仍然短路。
a
b
至于 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'])