Continue与break的区别
continue 是跳出本次循环,回到循环体的开头;break语句则是跳出循环体,直接执行循环体后面的语句。
data:image/s3,"s3://crabby-images/fe010/fe01053c1676fe04273675a54bea542b66d868c1" alt="在这里插入图片描述"
"打印出1到一百的奇数"
i=0
while i<=100:
i+=1
if i%2==0:
continue
print(i)
"打印1到一百的偶数"
i=0
while i<=100:
i+=1
if i%2!=0:
continue
print(i)
data:image/s3,"s3://crabby-images/7559a/7559add28e7b07b90df66d89f25fdd6c6dddadd5" alt="在这里插入图片描述" WHILE Else语句 检测循环退出情况 data:image/s3,"s3://crabby-images/cc92d/cc92ddbfc3e9eb3f3c8136635449b1c0a87b35c4" alt="在这里插入图片描述"
day=1
while day<=7:
answer=input("这里是七天打卡器,加油奥,今天你打卡了吗?\n")
if answer!="有":
print("七天连续打卡失败,希望您坚持不懈奥。")
break
day+=1
else:
print("恭喜你完成七天打卡。")
data:image/s3,"s3://crabby-images/7de3f/7de3f12b8e79adfb9ee3da91da09b71ebcde5411" alt="在这里插入图片描述" 循环结构的嵌套 九九乘法表:
i=1
while i<=9:
j=1
while j<=i:
print (j,"*",i,"=",i*j,end=" ")//end=" "防止自动换行 因为Python默认自动换行
print(" ")//换行作用
i+=1
data:image/s3,"s3://crabby-images/93bcc/93bccd50ba8dac6594886233974ed1c3e8140f09" alt="在这里插入图片描述"
data:image/s3,"s3://crabby-images/74348/743484c401c52d5d13d37de5106bc7adcb73e3eb" alt="在这里插入图片描述" for循环
data:image/s3,"s3://crabby-images/bd5c5/bd5c556e50e20cc1d621fb5f702f5cae61857370" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/61f3a/61f3a97c8ece1c23a8f070925424ad6e1f62a450" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/3f5ec/3f5eca3fa3c81c39b597c097d8112a70abe4065e" alt="在这里插入图片描述" 数字不是可迭代对象,例如计算1到1000000的和的时候就不可以像下面这样: data:image/s3,"s3://crabby-images/935c6/935c66e45a482b93fdc637094ac91fcddd6b1405" alt="在这里插入图片描述" 这时候我们需要借助For的好伙伴-------range(),下面是range()的三种形式: data:image/s3,"s3://crabby-images/66876/66876ecf89835d7babf10c240d0aa760c37e5ee7" alt="在这里插入图片描述" Tips:无论你使用哪一种,他的参数都只能是整型int。
第一种:range(stop)自带了一个stop参数,将生成一个从0开始到stop的整数序列(不包含stop)。 第二种:range(start,stop),顾名思义可以决定开始与结束的数字,但数列中包括start,不包括stop。 第三种:与第二种类似,但加上个step,即步长。跳跃选取数字作为数列。
"for循环中range的三种用法:"
for i in range (10):
print(i,end=" ")
print(" ")
for j in range(5,10):
print(j,end=" ")
print(" ")
for k in range(5,10,2):
print(k,end=" ")
print(" ")
for m in range(10,5,-2):
print(m,end=" ")
data:image/s3,"s3://crabby-images/fa219/fa219353f9dc4a584c7f14fe65b8d8c1bf013bcb" alt="在这里插入图片描述" 下面我们来实现一个案例,使用for循环计算1到1000000的和:
sum=0
for i in range (1000001):
sum=sum+i
print(sum)
data:image/s3,"s3://crabby-images/3ba28/3ba28e21f6a8741f4010259edf8b87076e667820" alt="在这里插入图片描述" 利用for循环的嵌套,计算一到10的素数(除了1和其本身,不能被其他数整除的数。)
for i range(2,11):
for j in range(2,i):
if i%j==0:
break
else:
print(i)
data:image/s3,"s3://crabby-images/7f846/7f84617499c4571a86e8aa0b0405536550d23150" alt="在这里插入图片描述"
|