文章目录

  • 1.非continue、break情形
  • 2.break用法
  • 3.continue用法

1.非continue、break情形

True and False ,当输入1时,a=False时,会执行接下来的语句后再跳出这个循环。

a = True
while a:b = int(input('please input a number:'))if b == 1:a = Falseelse:pass      #pass表示什么都不做
print('finished!')     #分别输入2,3,4,1 ,当输入为非1时,什么都不做。当输入为1时a为False,跳出循环,打印finished!#输出
please input a number:2
please input a number:3
please input a number:4
please input a number:1
finished!

2.break用法

break用法,在循环语句中,使用 break, 当符合跳出条件时,会直接结束循环,这是 break 和 True False 的区别。

while True:b = int(input('please input a number:'))if b == 1:break     #终止循环else:passprint('still in while')   #非1的时候会打印此句
print('finished!')    #终止循环即输入为1的情况
#分别输入2,3,4,1#输出
please input a number:2
still in while
please input a number:3
still in while
please input a number:4
still in while
please input a number:1
finished!

3.continue用法

在代码中,满足b=1的条件时,因为使用了 continue , python 不会执行 else 后面的代码,而会直接进入下一次循环(不是终止循环)。

while True:b = int(input('please input a number:'))if b == 1:continue       #当输入1时将不会执行print('still in while')语句,但会继续进入下一个循环,这是与break语句的不同之处else:passprint('still in while')
print('finished!')
#分别输入2,3,4,1,1#输出
please input a number:2
still in while
please input a number:3
still in while
please input a number:4
still in while
please input a number:1
please input a number:1