Get started learning Python with DataCamp's free Intro to Python tutorial. Learn Data Science by completing interactive coding challenges and watching videos by expert instructors. Start Now!
This site is generously supported by DataCamp. DataCamp offers online interactive Python Tutorials for Data Science. Join 11 million other learners and get started learning Python for data science today!
Good news! You can save 25% off your Datacamp annual subscription with the code LEARNPYTHON23ALE25 - Click here to redeem your discount
Compreensões de Lista
List Comprehensions é uma ferramenta muito poderosa, que cria uma nova lista baseada em outra lista, em uma única e legível linha.
Por exemplo, digamos que precisamos criar uma lista de inteiros que especifique o comprimento de cada palavra em uma determinada sentença, mas apenas se a palavra não for "the".
sentence = "the quick brown fox jumps over the lazy dog"
words = sentence.split()
word_lengths = []
for word in words:
if word != "the":
word_lengths.append(len(word))
print(words)
print(word_lengths)
Usando uma list comprehension, poderíamos simplificar esse processo para esta notação:
sentence = "the quick brown fox jumps over the lazy dog"
words = sentence.split()
word_lengths = [len(word) for word in words if word != "the"]
print(words)
print(word_lengths)
Exercício
Usando uma list comprehension, crie uma nova lista chamada "newlist" a partir da lista "numbers", que contenha apenas os números positivos da lista, como inteiros.
numbers = [34.6, -203.4, 44.9, 68.3, -12.2, 44.6, 12.7]
newlist = []
print(newlist)
numbers = [34.6, -203.4, 44.9, 68.3, -12.2, 44.6, 12.7]
newlist = [int(x) for x in numbers if x > 0]
print(newlist)
test_output_contains("[34, 44, 68, 44, 12]")
success_msg("Very nice!")
This site is generously supported by DataCamp. DataCamp offers online interactive Python Tutorials for Data Science. Join over a million other learners and get started learning Python for data science today!