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
列表推导式
List Comprehensions 是一个非常强大的工具,它可以基于另一个列表创建一个新列表,仅需一行易读的代码。
例如,假设我们需要创建一个整数列表,该列表指定某个句子中每个单词的长度,但前提是该单词不是“the”。
python
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)
使用列表推导式,我们可以将这个过程简化为以下表示法:
python
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)
练习
使用列表推导式,从列表“numbers”中创建一个名为“newlist”的新列表,其中只包含列表中的正数,并以整数形式呈现。
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!