Python 遍历数组
时间: 2024-03-28 13:35:52 浏览: 66
在Python中,遍历数组可以使用循环结构来实现。以下是几种常见的遍历数组的方法:
1. 使用for循环:
```python
array = [1, 2, 3, 4, 5]
for element in array:
print(element)
```
输出结果:
```
1
2
3
4
5
```
2. 使用while循环和索引:
```python
array = [1, 2, 3, 4, 5]
index = 0
while index < len(array):
print(array[index])
index += 1
```
输出结果与上述方法相同。
3. 使用enumerate函数获取索引和元素:
```python
array = [1, 2, 3, 4, 5]
for index, element in enumerate(array):
print(f"Index: {index}, Element: {element}")
```
输出结果:
```
Index: 0, Element: 1
Index: 1, Element: 2
Index: 2, Element: 3
Index: 3, Element: 4
Index: 4, Element: 5
```
以上是几种常见的遍历数组的方法,你可以根据具体的需求选择适合的方式进行遍历。
阅读全文