python中for函数用法
时间: 2024-01-11 12:22:37 浏览: 80
在Python中,for循环是一种用于遍历可迭代对象(如列表、元组、字符串等)的循环结构。它的基本语法如下:
```python
for 变量 in 可迭代对象:
# 执行的代码块
```
其中,变量是每次循环中从可迭代对象中取出的元素,可迭代对象是一个包含多个元素的对象。
以下是几个使用for循环的例子:
1. 遍历列表:
```python
fruits = ['apple', 'banana', 'orange']
for fruit in fruits:
print(fruit)
```
输出:
```
apple
banana
orange
```
2. 遍历字符串:
```python
message = 'Hello, world!'
for char in message:
print(char)
```
输出:
```
H
e
l
l
o
,
w
o
r
l
d
!
```
3. 遍历字典的键值对:
```python
student_scores = {'Alice': 85, 'Bob': 92, 'Charlie': 78}
for name, score in student_scores.items():
print(name, score)
```
输出:
```
Alice 85
Bob 92
Charlie 78
```
4. 使用range函数生成数字序列进行遍历:
```python
for i in range(1, 5):
print(i)
```
输出:
```
1
2
3
4
```
阅读全文