在元组列表中查找元素

我有一个列表“a”

a= [(1,2),(1,4),(3,5),(5,7)] 

我需要find一个特定数字的所有元组。 说1将是

 result = [(1,2),(1,4)] 

我怎么做?

如果你只是想要第一个数字匹配,你可以这样做:

 [item for item in a if item[0] == 1] 

如果你只是search其中有1的元组:

 [item for item in a if 1 in item] 

实际上有一个聪明的方法可以做到这一点,对于每个元组的大小为2的元组列表都是有用的:你可以将你的列表转换成单个字典。

例如,

 test = [("hi", 1), ("there", 2)] test = dict(test) print test["hi"] # prints 1 

阅读列表理解

 [ (x,y) for x, y in a if x == 1 ] 

还要阅读生成器函数和yield语句。

 def filter_value( someList, value ): for x, y in someList: if x == value : yield x,y result= list( filter_value( a, 1 ) ) 
 [tup for tup in a if tup[0] == 1] 
 for item in a: if 1 in item: print item