简体   繁体   English

在元组列表中查找元素

[英]Find an element in a list of tuples

I have a list 'a'我有一个列表“a”

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

I need to find all the tuples for a particular number.我需要找到特定数字的所有元组。 say for 1 it will be说 1 它将是

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

How do I do that?我怎么做?

If you just want the first number to match you can do it like this:如果您只想匹配第一个数字,您可以这样做:

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

If you are just searching for tuples with 1 in them:如果您只是搜索其中包含 1 的元组:

[item for item in a if 1 in item]

There is actually a clever way to do this that is useful for any list of tuples where the size of each tuple is 2: you can convert your list into a single dictionary.实际上有一种聪明的方法可以做到这一点,它对于每个元组大小为 2 的任何元组列表都很有用:您可以将列表转换为单个字典。

For example,例如,

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

Read up on List Comprehensions阅读列表理解

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

Also read up up generator functions and the yield statement.还要阅读生成器函数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

The filter function can also provide an interesting solution: filter函数还可以提供一个有趣的解决方案:

result = list(filter(lambda x: x.count(1) > 0, a))

which searches the tuples in the list a for any occurrences of 1 .它在列表a搜索元组中出现的任何1 If the search is limited to the first element, the solution can be modified into:如果搜索仅限于第一个元素,则解决方案可以修改为:

result = list(filter(lambda x: x[0] == 1, a))

Using filter function:使用过滤功能:

>>> def get_values(iterables, key_to_find):
return list(filter(lambda x:key_to_find in x, iterables)) >>> a = [(1,2),(1,4),(3,5),(5,7)] >>> get_values(a, 1) >>> [(1, 2), (1, 4)]
>>> [i for i in a if 1 in i]

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

Or takewhile , ( addition to this, example of more values is shown ):takewhile ,(除此之外,还显示了更多值的示例):

>>> a= [(1,2),(1,4),(3,5),(5,7),(0,2)]
>>> import itertools
>>> list(itertools.takewhile(lambda x: x[0]==1,a))
[(1, 2), (1, 4)]
>>> 

if unsorted, like:如果未排序,例如:

>>> a= [(1,2),(3,5),(1,4),(5,7)]
>>> import itertools
>>> list(itertools.takewhile(lambda x: x[0]==1,sorted(a,key=lambda x: x[0]==1)))
[(1, 2), (1, 4)]
>>> 

if you want to search tuple for any number which is present in tuple then you can use如果要搜索元组中存在的任何数字的元组,则可以使用

a= [(1,2),(1,4),(3,5),(5,7)]
i=1
result=[]
for j in a:
    if i in j:
        result.append(j)

print(result)

You can also use if i==j[0] or i==j[index] if you want to search a number in particular index如果要在特定索引中搜索数字,也可以使用if i==j[0] or i==j[index]

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM