我同意,它更像是“不是[[条件]打破休息条件]”。
我知道这是一个老话题,但是我现在正在研究相同的问题,而且我不确定有人以我理解的方式抓住了这个问题的答案。
对我来说,有三种“读取” else
in For... else
或While... else
语句的方法,所有这些方法都是等效的:
else
==
if the loop completes normally (without a break or error)
else
==
if the loop does not encounter a break
else
==
else not (condition raising break)
(大概有这种情况,否则您将不会循环)
因此,从本质上讲,循环中的“ else”实际上是一个“ elif ...”,其中“ ...”是(1)不间断,相当于(2)NOT [引起中断的条件]。
我认为关键是else
没有'break'就没有意义,因此a for...else
包括:
for:
do stuff
conditional break # implied by else
else not break:
do more stuff
因此,for...else
循环的基本元素如下,您将以普通英语阅读它们:
for:
do stuff
condition:
break
else: # read as "else not break" or "else not condition"
do more stuff
正如其他张贴者所说的那样,当您能够找到循环要查找的内容时,通常会出现中断,因此else:
变成“如果未找到目标项目该怎么办”。
例
您还可以一起使用异常处理,中断和for循环。
for x in range(0,3):
print("x: {}".format(x))
if x == 2:
try:
raise AssertionError("ASSERTION ERROR: x is {}".format(x))
except:
print(AssertionError("ASSERTION ERROR: x is {}".format(x)))
break
else:
print("X loop complete without error")
结果
x: 0
x: 1
x: 2
ASSERTION ERROR: x is 2
----------
# loop not completed (hit break), so else didn't run
例
一个简单的例子,打破休息。
for y in range(0,3):
print("y: {}".format(y))
if y == 2: # will be executed
print("BREAK: y is {}\n----------".format(y))
break
else: # not executed because break is hit
print("y_loop completed without break----------\n")
结果
y: 0
y: 1
y: 2
BREAK: y is 2
----------
# loop not completed (hit break), so else didn't run
例
一个简单的示例,其中没有中断,没有引发中断的条件,也没有遇到错误。
for z in range(0,3):
print("z: {}".format(z))
if z == 4: # will not be executed
print("BREAK: z is {}\n".format(y))
break
if z == 4: # will not be executed
raise AssertionError("ASSERTION ERROR: x is {}".format(x))
else:
print("z_loop complete without break or error\n----------\n")
结果
z: 0
z: 1
z: 2
z_loop complete without break or error
----------