Python学习之循环方法详解
1. 什么是循环
在编程中,循环语句是一种重要的流程控制语句,它能够让程序重复执行某段代码,直到满足某个条件才停止。Python中常用的循环语句包括 for
和 while
。
2. for
循环
for
循环通常用于遍历一个序列(例如列表或字符串),也可以与 range()
函数一起使用。
2.1 遍历列表
fruits = ["apple", "banana", "cherry"]
for x in fruits:
print(x)
输出结果:
apple
banana
cherry
2.2 range()
函数结合使用
for x in range(2, 6):
print(x)
输出结果:
2
3
4
5
3. while
循环
while
循环在满足条件的情况下重复执行一段代码。
i = 1
while i < 6:
print(i)
i += 1
输出结果:
1
2
3
4
5
4. 循环控制语句
在循环过程中,可以使用循环控制语句来改变循环的执行方式。
4.1 break
语句
break
语句可以停止循环,即使循环条件没有达到也会停止。
fruits = ["apple", "banana", "cherry"]
for x in fruits:
if x == "banana":
break
print(x)
输出结果:
apple
4.2 continue
语句
continue
语句可以跳过当前的循环,继续执行下一次循环。
fruits = ["apple", "banana", "cherry"]
for x in fruits:
if x == "banana":
continue
print(x)
输出结果:
apple
cherry
4.3 else
语句
在 while
或者 for
循环语句后可以加上 else
语句,代表在循环完成后要执行的代码块。
i = 1
while i < 5:
print(i)
i += 1
else:
print("i is no longer less than 5")
输出结果:
1
2
3
4
i is no longer less than 5
5. 总结
通过对循环语句的详细介绍,我们可以了解到如何使用 for
和 while
两种常用的循环语句以及循环控制语句,它们都是编程中重要的流程控制手段。
本站文章如无特殊说明,均为本站原创,如若转载,请注明出处:Python学习之循环方法详解 - Python技术站