如果我有以下列表:
listA = ["A","Bea","C"]
和另一个清单
listB = ["B","D","E"]
stringB = "There is A loud sound over there"
检查listA中的任何项是否出现在listB或stringB中的最佳方法是什么,如果是,那么停止?我通常使用for循环迭代listA中的每个项目来做这样的事情,但是在语法上有更好的方法吗?
for item in listA:
if item in listB:
break;
答案 0 :(得分:8)
要查找两个列表的重叠,您可以执行以下操作:
len(set(listA).intersection(listB)) > 0
在if
语句中,您可以执行以下操作:
if set(listA).intersection(listB):
但是,如果listA
中的任何项长于一个字母,则设置的方法无法用于查找stringB
中的项目,因此最佳选择是:
any(e in stringB for e in listA)
答案 1 :(得分:1)
您可以在此使用any
:any
会短路,并会在找到的第一场比赛时停止。
>>> listA = ["A","B","C"]
>>> listB = ["B","D","E"]
>>> stringB = "There is A loud sound over there"
>>> lis = stringB.split()
>>> any(item in listA or item in lis for item in listA)
True
如果listB
很大或从stringB.split()
返回的列表很大,那么您应该首先将它们转换为sets
以提高复杂性:
>>> se1 = set(listB)
>>> se2 = set(lis)
>>> any(item in se1 or item in se2 for item in listA)
True
如果您在该字符串中搜索多个单词,请使用regex
:
>>> import re
>>> listA = ["A","B","C"]
>>> listB = ["B","D","E"]
>>> stringB = "There is A loud sound over there"
>>> any(item in listA or re.search(r'\b{}\b'.format(item),stringB)
for item in listA)