Python 分支结构使用指南
分支结构是程序中进行判断和选择的重要控制结构,Python 提供了灵活的分支语句。
1. if 语句
1.1 基本 if 语句
# 单分支结构
age = 18
if age >= 18:
print("已成年") # 条件为真时执行
print("可以进入") # 注意缩进对齐
# if-else 双分支结构
age = 16
if age >= 18:
print("已成年")
else:
print("未成年") # 条件为假时执行
# if-elif-else 多分支结构
score = 85
if score >= 90:
print("优秀")
elif score >= 80:
print("良好")
elif score >= 60:
print("及格")
else:
print("不及格")
1.2 嵌套 if 语句
# if 语句的嵌套
age = 20
has_id = True
if age >= 18:
if has_id:
print("可以进入")
else:
print("需要携带证件")
else:
print("年龄不够")
# 使用 and 可以简化嵌套
if age >= 18 and has_id:
print("可以进入")
else:
print("不能进入")
2. 条件表达式
2.1 比较运算符
# 常用比较运算符
x = 10
y = 5
print(x > y) # 大于
print(x < y) # 小于
print(x >= y) # 大于等于
print(x <= y) # 小于等于
print(x == y) # 等于
print(x != y) # 不等于
# 链式比较
age = 24
if 18 <= age <= 30:
print("年龄在18-30之间")
2.2 逻辑运算符
# and 运算符(与)
if age >= 18 and has_id:
print("可以进入")
# or 运算符(或)
if age < 12 or age >= 65:
print("票价优惠")
# not 运算符(非)
if not is_closed:
print("商店开门")
# 组合使用
if (age >= 18 and has_id) or is_vip:
print("可以进入")
3. 条件表达式(三元运算符)
# 基本语法:value_if_true if condition else value_if_false
age = 20
status = "成年" if age >= 18 else "未成年"
print(status) # 输出: 成年
# 嵌套使用(不推荐,可读性差)
score = 85
result = "优秀" if score >= 90 else ("及格" if score >= 60 else "不及格")
# 更好的写法
if score >= 90:
result = "优秀"
elif score >= 60:
result = "及格"
else:
result = "不及格"
4. 特殊用法
4.1 pass 语句
# 使用 pass 作为占位符
if age >= 18:
pass # 暂时不做任何处理
else:
print("未成年")
# 在开发时用作临时占位
def check_age():
pass # 待实现的函数
4.2 条件表达式的高级用法
# 使用 in 进行成员检查
fruits = ['apple', 'banana', 'orange']
if 'apple' in fruits:
print("有苹果")
# 使用 is 进行身份检查
x = None
if x is None:
print("x 是空值")
# 使用 any 和 all
numbers = [1, 2, 3, 4, 5]
if any(num > 4 for num in numbers):
print("存在大于4的数")
if all(num < 10 for num in numbers):
print("所有数都小于10")
5. 实用示例
5.1 输入验证
def validate_input():
age = input("请输入年龄:")
if not age.isdigit():
print("请输入数字")
return False
age = int(age)
if age < 0 or age > 120:
print("年龄超出合理范围")
return False
return True