我有一个字符串列表列表,如下所示:
l = [['apple','banana','kiwi'],['chair','table','spoon']]
给定一个字符串,我希望它的索引在l中。尝试numpy,这就是我最终得到的结果:
import numpy as np
l = [['apple','banana','kiwi'],['chair','table','spoon']]
def ind(s):
i = [i for i in range(len(l)) if np.argwhere(np.array(l[i]) == s)][0]
j = np.argwhere(np.array(l[i]) == s)[0][0]
return i, j
s = ['apple','banana','kiwi','chair','table','spoon']
for val in s:
try:
print val, ind(val)
except IndexError:
print 'oops'
这对于苹果和主席来说失败了,得到了一个indexerror。而且,这对我来说看起来很糟糕。这样做会有更好的方法吗?
答案 0 :(得分:4)
返回包含(外部列表索引,内部列表索引)的元组列表,其设计使得您要查找的项目可以位于多个内部列表中:
l = [['apple','banana','kiwi'],['chair','table','spoon']]
def findItem(theList, item):
return [(ind, theList[ind].index(item)) for ind in xrange(len(theList)) if item in theList[ind]]
findItem(l, 'apple') # [(0, 0)]
findItem(l, 'spoon') # [(1, 2)]
答案 1 :(得分:1)
如果你想使用numpy,你不需要自己动手:
import numpy as np
l = np.array([['apple','banana','kiwi'],['chair','table','spoon']])
s = ['apple','banana','kiwi','chair','table','spoon']
for a in s:
arg = np.argwhere(l==a)
print a, arg, tuple(arg[0]) if len(arg) else None
答案 2 :(得分:0)
l = [['apple','banana','kiwi'],['chair','table','spoon']]
def search(lst, item):
for i in range(len(lst)):
part = lst[i]
for j in range(len(part)):
if part[j] == item: return (i, j)
return None
答案 3 :(得分:0)
我会创建一个字典来将项目映射到它们的索引:
>>> import numpy as np
>>> l = [['apple','banana','kiwi'],['chair','table','spoon']]
>>> a = np.array(l,dtype=object)
>>> a
array([[apple, banana, kiwi],
[chair, table, spoon]], dtype=object)
>>> d = {s:idx for (idx),s in np.ndenumerate(a)}
>>> d['apple']
(0, 0)
>>> d['chair']
(1, 0)
numpy
+ ndenumerate
很适合创建索引,但绝对没有必要。当然,如果您可以创建一次索引然后将其重新用于后续搜索,那么这将是最有效的。
答案 4 :(得分:0)
一种方法是使用enumerate
:
l = [['apple','banana','kiwi'],['chair','table','spoon']]
s = ['apple','banana','kiwi','chair','table','spoon']
for a in s:
for i, ll in enumerate(l):
for j, b in enumerate(ll):
if a == b:
print a, i, j
答案 5 :(得分:0)
在计算i的行中,如果将argwhere应用于整个列表而不是每个子列表,则已经有了答案。无需再次搜索j。
def ind(s):
match = np.argwhere(np.array(l == s))
if match:
i, j = match[0]
else:
return -1, -1
这将返回您正在搜索的字符串的第一个出现的indeces。
此外,您可能会考虑这种方法如何受到影响,因为问题的复杂性会增加。此方法将迭代列表中的每个元素,因此随着列表变大,运行时成本也会增加。因此,如果您在列表中尝试查找的测试字符串数量也会增加,您可能需要考虑使用字典创建一次查找表,然后对测试字符串进行后续搜索会更便宜。
def make_lookup(search_list):
lookup_table = {}
for i, sublist in enumerate(list):
for j, word in enumerate(sublist):
lookup_table[word] = (i, j)
return lookup_table
lookup_table = make_lookup(l)
def ind(s):
if s in lookup_table:
return lookup_table[s]
else:
return -1, -1
答案 6 :(得分:0)
获取python中列表列表的索引:
theList = [[1,2,3], [4,5,6], [7,8,9]]
for i in range(len(theList)):
if 5 in theList(i):
print("[{0}][{1}]".format(i, theList[i].index(5))) #[1][1]
答案 7 :(得分:0)
此解决方案将查找您要搜索的所有出现的字符串:
l = [['apple','banana','kiwi','apple'],['chair','table','spoon']]
def findItem(theList, item):
return [(i, j) for i, line in enumerate(theList)
for j, char in enumerate(line) if char == item]
findItem(l, 'apple') # [(0, 0), (0, 3)]
findItem(l, 'spoon') # [(1, 2)]