循环语句
1.while循环
counter = 0
while counter <= 10 :
counter += 1
print(counter)
else:
print('EOF')
Tips:
(1)使用递归时,用while比较好,其他场景,用for循环较多;
(2)while代码块内一定要有能够影响while判断条件的语句,不然有可能产生无限循环;
(3)while的else语句因为和其他语言的语法习惯不同,不太常用
2.for循环
for循环主要用来遍历/循环 序列或者集合、字典
2.1 基本语法:
遍历打印集合的所有元素
a = ['apple','orange','banana','grape']
for x in a:
print(x)
2.2 嵌套for循环:
遍历打印嵌套列表内所有元素(在结果窗口内竖排显示)
a = [['apple','orange','banana','grape'],(1,2,3)]
for x in a:
for y in x:
print(y)
遍历打印嵌套列表内所有元素(在结果窗口内横排显示)
a = [['apple','orange','banana','grape'],(1,2,3)]
for x in a:
for y in x:
print(y,end=' ')
2.3 for循环的else语句
2.3.1 列表内的所有元素遍历完之后,才会运行else后的语句
a = ['apple','orange','banana','grape']
for x in a:
print(x)
else:
print('fruit is gone')
运行结果:
apple
orange
banana
grape
fruit is gone
2.3.2 如果在遍历过程中中断,跳出了循环,则不会运行else后的语句
a = ['apple','orange','banana','grape']
for x in a:
if x == 'orange':
break
print(x)
else:
print('fruit is gone')
运行结果:
apple
2.3.3 如果在遍历过程中,跳过了某个元素,最终完成了所有循环,则else后的语句会执行
a = ['apple','orange','banana','grape']
for x in a:
if x == 'orange':
continue
print(x)
else:
print('fruit is gone')
运行结果:
apple
banana
grape
fruit is gone
2.4 嵌套for循环的else语句
2.4.1 内层的for循环break中断,不影响外层for循环的else语句正常执行
a = [['apple','orange','banana','grape'],(1,2,3)]
for x in a:
for y in x:
if y == 'orange':
break
print(y)
else:
print('fruit is gone')
运行结果:
apple
1
2
3
fruit is gone
2.4.2 如果通过某判断条件,中断了外层的循环,则else后的语句不会执行
a = [['apple','orange','banana','grape'],(1,2,3)]
for x in a:
if 2 in x:
break
for y in x:
print(y)
else:
print('fruit is gone')
运行结果:
apple
orange
banana
grape
2.5 range
让一段代码重复执行N次
Java:
for (i=0; i<10; i++) {
print(i);
}
Python:
for x in range(0,10,1):
print(x)
运行结果:
0
1
2
3
4
5
6
7
8
9
range(0,10,1)指的是x在[0,10)范围内遍历,x增长步长为1
调整一下步长:
for x in range(0,10,2):
print(x,end=' | ')
运行结果:
0 | 2 | 4 | 6 | 8 |
得到一个递增的等差数列
那么怎么应用range得到一个递减的等差数列呢?
for x in range(10,0,-2):
print(x,end=' | ')
运行结果:
10 | 8 | 6 | 4 | 2 |
练习题:
a = [1,2,3,4,5,6,7,8]
从列表a的第1个元素开始打印,每隔一个元素打印一次,直至遍历完列表a
a = [1,2,3,4,5,6,7,8]
#方法1:
for x in range(0,len(a),2):
print(a[x])
#方法2:
x = 0
while x < len(a):
print(a[x])
x = x+2
#方法3:
b = a[0:len(a):2]
print(b)
网友评论