>>> a= ('one', 'a')
>>> b = ('two', 'b')
>>> c = ('three', 'a')
>>> l = [a, b, c]
>>> l
[('one', 'a'), ('two', 'b'), ('three', 'a')]
如何仅使用唯一的第二个条目(列?项?)检查此列表的元素,然后获取列表中的第一个条目。期望的输出是
>>> l
[('one', 'a'), ('two', 'b')]
答案 0 :(得分:15)
使用一个集合(如果第二个项目是可散列的):
>>> lis = [('one', 'a'), ('two', 'b'), ('three', 'a')]
>>> seen = set()
>>> [item for item in lis if item[1] not in seen and not seen.add(item[1])]
[('one', 'a'), ('two', 'b')]
以上代码相当于:
>>> seen = set()
>>> ans = []
for item in lis:
if item[1] not in seen:
ans.append(item)
seen.add(item[1])
...
>>> ans
[('one', 'a'), ('two', 'b')]
答案 1 :(得分:2)
如果订单不重要,您可以使用字典:
d = {}
for t in reversed(l):
d[t[1]] = t
print d.values()
或者更简洁:
{t[1]: t for t in reversed(l)}.values()
如果您不撤消列表,('three', 'a')
将覆盖('one', 'a')
。