蒙珣的博客

活好当下,做好今天该做的事情。

0%

python enumerate()说明

enumerate()说明

  • enumerate()是python的内置函数

  • enumerate在字典上是枚举、列举的意思

  • 对于一个可迭代的(iterable)/可遍历的对象(如列表、字符串),enumerate将其组成一个索引序列,利用它可以同时获得索引和值

  • enumerate多用于在for循环中得到计数

  • 例如对于一个seq,得到:

    1
    (0,seq[0]),(1,seq[1]),(2,seq[2])
  • enumerate()返回一个enumerate对象,例如:

    1
    2
    3
    >>> seq = range(5)
    >>> enumerate(seq)
    <enumerate object at 0x7f74995b8140>

enumerate()使用

  • 如果对一个列表,既要遍历索引又要遍历元素时,首先可以这样写:

    1
    2
    3
    4
    5
    6
    7
    8
    >>> list1 = ["这","是","一个","测试"]
    >>> for i in range(len(list1)):
    ... print(i,list1[i])
    ...
    0
    1
    2 一个
    3 测试
  • 上述方法有些累赘,利用enumerate()会更加直接和优美:

    1
    2
    3
    4
    5
    6
    7
    8
    >>> list1 = ["这","是","一个","测试"]
    >>> for index,item in enumerate(list1):
    ... print(index,item)
    ...
    0
    1
    2 一个
    3 测试
  • enumerate还可以接收第二个参数,用于指定索引起始值,如:

    1
    2
    3
    4
    5
    6
    7
    8
    >>> list1 = ["这","是","一个","测试"]
    >>> for index,item in enumerate(list1,1):
    ... print(index,item)
    ...
    1
    2
    3 一个
    4 测试

补充

如果要统计文件的行数,可以这样写:

1
count = len(open(filepath,'r').readlines())

这种方法简单,但是可能比较慢,当文件比较大时甚至不能工作。

可以利用enumerate():

1
2
3
count = 0
for index,line in enumerate(open(filepath,'r')):
count += 1

转载自:https://www.cnblogs.com/oddcat/articles/9630404.html