使用另一个列表查找列表中的序列 In Python
Finding a sequence in list using another list In Python
我有一个 list = [0, 0, 7]
,当我使用 in
将它与 anotherList = [0, 0, 7, 0]
进行比较时,它给了我 False
。
我想知道如何检查一个列表中的数字是否与另一个列表中的数字顺序相同。
所以,如果我这样做 anotherList2 = [7, 0, 0, 0]
:
list in anotherList2
return 错误
但是,list in anotherList
return 正确
你必须一一检查列表中的每个位置。
开始遍历 anotherList
如果列表的第一个元素与另一个列表中的当前元素相同,则开始检查直到找到整个序列
程序在这里:
def list_in(list,anotherList):
for i in range(0,len(anotherList)):
if(list[0]==anotherList[i]):
if(len(anotherList[i:]) >= len(list)):
c=0
for j in range(0,len(list)):
if(list[j]==anotherList[j+i]):
c += 1
if(c==len(list)):
print("True")
return
else:
continue
print("False")
return
list = [0,0,7]
anotherList = [0,0,7,0]
anotherList2 = [7,0,0,0]
list_in(list,anotherList)
list_in(list,anotherList2)
使用切片可以非常简单地编写一个高效的函数来满足您的需求:
def sequence_in(seq, target):
for i in range(len(target) - len(seq) + 1):
if seq == target[i:i+len(seq)]:
return True
return False
我们可以这样使用:
sequence_in([0, 1, 2], [1, 2, 3, 0, 1, 2, 3, 4])
这是一个单行函数,它将检查列表 a
是否在列表 b
中:
>>> def list_in(a, b):
... return any(map(lambda x: b[x:x + len(a)] == a, range(len(b) - len(a) + 1)))
...
>>> a = [0, 0, 7]
>>> b = [1, 0, 0, 7, 3]
>>> c = [7, 0, 0, 0]
>>> list_in(a, b)
True
>>> list_in(a, c)
False
>>>
这里有一些很好的答案,但这里有另一种方法,您可以使用字符串作为媒介来解决这个问题。
def in_ist(l1, l2):
return ''.join(str(x) for x in l1) in ''.join(str(y) for y in l2)
这基本上将列表的元素转换为字符串并使用 in
运算符,在这种情况下它会执行您期望的操作,检查 l1
是否在 l2
中.
我有一个 list = [0, 0, 7]
,当我使用 in
将它与 anotherList = [0, 0, 7, 0]
进行比较时,它给了我 False
。
我想知道如何检查一个列表中的数字是否与另一个列表中的数字顺序相同。
所以,如果我这样做 anotherList2 = [7, 0, 0, 0]
:
list in anotherList2
return 错误
但是,list in anotherList
return 正确
你必须一一检查列表中的每个位置。 开始遍历 anotherList
如果列表的第一个元素与另一个列表中的当前元素相同,则开始检查直到找到整个序列
程序在这里:
def list_in(list,anotherList):
for i in range(0,len(anotherList)):
if(list[0]==anotherList[i]):
if(len(anotherList[i:]) >= len(list)):
c=0
for j in range(0,len(list)):
if(list[j]==anotherList[j+i]):
c += 1
if(c==len(list)):
print("True")
return
else:
continue
print("False")
return
list = [0,0,7]
anotherList = [0,0,7,0]
anotherList2 = [7,0,0,0]
list_in(list,anotherList)
list_in(list,anotherList2)
使用切片可以非常简单地编写一个高效的函数来满足您的需求:
def sequence_in(seq, target):
for i in range(len(target) - len(seq) + 1):
if seq == target[i:i+len(seq)]:
return True
return False
我们可以这样使用:
sequence_in([0, 1, 2], [1, 2, 3, 0, 1, 2, 3, 4])
这是一个单行函数,它将检查列表 a
是否在列表 b
中:
>>> def list_in(a, b):
... return any(map(lambda x: b[x:x + len(a)] == a, range(len(b) - len(a) + 1)))
...
>>> a = [0, 0, 7]
>>> b = [1, 0, 0, 7, 3]
>>> c = [7, 0, 0, 0]
>>> list_in(a, b)
True
>>> list_in(a, c)
False
>>>
这里有一些很好的答案,但这里有另一种方法,您可以使用字符串作为媒介来解决这个问题。
def in_ist(l1, l2):
return ''.join(str(x) for x in l1) in ''.join(str(y) for y in l2)
这基本上将列表的元素转换为字符串并使用 in
运算符,在这种情况下它会执行您期望的操作,检查 l1
是否在 l2
中.