Python if else 语句
Python 中的 if-else 语句用于在 if 语句中的条件为 true 时执行一个代码块,当条件为 false 时执行另一个代码块。
if-else 语句的语法
Python 中 if-else 语句的语法如下 -
if boolean_expression:
# code block to be executed
# when boolean_expression is true
else:
# code block to be executed
# when boolean_expression is false
如果布尔表达式的计算结果为 TRUE,则将执行 if 块内的语句,否则将执行 else 块的语句。
if-else 语句流程图
此流程图显示了如何使用 if-else 语句 -
data:image/s3,"s3://crabby-images/deb12/deb12143dc700f6ff06fc9e6cd3402132c1c5a64" alt="ifelse syntax"
如果 expr 为 True,则执行 stmt1、2、3 的块,然后默认流程继续执行 stmt7。但是,如果 expr 为 False,则阻止 stmt4、5、6 运行,然后默认流继续。
上述流程图的 Python 实现如下 -
if expr==True:
stmt1
stmt2
stmt3
else:
stmt4
stmt5
stmt6
Stmt7
Python if-else 语句示例
让我们通过以下示例了解 if-else 语句的用法。在这里,变量 age 可以采用不同的值。如果表达式 age > 18 为 true,则将显示 Eligible to vote 消息,否则将显示 not eligible to vote 消息。以程图说明了此逻辑 -
data:image/s3,"s3://crabby-images/01f57/01f57987d83a70b9b1aff627ddf9423aa56bf83a" alt="if-else"
现在,让我们看看上面的流程图 Python 实现。
age=25
print ("age: ", age)
if age >=18:
print ("eligible to vote")
else:
print ("not eligible to vote")
执行此代码时,您将获得以下输出 -
eligible to vote
要测试 else 块,请将 age 更改为 12,然后再次运行代码。
not eligible to vote
Python if elif else 语句
if elif else 语句允许您检查多个表达式是否为 TRUE,并在其中一个条件的计算结果为 TRUE 时立即执行代码块。
与 else 块类似,elif 块也是可选的。但是,一个程序只能包含一个 else 块,而 if 块后面可以有任意数量的 elif 块。
Python if elif else 语句的语法
if expression1:
statement(s)
elif expression2:
statement(s)
elif expression3:
statement(s)
else:
statement(s)
如果 elif else Works 如何?
关键字 elif 是 else if 的缩写形式。它允许将逻辑排列在第一个 if 语句之后的 elif 语句级联中。如果第一个 if 语句的计算结果为 false,则后续的 elif 语句将逐个计算,如果满足任何一个语句,则从级联中出来。
级联中的最后一个是 else 块,当所有前面的 if/elif 条件都失败时,它将出现在图片中。
例假设购买时有不同的折扣板 -
- 金额超过 10000 的部分收取 20%的佣金,
- 对于 5-10000 之间的金额,收取 10%,
- 如果介于 1 到 5000 之间,则为 5%。
- 如果金额< 1000,则不享受折扣
以程图说明了这些情况 -
data:image/s3,"s3://crabby-images/75db7/75db743baf815761eaf23ab1141546f70c2b42d1" alt="if-elif"
我们可以使用 if-else 语句为上述逻辑编写 Python 代码 -
amount = 2500
print('Amount = ',amount)
if amount > 10000:
discount = amount * 20 / 100
else:
if amount > 5000:
discount = amount * 10 / 100
else:
if amount > 1000:
discount = amount * 5 / 100
else:
discount = 0
print('Payable amount = ',amount - discount)
设置数量以测试所有可能的条件:800、2500、7500 和 15000。输出将相应地变化 -
Payable amount = 800
Amount: 2500
Payable amount = 2375.0
Amount: 7500
Payable amount = 6750.0
Amount: 15000
Payable amount = 12000.0
虽然代码可以正常工作,但如果你查看每个 if 和 else 语句中不断增加的缩进级别,如果还有更多条件,它将变得难以管理。
Python if elif else 语句示例
elif 语句使代码易于阅读和理解。以下是使用 if elif else 语句的相同逻辑的 Python 代码 -
amount = 2500
print('Amount = ',amount)
if amount > 10000:
discount = amount * 20 / 100
elif amount > 5000:
discount = amount * 10 / 100
elif amount > 1000:
discount = amount * 5 / 100
else:
discount=0
print('Payable amount = ',amount - discount)
上述代码的输出如下 -
Payable amount = 2375.0