for 循环用于迭代序列(即列表,元组,字典,集合或字符串)。
这与其他编程语言中的 for 关键字不太相似,而是更像其他面向对象编程语言中的迭代器方法。
通过使用 for 循环,我们可以为列表、元组、集合中的每个项目等执行一组语句。
fruits = ["apple", "banana", "cherry"] for x in fruits: print(x)
通过使用 break 语句,我们可以在循环遍历所有项目之前停止循环:
fruits = ["apple", "banana", "cherry"] for x in fruits: print(x) if x == "banana": break
通过使用 continue 语句,我们可以停止循环的当前迭代,并继续下一个:
fruits = ["apple", "banana", "cherry"] for x in fruits: if x == "banana": continue print(x)
如需循环一组代码指定的次数,我们可以使用 range() 函数,
range() 函数返回一个数字序列,默认情况下从 0 开始,并递增 1(默认地),并以指定的数字结束。
for x in range(10): print(x)
注意:range(10) 不是 0 到 10 的值,而是值 0 到 9。
range() 函数默认 0 为起始值,不过可以通过添加参数来指定起始值:range(3, 10),这意味着值为 3 到 10(但不包括 10):
for x in range(3, 10): print(x)
for 循环中的 else 关键字指定循环结束时要执行的代码块:
打印 0 到 9 的所有数字,并在循环结束时打印一条消息:
for x in range(10): print(x) else: print("Finally finished!")
for 语句不能为空,但是如果您处于某种原因写了无内容的 for 语句,请使用 pass 语句来避免错误。
for x in [0, 1, 2]: pass
如果使用 while 循环,只要条件为真,我们就可以执行一组语句。
i = 1 while i < 7: print(i) i += 1
通过使用 else 语句,当条件不再成立时,我们可以运行一次代码块:
i = 1 while i < 6: print(i) i += 1 else: print("i is no longer less than 6")