一、控制流
1.1支结构
1.单项分支
格式:
if 条件表达式:
python 执行语句
2.双项分支
格式:
if 条件表达式:
执行语句
else:
执行语句
3.多项分支
格式:
if 条件表达式:
执行语句
elif 条件表达式:
执行语句
....
else:
执行语句
4.巢状分支
格式:
if 条件表达式:
if 条件表达式:
执行语句
else:
执行语句
执行语句
else:
执行语句
二、循环结构
2.1while 语句
2.1.1只要在一个条件为真的情况下,while 语句允许你重复执行一块语句。while 语句是所谓 循环 语句的一个例子。while 语句有一个可选的 else 从句。
while 循环
格式:
i = 0
while 条件表达式:
循环语句
i = 0
while i < 10:
print("the num is", i)
i = i+1
注意:i=i+1不能漏,不然会死循环
2.1.2使用标志
p = "\n enter 'quit' to end the program."
active = True
while active:
message = input(p)
if message == 'quit':
active = False
else:
print(message)
2.2for 循环
for..in 是另外一个循环语句,它在一序列的对象上 递归 即逐一使用队列中的每个项目。
for ... in 容器 : (遍历复合类型)
循环语句
list=[]
for i in range(1,20,2):
list.append(i)
list
[1, 3, 5, 7, 9, 11, 13, 15, 17, 19]
可以更简便的用以下写法:
list2=[i for i in range(1,20,2)]
list
[1, 3, 5, 7, 9, 11, 13, 15, 17, 19]
三种特殊语句
1.break语句
作用:break 语句是用来 终止 循环语句的,即哪怕循环条件没有称为 False 或序列还没有被完全递归,也停止执行循环语句。一个重要的注释是,如果你从 for 或 while 循环中 终止 ,任何对应的循环 else 块将不执行。
i = 0
while i < 10:
i = i+1
if i==5:
break
print("the num is", i)
the num is 1
the num is 2
the num is 3
the num is 4
2.continue语句
作用:continue 语句被用来告诉 Python 跳过当前循环块中的剩余语句,然后 继续 进行下一轮循环。
i = 0
while i < 10:
i = i+1
if i==5:
continue
print("the num is", i)
the num is 1
the num is 2
the num is 3
the num is 4
the num is 6
the num is 7
the num is 8
the num is 9
the num is 10
3.pass 语句
占位
网友评论