On this page

Python 条件语句

Python 条件语句详解

Python 提供了多种条件控制结构,用于根据不同的条件执行不同的代码块。以下是 Python 中条件语句的全面介绍:

1. if 语句

基本语法

if 条件:
    # 条件为真时执行的代码块

示例

age = 18
if age >= 18:
    print("您已成年")

2. if-else 语句

基本语法

if 条件:
    # 条件为真时执行的代码块
else:
    # 条件为假时执行的代码块

示例

age = 16
if age >= 18:
    print("您已成年")
else:
    print("您未成年")

3. if-elif-else 语句

基本语法

if 条件1:
    # 条件1为真时执行的代码块
elif 条件2:
    # 条件2为真时执行的代码块
elif 条件3:
    # 条件3为真时执行的代码块
else:
    # 所有条件都为假时执行的代码块

示例

score = 85
if score >= 90:
    print("优秀")
elif score >= 80:
    print("良好")
elif score >= 60:
    print("及格")
else:
    print("不及格")

4. 嵌套 if 语句

基本语法

if 条件1:
    if 条件2:
        # 条件1和条件2都为真时执行的代码块
    else:
        # 条件1为真但条件2为假时执行的代码块
else:
    # 条件1为假时执行的代码块

示例

age = 20
has_id = True

if age >= 18:
    if has_id:
        print("可以进入酒吧")
    else:
        print("需要出示身份证")
else:
    print("未成年人禁止入内")

5. 单行条件表达式(三元运算符)

基本语法

值1 if 条件 else 值2

示例

age = 20
status = "成年" if age >= 18 else "未成年"
print(status)  # 输出: 成年

6. 条件语句中的布尔运算

使用 and, or, not

username = "admin"
password = "123456"

if username == "admin" and password == "123456":
    print("登录成功")
else:
    print("用户名或密码错误")

示例组合条件

temperature = 25
humidity = 70

if temperature > 30 or humidity > 80:
    print("天气炎热或潮湿")
elif not (temperature < 10):
    print("天气温和")

7. 特殊条件判断技巧

检查变量是否为真值

name = "Alice"
if name:  # 等价于 if name != ""
    print(f"你好, {name}")

检查元素是否在容器中

fruits = ["apple", "banana", "cherry"]
if "banana" in fruits:
    print("有香蕉")

多条件检查

color = "red"
if color in ("red", "green", "blue"):
    print("这是基础颜色")

8. match-case 语句(Python 3.10+)

基本语法

match 变量:
    case 模式1:
        # 匹配模式1时执行的代码
    case 模式2:
        # 匹配模式2时执行的代码
    case _:
        # 默认情况

示例

status_code = 404
match status_code:
    case 200:
        print("成功")
    case 404:
        print("未找到")
    case 500:
        print("服务器错误")
    case _:
        print("未知状态码")

最佳实践

  1. 保持条件简洁:避免过于复杂的条件表达式
  2. 使用括号明确优先级:当有多个逻辑运算符时
  3. 避免深层嵌套:考虑使用函数或提前返回减少嵌套
  4. 使用有意义的变量名:使条件更易读
  5. 注意缩进:Python 依赖缩进来确定代码块
# 好的实践示例
def can_drive(age, has_license):
    """判断是否可以驾驶"""
    MIN_DRIVING_AGE = 18
    return age >= MIN_DRIVING_AGE and has_license

if can_drive(20, True):
    print("可以驾驶")
else:
    print("不能驾驶")

通过掌握这些条件语句的使用方法,您可以编写出更加灵活和强大的Python程序。