我想知道如何迭代list2并删除包含list1 ittems之一的所有ittems?
list1 = [6, 7, 8, 9]
list2=['0009', '0001', '0008', '0003', '0004', '0005', '0006', '0007']
结果将是:
list2=[ '0001', '0003', '0004', '0005']
我试着像:
list1 = [6, 7, 8, 9]
list2=['0009', '0001', '0008', '0003', '0004', '0005', '0006', '0007']
for ittem in list2:
for digit in ittem:
if digit in ittem:
list2.remove(ittem)
print(list2)
表示list2中的ittem: 对于ittem中的数字: 如果在ittem中的数字: list2中
结果:ValueError:list.remove(x):x不在列表中
ps:我不想创建一个新列表,我想删除它...任何想法?
答案 0 :(得分:3)
您应该避免从中间的列表中删除。它会给你多项式时间复杂度,无论如何都要有点难度。在迭代它时从列表中删除项目通常会导致您跳过项目,因为列表的大小会发生变化。但是,可以通过在序列上向后迭代来安全地完成它:
>>> list1 = [6, 7, 8, 9]
>>> list2=['0009', '0001', '0008', '0003', '0004', '0005', '0006', '0007']
然后简单地说:
>>> for i in reversed(range(len(list2))):
... item = list2[i]
... if any(int(c) in list1 for c in item):
... del list2[i]
...
>>> list2
['0001', '0003', '0004', '0005']
然而,创建一个新的列表作为中间体并使用它来就地更改原始列表几乎总是更快,更有效和直接:
>>> list2[:] = [x for x in list2 if any(int(c) in list1 for c in x)]
>>> list2
['0009', '0008', '0006', '0007']
最后,如果您要检查列表中的成员身份,请考虑使用set
对象。检查项目是否在列表中是线性操作,而不是set
的常量时间。
答案 1 :(得分:1)
尝试列表理解:
list1_set = set(list1)
list2[:] = [x for x in list2 if int(x) not in list1_set]
答案 2 :(得分:1)
如果所有list2
项都是唯一的,您可以在反向迭代中删除它们:
for item in reversed(list2):
for number in list1:
if str(number) in item:
list2.remove(item)
break
print(list2)
#['0001', '0003', '0004', '0005']
答案 3 :(得分:1)
您可以使用re.findall
:
import re
list1 = [6, 7, 8, 9]
list2=['0009', '0001', '0008', '0003', '0004', '0005', '0006', '0007']
new_list2 = filter(lambda x:int(re.findall('\d+(?=$)', x)[0]) not in list1, list2)
输出:
['0001', '0003', '0004', '0005']
答案 4 :(得分:0)
你总是可以使用set intersection:
list1 = [6, 7, 8, 9]
list2=['0009', '0001', '0008', '0003', '0004', '0005', '0006', '0007']
list1 = set(map(str, list1))
# {'6', '8', '9', '7'}
list2[:] = [x for x in list2 if not list1.intersection(x)]
print(list2)
哪个输出:
['0001', '0003', '0004', '0005']
答案 5 :(得分:0)
您可以尝试这样的事情
list1 = [6, 7, 8, 9]
list2=['0009', '0001', '0008', '0003', '0004', '0005', '0006', '0007']
for i in list2:
if int(list(i)[-1:][0]) not in list1:
print(i)
输出:
0001
0003
0004
0005