一、遍历循环
形式:
for<循环变量>in<遍历结构>:
<语句块>
(1)、在遍历结构中提取一个元素放入循环变量,并执行一次语句块
(2)、完整遍历所有元素后结束
1、计数循环(N次)
for i in range(N):
#遍历N次语句块,从0-(N-1)
<语句块>
for i in range(5):
print("hello:",i)
hello:0
hello:1
hello:2
hello:3
hello:4
for i in range(M,N,K):
#遍历从M-(N-1)以K为步长的数字序列
<语句块>
for i in range(1,6,2):
print("hello:",i)
hello:1
hello:3
hello:5
2、字符串遍历循环
for c in s:
#s表示字符串,用双引号。c表示字符
for c in "python"
print(c,end",")
p,y,t,h,o,n,
3、列表遍历循环
for item in ls:
<语句块>
#ls表示列表,用中括号,遍历列表,将其中每个元素拿出放入item变量中,同时执行当前的语句块,产生循环
for item in range[123,"py",456]:
print(item,end=",")
123,py,456
4、文件遍历循环
for line in fi:
#fi表示文件,遍历其每行,产生循环
<语句块>
二、无限循环(while)
形式:
while<条件>:
<语句块>
(1)条件成立时,反复执行语句块,直到条件不成立为止。
a=3
while a>0:
a=a-1
print(a)
2
1
0
三、控制循环的保留字
break和continue
break:跳出并结束当前的循环,执行循环后的语句
continue:结束当次循环,执行后续循环
for c in "python":
if c=="t":
continue
print(c,end="")
#遍历这个字符,当字符中出现t,不打印,打印其他字符
pyhon
for c in "python":
if c=="t":
break
print(c,end="")
py
#双层循环
s="python"
while s!=""
#判断一个条件,字符串s不是空字符串,那再做一次循环
for c in s:
print(c,end="")
s=s[:-1]
#在第一层循环的后面,将字符串s赋值为s去掉最后一个字符
pythonpythopythpytpyp
s="python"
while s!="":
for c in s:
if c=="t":
break
print(c,end="")
s=s[:-1]
pypypypypyp
四、循环的高级用法
形式1:
for<循环变量>in<遍历结构>:
<语句块>
eles:
<语句块>
形式2:
while<条件>:
<语句块>
eles:
<语句块>