“Что делает перечисление в Python” Ответ

Перечислите Python

languages = ["Python", "C", "C++", "C#", "Java"]
counter = 1

for item in languages:
    print(counter, item)
    counter += 1

for item in enumerate(languages):
    print(item[0], item[1])

for num,lang in enumerate(languages):
    print(num,lang)
    
[print(num,lang) for num,lang, in enumerate(languages)]
armin

Перечислите Python

animals = ["cat", "bird", "dog"]

#enumerate (For Index, Element)
for i, element in enumerate(animals,0):
    print(i, element)
    
for x in enumerate(animals):
    print(x, "UNPACKED =", x[0], x[1])
    
'''
0 cat
1 bird
2 dog
(0, 'cat') UNPACKED = 0 cat
(1, 'bird') UNPACKED = 1 bird
(2, 'dog') UNPACKED = 2 dog
'''
BreadCode

Питон перечисляется

'''
In python, you can use the enumerate function to add a counter to
your objects in a tuple or list.
'''

myAlphabet = ['a', 'b', 'c', 'd', 'e']
countedAlphabet = list(enumerate(myAlphabet)) # List turns enumerate object to list
print(countedAlphabet) # [(0, 'a'), (1, 'b'), (2, 'c'), (3, 'd'), (4, 'e')]

myList = ['cats', 'dogs', 'fish', 'birds', 'snakes']

for index, pet in enumerate(myList):
  print(index)
  print(pet)
Ninja Penguin

Питон перечисляется

# For loop where the index and value are needed for some operation

# Standard for loop to get index and value
values = ['a', 'b', 'c', 'd', 'e']
print('For loop using range(len())')
for i in range(len(values)):
    print(i, values[i])

# For loop with enumerate
# Provides a cleaner syntax
print('\nFor loop using builtin enumerate():')
for i, value in enumerate(values):
    print(i, value)

# Results previous for loops:
# 0, a
# 1, b
# 2, c
# 3, d
# 4, e

# For loop with enumerate returning index and value as a tuple
print('\nAlternate method of using the for loop with builtin enumerate():')
for index_value in enumerate(values):
    print(index_value)

# Results for index_value for loop:
# (0, 'a')
# (1, 'b')
# (2, 'c')
# (3, 'd')
# (4, 'e')
YEP Python

Для перечисления Python

for key, value in enumerate(["p", "y", "t", "h", "o", "n"]):
    print key, value

"""
0 p
1 y
2 t
3 h
4 o
5 n
"""
Weary Wombat

Что делает перечисление в Python

The enumerate() function assigns an index to each item in an 
iterable object that can be used to reference the item later. 
What does enumerate do in Python? It makes it easier to keep 
track of the content of an iterable object.
Code4Blessings

Ответы похожие на “Что делает перечисление в Python”

Вопросы похожие на “Что делает перечисление в Python”

Больше похожих ответов на “Что делает перечисление в Python” по Python

Смотреть популярные ответы по языку

Смотреть другие языки программирования