if elif else语法规则
if elif else语法规则如下:
1、if 语句
if expression:
expr_true_suite
#例子:
if 2 > 1 and not 2 > 3:
print('Correct Judgement!')
#输出:
Correct Judgement!
2、if - else 语句
if expression:
expr_true_suite
else:
expr_false_suite
Python 提供与 if 搭配使用的 else,如果 if 语句的条件表达式结果布尔值为假,那么程序将执行 else 语句后的代码。
【例子】
hi = 6
if hi > 2:
if hi > 7:
print('好!')
else:
expr_false_suite
else:
print(hi)
else:
print('ok')
#输出:
6
3、if - elif - else 语句
if expression1:
expr1_true_suite
elif expression2:
expr2_true_suite
elif expressionN:
exprN_true_suite
elif 语句即为 else if,用来检查多个表达式是否为真,并在为真时执行特定代码块中的代码。
【例子】
temp = input('请输入成绩:')
source = int(temp)
if 100 >= source >= 90:
print('A')
elif 90 > source >= 80:
print('B')
elif 80 > source >= 60:
print('C')
elif 60 > source >= 0:
print('D')
else:
print('输入错误!')
```
if condition1:
# 执行代码块 1
elif condition2:
# 执行代码块 2
elif condition3:
# 执行代码块 3
...
else:
# 执行代码块 n
```
其中,`condition1` 是一个布尔表达式,它的值为 True 或 False;如果 `condition1` 的值为 True,则执行缩进部分的代码块 1;如果 `condition1` 的值为 False,则继续判断 `condition2`,以此类推。
如果所有的 `condition` 都不满足,就执行最后一个 `else` 后面的代码块 n。
需要注意的是,至少需要一个 `if`,但是 `elif` 和 `else` 可以省略。此外,在 Python 中,每个代码块都需要缩进相同的空格数,否则会出现语法错误。
一个简单的例子,假设我们要根据输入的成绩等级来判断学生的表现:
```
score = 80
if score >= 90:
print("优秀")
elif score >= 80:
print("良好")
elif score >= 70:
print("中等")
elif score >= 60:
print("及格")
else:
print("不及格")
```
在这个例子中,如果 `score` 大于或等于 90,则输出 "优秀";如果 `score` 大于或等于 80,但小于 90,则输出 "良好",以此类推。