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
Comprensiones de listas
List Comprehensions es una herramienta muy poderosa, que crea una nueva lista basada en otra lista, en una sola línea legible.
Por ejemplo, supongamos que necesitamos crear una lista de enteros que especifique la longitud de cada palabra en una determinada oración, pero solo si la palabra no es la palabra "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 una list comprehension, podríamos simplificar este proceso a esta notación:
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)
Ejercicio
Usando una list comprehension, crea una nueva lista llamada "newlist" a partir de la lista "numbers", que contenga solo los números positivos de la lista, como enteros.
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!