【python】enumerate方法详解

enumerate() 是 Python 内置的一个函数,用于在迭代过程中同时获得索引和对应的值。它可以很方便地在循环中获取元素的位置信息。enumerate() 函数的基本用法如下:

enumerate(iterable, start=0)

  • iterable:要迭代的可迭代对象,如列表、元组、字符串等。
  • start:指定索引的起始值,默认为 0。

下面是一个例子,演示如何使用 enumerate() 函数:

fruits = ['apple', 'banana', 'orange', 'grape'] 
for index, fruit in enumerate(fruits): 
    print(f"Index: {index}, Fruit: {fruit}") 

输出:

Index: 0, Fruit: apple Index: 1, Fruit: banana Index: 2, Fruit: orange Index: 3, Fruit: grape 

在这个例子中,enumerate() 函数将列表 fruits 中的元素与它们的索引一起返回,然后可以在循环中使用。

enumerate() 还可以接收第二个参数 start,指定索引的起始值。例如:

fruits = ['apple', 'banana', 'orange', 'grape'] 
for index, fruit in enumerate(fruits, start=1): 
    print(f"Index: {index}, Fruit: {fruit}") 

输出:

Index: 1, Fruit: apple Index: 2, Fruit: banana Index: 3, Fruit: orange Index: 4, Fruit: grape 

总之,enumerate() 函数是一个非常方便的工具,用于在迭代过程中获取元素的索引和值,适用于循环遍历各种可迭代对象。

你可能感兴趣的:(python笔记,python,开发语言)