基于Python中的元素从嵌套列表中删除子列表

时间:2015-11-16 10:28:40

标签: python list nested-lists

我有以下列表:

 l = [["a", "done"], ["c", "not done"]]

如果每个子列表的第二个元素是"完成"我想删除子列表。 所以输出应该是:

l = [["c", "not done"]]

显然以下不起作用:

for i in range(len(l)):
    if l[i][1] == "done":
        l.pop(0)

5 个答案:

答案 0 :(得分:6)

使用list_comprehension。它只是通过迭代子列表来构建一个新列表,其中每个子列表中的第二个元素将不包含字符串done

>>> l = [["a", "done"], ["c", "not done"]]
>>> [subl for subl in l if subl[1] != 'done']
[['c', 'not done']]
>>> 

答案 1 :(得分:1)

l = [["a", "done"], ["c", "not done"]]
print [i for i in l if i[1]!="done"]

或使用filter

l = [["a", "done"], ["c", "not done"]]
print filter(lambda x:x[1]!="done",l)

答案 2 :(得分:0)

根据您的条件应用过滤器:

l = [["a", "done"], ["c", "not done"]]
l = filter(lambda x: len(x)>=2 and x[1]!='done', l)

答案 3 :(得分:0)

  

状态索引为1,您检查了索引0

for i in range(len(l)):
       if(l[i][1] == "done"):
           l.pop(i)

答案 4 :(得分:0)

使用此:

l = filter(lambda s: s[-1] == 'not done', l)