检查list1在list2内后返回输出

时间:2019-07-22 23:02:20

标签: python

list1 = [[['a','b'],['c','d']],[['f','g'],['h','i']],[['j','k','l'], ['a','b']]]
list2 = [['a','b'],['c','d'],['f','g'],['h','i']]

因此,在list1中,有3个列表。我要检查list1中列表的列表是否是列表2的子集。但是列表列表中的所有列表都必须在list2中才能得到True / Correct。如果所有内容都在list2中,则为true;如果不是按列表的每个列表,则为false。

[['a','b'],['c','d']]
[['f','g'],['h','i']]
[['j','k','l'], ['a','b']]

所以条件如下

These are from list1, and we're checking against list2

Both [a, b] and [c, d] should be in list 2 -> Both are in list 2, so Return True
Both [f, g] and [h, i] should be in list 1 -> Both are in list 2, so return true
Both [j, k, l] and [a, b] should be in list 1 -> f, k, l is not in list 2, so return False even though a, b are in list 2

Here is my desired output for above results

[True, True, False] 

val1 = True
val2 = True
val3 = False

代码

def xlist(list1, list2):
    if all(letter in list1 for letter in list2):
        print('True')

print xlist(list1, list2)

final = []
"""I am checking i in list1. In actual, I should be checking all lists within the list of list1."""
    for i in list1:
        print(xlist(list1, list2))
        final.append(xlist(list1, list2))
        print(final)

1 个答案:

答案 0 :(得分:4)

您的问题是您没有从xlist函数返回任何值(printreturn不同)。更改为:

def xlist(list1, list2):
    return all(letter in list1 for letter in list2)

然后:

final = []
for i in list1:
    final.append(xlist(list2, i))
print(final)

结果是:

[True, True, False]

作为一种更简短的替代方法,您可以将all函数与嵌套的list comprehension结合使用:

>>> list1 = [[['a','b'],['c','d']],[['f','g'],['h','i']],[['j','k','l'], ['a','b']]]
>>> list2 = [['a','b'],['c','d'],['f','g'],['h','i']]
>>> [all(item in list2 for item in sublist) for sublist in list1]
[True, True, False]