python for语句
时间: 2023-10-12 12:16:20 浏览: 80
Python for语句的使用
for语句是Python中用于循环执行一定次数的语句。
语法格式如下:
```
for 变量 in 序列:
循环体
```
其中,变量是循环变量,序列可以是列表、元组、字符串、集合、字典等可迭代对象。
在每次循环中,变量会依次取序列中的每个元素,将其赋值给变量,并执行循环体中的语句。
例如,遍历列表中的元素:
```python
fruits = ['apple', 'banana', 'cherry']
for fruit in fruits:
print(fruit)
```
输出结果为:
```
apple
banana
cherry
```
在循环中,还可以使用break和continue语句来控制循环的执行流程。break语句可以提前退出循环,而continue语句可以跳过当前循环,进入下一次循环。
例如,遍历列表中的元素,当元素为'banana'时跳过:
```python
fruits = ['apple', 'banana', 'cherry']
for fruit in fruits:
if fruit == 'banana':
continue
print(fruit)
```
输出结果为:
```
apple
cherry
```
还可以使用range函数生成一定范围内的整数序列,例如:
```python
for i in range(1, 5):
print(i)
```
输出结果为:
```
1
2
3
4
```
阅读全文