循环:是让特定代码在一定的条件下,重复执行。

while循环:

while "条件":
    "执行语句"  # 当条件为真时,执行语句

一个简单了例子,计算1-100数字之和:

# while循环
result = 0
i = 1

while i <= 100:
    result += i
    i += 1

print("1到100之间的和是:{}".format(result))

计算结果为5050:

while true循环 python python while true循环语句_跳出循环


另外,在while循环里,还有continue和break,来继续和跳出循环。

比如下面例子,while true 是一个永真的循环,即死循环。通过continue和break来继续和跳出循环。

while True:
    i = input("请输入英文")
    if i.isalpha():
        print("继续输入!")
        continue
    else:
        print("输入的不是英文!")
        break

输入字符,则继续循环:

while true循环 python python while true循环语句_循环_02


输入非字符,则跳出循环:

while true循环 python python while true循环语句_while循环_03

for循环:

for循环是用来遍历序列。
比如,便利一个列表中的元素,并打印此元素及元素对应的索引:

list1 = [1, 2, 3, 4, 5]

for i in list1:
    print("序列中的值是:{},索引是:{}".format(i, list1.index(i)))

while true循环 python python while true循环语句_跳出循环_04


遍历字典:

dict1 = {"name": "sam", "age": 12}

for key in dict1:
    print("序列中的key是:{},值是:{}".format(key, dict1[key]))

while true循环 python python while true循环语句_python_05