条件运算
Python 中的条件运算主要通过 if
语句来实现。if
语句允许程序根据条件的真假来执行不同的代码块。以下是 if
语句的基本结构和一些高级用法:
基本结构
# 单条件语句
if 条件:
# 条件为真时执行的代码块
# 多条件语句,使用elif和else
if 条件1:
# 条件1为真时执行的代码块
elif 条件2:
# 条件1不满足且条件2为真时执行的代码块
else:
# 所有条件都不满足时执行的代码块
示例
# 假设我们有一个变量a,我们想根据a的值执行不同的操作
a = 10
if a > 10:
print("a is greater than 10")
elif a == 10:
print("a is equal to 10")
else:
print("a is less than 10")
条件表达式
Python 还支持三元条件表达式,这是一种更简洁的条件运算方式,格式如下:
# 三元条件表达式
结果 = 表达式1 if 条件 else 表达式2
示例
a = 5
b = 10
max_value = a if a > b else b # 如果a大于b,则max_value为a,否则为b
逻辑运算符
在条件表达式中,我们经常需要使用逻辑运算符来组合多个条件:
and
:逻辑与,两个条件都为真时结果才为真。or
:逻辑或,只要有一个条件为真结果就为真。not
:逻辑非,反转条件的真假。
示例
a = 5
b = 10
if a < 10 and b > 5:
print("Both conditions are true")
elif a > 10 or b < 5:
print("One of the conditions is true")
if not a: # 如果a为0或False,则执行
print("a is falsy")
嵌套条件
if
语句可以嵌套使用,即在一个 if
语句内部使用另一个 if
语句。
示例
if a > 10:
if b > 10:
print("Both a and b are greater than 10")
else:
print("a is greater than 10, but b is not")
else:
print("a is not greater than 10")
条件循环
条件运算经常与循环结构(如 while
循环)结合使用,以实现根据条件重复执行代码块。
示例
a = 0
while a < 10:
if a % 2 == 0:
print(a, "is even")
else:
print(a, "is odd")
a += 1