赞
踩
循环结构是编程的三大结构之一。python和其他语言一样,提供了非常多的关键字来支持for循环和while循环。下面整理一下:
1.while循环
1.1 while循环的基本格式
while循环的基本格式如下:
while 条件表达式 :
条件满足,执行循环语句;不满足,则退出循环
1.2.while循环示例程序
count = 0
while (count<9):
print(f'Now count is {count}')
count += 1
输出结果如下
Now count is 0
Now count is 1
Now count is 2
Now count is 3
Now count is 4
Now count is 5
Now count is 6
Now count is 7
Now count is 8
[Finished in 1.0s]
2.for循环
2.1. for循环基本格式
for变量 in 序列 :
循环语句,直到序列的迭代结束
2.2. for循环示例程序
for count in range(0,10,2):
print(f'Now count is {count}')
输出的结果如下:
Now count is 0
Now count is 2
Now count is 4
Now count is 6
Now count is 8
[Finished in 1.0s]
3.循环关键字
3.1 break语句
break语句用于跳出整个循环。如下代码所示:
i = 1
while i <= 20:
i+=1
if i%2 == 0:
if i%10 ==0:
break
print(i)
当i是10的整数倍时,程序就会退出while循环,因此输出的结果是10以内的偶数:
2
4
6
8
[Finished in 1.1s]
3.2 continue语句
continue语句是用来结束本次循环,紧接着执行下一次的循环。
我们修改break为continue,即执行以下代码:
i = 1
while i <= 20:
i+=1
if i%2 == 0:
if i%10 ==0:
break
print(i)
那么当i=10时,程序跳过这个循环进入下一个迭代,所以输出的结果是20以内的偶数,
2
4
6
8
[Finished in 0.5s]
3.3 pass语句
pass是空语句,它的出现是为了保持程序结构的完整性。pass不做任何事情,一般用作占位符。比较简单,所以在这里不做赘述。
3.4 else语句
else语句除了和if语句配合使用外,while和for循环也可以使用else语句。在循环中使用时,else语句只在循环完成后执行,也就是说,break语句也会跳出else语句块。
count = 0
while (count<=9):
print(f'Now count is {count}')
count += 1
else:
print(f'{count} is greater than 9')
我们可以看到,else会执行最后一个不满足while条件时的指令,该程序的运行结果如下:
Now count is 0
Now count is 1
Now count is 2
Now count is 3
Now count is 4
Now count is 5
Now count is 6
Now count is 7
Now count is 8
Now count is 9
10 is greater than 9
[Finished in 0.4s]
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。