shuaiwei588 发表于 2017-5-4 12:11:28

Python enumerate遍历数组示例应用

  一般情况下对一个列表或数组既要遍历索引又要遍历元素时,会这样写:



list=["one","two","three"]
for i in range (len(list)):
print i ,list
  是这种方法有些累赘,使用内置enumerrate函数会有更加直接,优美的做法,


先看看enumerate的定义:




def enumerate(collection):
'Generates an indexed series:(0,coll), (1,coll) ...'   
i = 0
it = iter(collection)
while 1:
yield (i, it.next())
i += 1
  其中iter为迭代器,yield向返回值塞数据。
  enumerate会将数组或列表组成一个索引序列。使我们再获取索引和索引内容的时候更加方便如下:




for index,text in enumerate(list)):
print index ,text
  如果你要计算文件的行数,可以这样写:




count = len(open(path,"r").readlines())
print count
  前面这种方法简单,但是可能比较慢,当文件比较大时甚至不能工作,下面这种循环读取的方法更合适些。




count = 0
for index,line in enumerate(open(path,"r")):
Pass
count += 1
   另一个例子:
  line 是个 string 包含 0 和 1,要把1都找出来:


#方法一
def read_line(line):
sample = {}
n = len(line)
for i in range(n):
if line!='0':
sample = int(line)
return sample
#方法二
def xread_line(line):
return((idx,int(val)) for idx, val in enumerate(line) if val != '0')
print read_line('0001110101')
print list(xread_line('0001110101'))
 
页: [1]
查看完整版本: Python enumerate遍历数组示例应用