python学习4:if语句
编程中经常需要检查一系列条件,并据此采取什么措施。在python中,if
语句可以让你检查程序当前的状态,并采取相应的措施。
cars = ['audi', 'bmw', 'subaru', 'toyota']
for car in cars:
if car == 'bmw':
print(car.upper())
else:
print(car.title())
结果:
Audi
BMW
Subaru
Toyota
1 条件测试
每条if
语句的核心都是一个值为True
或False
的表达式,python根据条件测试的值为True
或False
来决定是否执行if
语句后面的代码。
1.1 检查是否相等
car='bwm'
car=='bmw'
True
1.2 检查相等时区分大小写
python在检查是否相等时区分大小写。
car=='Bmw'
False
car='Bmw'
car.lower()=='bmw'
True
car
'Bmw'
- 函数
lower()
不会修改最初赋给变量car
的值。
1.3 检查是否不相等
判断两个值是否不相等,使用!=
。
1.4 检查多个条件
and
两个条件均为True;or
至少有一个条件满足;
1.5 检查特定值是否包含在列表中
要判断特定值是否包含在列表中,可使用关键字in
;相反判断特定值不在列表中,使用not in
。
2 if语句
2.1 简单if语句
只有一个测试和一个操作。
age = 19
if age >= 18:
print("You are old enough to vote!")
结果:
You are old enough to vote!
2.2 if-else语句
在条件测试通过时执行一个操作,在没有通过时执行另一个操作。
age = 17
if age >= 18:
print("You are old enough to vote!")
else:
print('Sorry,you are too young to vote.')
结果:
Sorry,you are too young to vote.
2.3 if-elif-else结构
python依次检查每个条件测试,直到遇到通过了的条件测试,测试通过后,python将执行紧跟在后面的代码。并跳过余下的测试。
age = 12
if age < 4:
price = 0
elif age < 18:
price = 25
else:
price = 40
print(f'Your admission cost is ${price}.')
结果:
Your admission cost is $25.
2.4 测试多个条件
有时必须检查你关心的所有条件,应使用一系列不包括elif
和else
的简单if语句。在可能有多个条件为True
且需要在每个条件为True
时都采取相应的措施时适合。
- 如果只想执行一个代码块时,就使用
if-elif-else
结构; - 如果要执行多个代码块,就使用一系列独立的
if
语句。
3 使用if语句处理列表
在if语句中将列表名作为条件表达式时,python将在列表至少一个元素是返回True
,在;列表为空时返回False
。
# 使用多个列表
available_toppings = ['mushrooms', 'extra cheese', 'olives']
requested_toppings = ['mushrooms', 'french fries', 'extra cheese']
for requested_topping in requested_toppings:
if requested_topping in available_toppings:
print(f"Adding {requested_topping}.")
else:
print(f'Sorry,we don\'t have {requested_topping}.')
print('\nFinished making your pizza!')
结果:
Adding mushrooms.
Sorry,we don't have french fries.
Adding extra cheese.
Finished making your pizza!