Python中遍历列表的方法总结

时间:2022-09-14 09:14:50

Python中遍历列表有以下几种方法:

一、for循环遍历

?
1
2
3
4
5
lists = ["m1", 1900, "m2", 2000]
 
for item in lists:
 
print(item)
?
1
2
3
4
5
6
7
lists = ["m1", 1900, "m2", 2000]
 
for item in lists:
 
item = 0;
 
print(lists)

运行结果:

?
1
['m1', 1900, 'm2', 2000]

二、while循环遍历:

?
1
2
3
4
5
6
7
8
9
lists = ["m1", 1900, "m2", 2000]
 
count = 0
 
while count < len(lists):
 
print(lists[count])
 
  count = count + 1

三、索引遍历:

?
1
2
3
for index in range(len(lists)):
 
  print(lists[index])

四、使用iter()

?
1
2
3
for val in iter(lists):
 
  print(val)

五、enumerate遍历方法

?
1
2
3
for i, val in enumerate(lists):
 
  print(i, val)

运行结果:

?
1
2
3
4
5
6
7
0 m1
 
1 1900
 
2 m2
 
3 2000

当从非0下标开始遍历元素的时候可以用如下方法

?
1
2
3
for i, el in enumerate(lists, 1):
 
  print(i, el)

运行结果:

?
1
2
3
4
5
6
7
1 m1
 
2 1900
 
3 m2
 
4 2000

扩展

python,遍历文件的方法

在做验证码识别时,识别时需要和库里的图片对比,找到最接近的那个图片,然后就行到了用与图片一致的字符命名,获取文件的名称,去将图片的名称读出来作为验证码。以下是我通过网上的资料总结的三种文件遍历的方式,第一种和第二种相似,只是和第三种有一些区别。

首先要获得文件夹的路径,我是对某个文件夹下的文件进行遍历,需要去除文件的后缀,注:num为我创建的一个文件夹

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
import os # 需要用到os包
 
s = os.sep # s区分在linux或windows系统下的分割符"/"或"\"
root = "C:\Users\XXX\Desktop" + s + "num" + s # 文件路径
 
mode = [] # 用mode进行去掉后缀的文件名存储。
 
# 遍历文件的第一种方式:
 
sname = os.listdir(root) # 获取文件夹下文件或文件夹的名称,获取到的sname的格式为('1.jpg')。
 
for f in sname:
  fname = os.path.splitext(f) # 对f中的文件名进行分割,分割后显示为['1','jpg']
  mode.append(fname[0]) # fname[0],取序列中的第一值,即['1']
 
 
# 遍历文件第二种方法(python2支持,python3不支持)
 
def func(args, dire, fis):
  for f in fis:
    fname = os.path.splitext(f) # splitext分割文件名和文件后缀
    mode.append(fname[0])
os.path.walk(root, func, ()) # 通过调用函数进行文件的遍历,这种方法只能获取到文件夹下的文件名,不能获取到子文件夹下的其他内容
 
 
# 使用os.walk-遍历文件的第三种方法:
 
for rt, dirs, files in os.walk(root): # 通过os.walk进行文件遍历,可以获得文件夹下子文件内的内容,dirs为递归查出的所有文件夹,files为递归查出的所有文件
  for f in files:
    fname = os.path.splitext(f)
    mode.append(fname[0])