python for循环 break
时间: 2024-02-23 14:55:15 浏览: 77
python 实现打破循环
在Python中,for循环是一种用于遍历可迭代对象(如列表、元组、字符串等)的循环结构。当我们需要在循环中提前结束并跳出循环时,可以使用break语句。
break语句用于终止当前所在的循环,并跳出循环体执行后续的代码。当break语句被执行时,程序会立即退出当前的循环,不再执行循环内剩余的代码,而是继续执行循环后面的代码。
下面是一个使用break语句的示例,其中我们使用for循环遍历一个列表,当遇到特定元素时,使用break语句跳出循环:
```python
fruits = ["apple", "banana", "cherry", "date", "elderberry"]
for fruit in fruits:
if fruit == "cherry":
print("Found cherry! Exiting the loop.")
break
print(fruit)
print("Loop finished.")
```
输出结果为:
```
apple
banana
Found cherry! Exiting the loop.
Loop finished.
```
在上述示例中,当遍历到"cherry"时,我们使用break语句跳出了循环,并输出了"Found cherry! Exiting the loop."。然后程序继续执行后面的代码,输出"Loop finished."。
阅读全文