9

我有两个列表 Lx 和 Ly,Lx 中的每个元素在 Ly 中都有一个对应的标签。例子:

Lx = [[1,2,5], [5,2,7], [7,0,4], [9,2,0], [1,8,5], [3,4,5], [3,2,7], [2,9,7]]
Ly = [A, C, A, B, A, B, C, C]

如何轻松获得一个列表/标签,其中列表的元素是 Lx 中在 Ly 具有相同标签的元素?那是:

[[1,2,5], [7,0,4], [1,8,5]]
[[5,2,7], [3,2,7], [2,9,7]]
[[9,2,0], [3,4,5]]
4

2 回答 2

8
Lx = [[1,2,5], [5,2,7], [7,0,4], [9,2,0], [1,8,5], [3,4,5], [3,2,7], [2,9,7]]
Ly = ['A', 'C', 'A', 'B', 'A', 'B', 'C', 'C']
d = {}
for x,y in zip(Lx,Ly):
    d.setdefault(y, []).append(x)

d就是现在:

{'A': [[1, 2, 5], [7, 0, 4], [1, 8, 5]],
 'B': [[9, 2, 0], [3, 4, 5]],
 'C': [[5, 2, 7], [3, 2, 7], [2, 9, 7]]}
于 2013-03-01T12:07:17.783 回答
1

以下内容将使您非常接近:

from collections import defaultdict

Lx = [[1,2,5], [5,2,7], [7,0,4], [9,2,0], [1,8,5], [3,4,5], [3,2,7], [2,9,7]]
Ly = ['A', 'C', 'A', 'B', 'A', 'B', 'C', 'C']

d = defaultdict(list)
for x, y in zip(Lx, Ly):
  d[y].append(x)
d = dict(d)

print(d)

这产生

{'A': [[1, 2, 5], [7, 0, 4], [1, 8, 5]], 'C': [[5, 2, 7], [3, 2, 7], [2, 9, 7]], 'B': [[9, 2, 0], [3, 4, 5]]}
于 2013-03-01T12:07:45.233 回答