从 Python 3.10 开始,引入了一个新的 match-case 语句,提供了一种更简洁和高效的方式来进行模式匹配。
x = 3
match x:
case 1:
print("x is 1")
case 2:
print("x is 2")
case _:
print("x is neither 1 nor 2")
并非所有的 if...elif...else 都能直接用 match-case 来替换。这主要由于 match-case 在设计上更偏向于模式匹配,而 if...elif...else 则更注重条件判断。
- 复杂条件判断: 当 if...elif...else 中包含复杂的逻辑判断、算术运算或函数调用时,match-case 可能无法直接表达。
- 浮点数比较: 浮点数的精度问题可能导致 match-case 的匹配不準确。
- 多个条件组合: 当需要同时满足多个条件时,match-case 的表达方式可能会变得比较繁琐。
# 复杂条件判断
x = 5
if x > 3 and x < 10 and x % 2 == 0:
print("x is an even number between 3 and 10")
上述的条件判断涉及多个逻辑运算子,要使用 match-case 来表达会比较困难。
结合 match-case、if-else 和 _ 通配符,用来模拟一个简单的饮料贩卖机的 Python 范例:
def vending_machine(choice):
match choice:
case "可乐":
if stock["可乐"] > 0:
print("请取走一罐可乐")
stock["可乐"] -= 1
else:
print("可乐已售罄")
case "雪碧":
if stock["雪碧"] > 0:
print("请取走一罐雪碧")
stock["雪碧"] -= 1
else:
print("雪碧已售罄")
case "芬达":
if stock["芬达"] > 0:
print("请取走一罐芬达")
stock["芬达"] -= 1
else:
print("芬达已售罄")
case _:
print("无此饮料,请重新选择")
# 初始化饮料库存
stock = {
"可乐": 5,
"雪碧": 3,
"芬达": 2
}
# 客户选择
choice = input("请选择饮料(可乐/雪碧/芬达):")
vending_machine(choice)