Один из подходов состоит в том, чтобы выполнить итерацию для копии list1
и удалить из нее строку, если она содержит подстроку из list2
list1 = ['lunch time', 'sandwich shop', 'starts at noon','grocery store']
list2 = ['lunch','noon']
#Iterate on copy of list1
for item1 in list1[:]:
#If substring is present, remove string from list
for item2 in list2:
if item2 in item1:
list1.remove(item1)
print(list1)
Другой подход заключается в поиске подходящих подстрок, а затемвычтите этот результат из фактического списка
list1 = ['lunch time', 'sandwich shop', 'starts at noon','grocery store']
list2 = ['lunch','noon']
#List of strings where the substrings are contained
result = [item1 for item1 in list1 for item2 in list2 if item2 in item1 ]
#List of strings where the substrings are not contained, found by set difference between original list and the list above
print(list(set(list1) - set(result)))
В обоих случаях выходные данные будут такими же, как показано ниже
['grocery store', 'sandwich shop']