问题:如何在列表理解Python中构建两个for循环
我有两个清单如下
tags = [u'man', u'you', u'are', u'awesome']
entries = [[u'man', u'thats'],[ u'right',u'awesome']]
我想提取物项从entries
当他们在tags
:
result = []
for tag in tags:
for entry in entries:
if tag in entry:
result.extend(entry)
如何将两个循环写为单行列表理解?
回答 0
应该这样做:
[entry for tag in tags for entry in entries if tag in entry]
回答 1
记住这一点的最好方法是,列表理解中for循环的顺序基于它们在传统循环方法中出现的顺序。最外面的循环先到,然后是内部循环。
因此,等效列表理解为:
[entry for tag in tags for entry in entries if tag in entry]
通常,if-else
语句位于第一个for循环之前,如果只有一条if
语句,它将位于结尾。例如,如果您想添加一个空列表,如果tag
没有输入,则可以这样:
[entry if tag in entry else [] for tag in tags for entry in entries]
回答 2
适当的LC将是
[entry for tag in tags for entry in entries if tag in entry]
LC中循环的顺序类似于嵌套循环中的顺序,if语句移至末尾,条件表达式移至开始,例如
[a if a else b for a in sequence]
观看演示-
>>> tags = [u'man', u'you', u'are', u'awesome']
>>> entries = [[u'man', u'thats'],[ u'right',u'awesome']]
>>> [entry for tag in tags for entry in entries if tag in entry]
[[u'man', u'thats'], [u'right', u'awesome']]
>>> result = []
for tag in tags:
for entry in entries:
if tag in entry:
result.append(entry)
>>> result
[[u'man', u'thats'], [u'right', u'awesome']]
编辑 -由于您需要将结果展平,因此可以使用类似的列表理解,然后展平结果。
>>> result = [entry for tag in tags for entry in entries if tag in entry]
>>> from itertools import chain
>>> list(chain.from_iterable(result))
[u'man', u'thats', u'right', u'awesome']
加起来,你可以做
>>> list(chain.from_iterable(entry for tag in tags for entry in entries if tag in entry))
[u'man', u'thats', u'right', u'awesome']
您在此处使用生成器表达式,而不是列表推导。(也完全匹配79个字符的限制(无list
呼叫))
回答 3
tags = [u'man', u'you', u'are', u'awesome']
entries = [[u'man', u'thats'],[ u'right',u'awesome']]
result = []
[result.extend(entry) for tag in tags for entry in entries if tag in entry]
print(result)
输出:
['man', 'thats', 'right', 'awesome']
回答 4
理解上,嵌套列表迭代应遵循与forbriced for循环相同的顺序。
为了理解,我们将以NLP为例。您想从句子列表中创建所有单词的列表,其中每个句子都是单词列表。
>>> list_of_sentences = [['The','cat','chases', 'the', 'mouse','.'],['The','dog','barks','.']]
>>> all_words = [word for sentence in list_of_sentences for word in sentence]
>>> all_words
['The', 'cat', 'chases', 'the', 'mouse', '.', 'The', 'dog', 'barks', '.']
要删除重复的单词,可以使用集合{}代替列表[]
>>> all_unique_words = list({word for sentence in list_of_sentences for word in sentence}]
>>> all_unique_words
['.', 'dog', 'the', 'chase', 'barks', 'mouse', 'The', 'cat']
或申请 list(set(all_words))
>>> all_unique_words = list(set(all_words))
['.', 'dog', 'the', 'chases', 'barks', 'mouse', 'The', 'cat']
回答 5
return=[entry for tag in tags for entry in entries if tag in entry for entry in entry]
声明:本站所有文章,如无特殊说明或标注,均为本站原创发布。任何个人或组织,在未征得本站同意时,禁止复制、盗用、采集、发布本站内容到任何网站、书籍等各类媒体平台。如若本站内容侵犯了原著者的合法权益,可联系我们进行处理。