我想用另一个列表索引列表
L = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h']
Idx = [0, 3, 7]
T = L[ Idx ]
和T应该最终成为包含['a','d','h']的列表。
有没有比
更好的方法T = []
for i in Idx:
T.append(L[i])
print T
# Gives result ['a', 'd', 'h']
答案 0 :(得分:189)
T = [L[i] for i in Idx]
答案 1 :(得分:33)
如果你正在使用numpy,你可以执行扩展切片:
>>> import numpy
>>> a=numpy.array(['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h'])
>>> Idx = [0, 3, 7]
>>> a[Idx]
array(['a', 'd', 'h'],
dtype='|S1')
...并且可能要快得多(如果性能足以引起numpy导入的麻烦)
答案 2 :(得分:7)
功能性方法:
a = [1,"A", 34, -123, "Hello", 12]
b = [0, 2, 5]
from operator import itemgetter
print(list(itemgetter(*b)(a)))
[1, 34, 12]
答案 3 :(得分:6)
T = map(lambda i: L[i], Idx)
答案 4 :(得分:3)
我对这些方法都不满意,所以我提出了一个Flexlist
类,它允许通过整数,切片或索引列表进行灵活的索引:
class Flexlist(list):
def __getitem__(self, keys):
if isinstance(keys, (int, slice)): return list.__getitem__(self, keys)
return [self[k] for k in keys]
对于您的示例,您将使用:
L = Flexlist(['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h'])
Idx = [0, 3, 7]
T = L[ Idx ]
print(T) # ['a', 'd', 'h']
答案 5 :(得分:2)
您还可以将__getitem__
方法与map
结合使用,如下所示:
L = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h']
Idx = [0, 3, 7]
res = list(map(L.__getitem__, Idx))
print(res)
# ['a', 'd', 'h']
答案 6 :(得分:1)
L= {'a':'a','d':'d', 'h':'h'}
index= ['a','d','h']
for keys in index:
print(L[keys])
我会使用Dict add
期望keys
到index
答案 7 :(得分:1)
我的问题:查找列表的索引。
L = makelist() # Returns a list of different objects
La = np.array(L, dtype = object) # add dtype!
for c in chunks:
L_ = La[c] # Since La is array, this works.