逻辑运算符
使用逻辑运算符的表达式根据操作数的逻辑状态计算结果为布尔值(True
或 False
)。
操作数的逻辑状态
在 Python 中,除了 0
、None
、False
、""
、''
、()
、[]
、{}
之外的所有值,其逻辑状态都为 True
。
bool()
内置函数可用于确定字面量、变量或表达式的逻辑状态。
以下字面量的逻辑状态为 False
。
python
>>> bool(False)
False
>>> bool(0)
False
>>> bool([])
False
>>> bool(None)
False
>>> bool("")
False
>>> bool([])
False
>>> bool(())
False
>>> bool({})
False
下面提供了一些布尔状态为 True
的示例字面量。
python
>>> bool(True)
True
>>> bool(1)
True
>>> bool(2.0)
True
>>> bool(100)
True
>>> bool("python")
True
>>> bool(["py", "thon"])
True
not
可以使用逻辑 not
运算符反转操作数的逻辑状态(False
转为 True
,反之亦然)。
python
>>> n = 5
>>> bool(n)
True
>>> bool(not n)
False
or
如果两个操作数中任何一个的逻辑状态为 True
,逻辑 or
运算符返回 True
。
python
>>> True or False
True
>>> bool(1 or 0)
True
>>> False or False
False
and
如果两个操作数的逻辑状态都为 True
,逻辑 and
运算符返回 True
。
python
>>> True and True
True
>>> True and False
False
>>> bool(10 and 20)
True
>>> bool(1 and 0)
False