10

假设我有一个清单:

main_list = ['bacon', 'cheese', 'milk', 'cake', 'tomato']

和另一个清单:

second_list = ['cheese', 'tomato']

我想从主列表中删除在第二个列表中找到的所有元素?

先感谢您

亚当

4

4 回答 4

11
new_array = [x for x in main_array if x not in second_array]

但是,这对于大型列表不是很有效。您可以通过使用一组进行优化second_array

second_array = set(second_array)
new_array = [x for x in main_array if x not in second_array]

如果项目的顺序无关紧要,您可以为两个数组使用一个集合:

new_array = list(set(main_array) - set(second_array))
于 2012-05-12T11:28:15.430 回答
9

如果顺序不重要,您可以使用sets

>>> main_array = ['bacon', 'cheese', 'milk', 'cake', 'tomato']
>>> second_array = ['cheese', 'tomato']
>>> set(main_array) & set(second_array)
set(['tomato', 'cheese'])

这里我们使用交集运算符,&。如果您只想要第二个列表中未找到的项目,我们可以使用差异,-

>>> set(main_array) - set(second_array)
set(['cake', 'bacon', 'milk'])
于 2012-05-12T11:27:06.987 回答
3
main_array = set(['bacon', 'cheese', 'milk', 'cake', 'tomato'])
second_array = (['cheese', 'tomato'])

main_array.difference(second_array)
>>> set(['bacon', 'cake', 'milk'])

main_array.intersection(second_array)
>>> set(['cheese', 'tomato'])
于 2012-05-12T11:32:42.793 回答
0
l = [u'SQOOP', u'SOLR', u'SLIDER', u'SFTP', u'PIG', u'NODEMANAGER', u'JSQSH', u'HCAT', u'HBASE_REGIONSERVER', u'GANGLIA_MONITOR', u'FLUME_HANDLER', u'DATANODE', u'BIGSQL_WORKER']

p = [u'SQOOP', u'SOLR', u'SLIDER', u'SFTP']

l = [i for i in l if i not in [j for j in p]]

print l
[u'PIG', u'NODEMANAGER', u'JSQSH', u'HCAT', u'HBASE_REGIONSERVER', u'GANGLIA_MONITOR', u'FLUME_HANDLER', u'DATANODE', u'BIGSQL_WORKER']
于 2015-05-19T22:17:32.990 回答