python:比较2个实例列表

问题描述 投票:1回答:4

我有2个实例列表:

list1
list2

每个实例都包含变量,例如ID,名称等...

我正在遍历list2,并且我想查找list1中不存在的条目。

例如。

for entry in list2:
  if entry.id in list1:
    <do something> 

我希望找到一种方法,而无需使用for循环。有没有简单的方法?

python list class search instance
4个回答
8
投票

我可能会做类似的事情:

set1 = set((x.id,x.name,...) for x in list1)
difference = [ x for x in list2 if (x.id,x.name,...) not in set1 ]

其中...是实例的其他(可哈希)服装-您需要包括足够多的服装才能使其唯一。

这将采用您的O(N * M)算法并将其转换为O(max(N,M))算法。


4
投票

只是一个想法...

class Foo(object):
    def __init__(self, id, name):
        self.id = id
        self.name = name
    def __repr__(self):
        return '({},{})'.format(self.id, self.name)

list1 = [Foo(1,'a'),Foo(1,'b'),Foo(2,'b'),Foo(3,'c'),]
list2 = [Foo(1,'a'),Foo(2,'c'),Foo(2,'b'),Foo(4,'c'),]

通常,这不起作用:

print(set(list1)-set(list2))
# set([(1,b), (2,b), (3,c), (1,a)])

但是您可以教Foo两个实例相等意味着什么:

def __hash__(self):
    return hash((self.id, self.name))

def __eq__(self, other):
    try:
        return (self.id, self.name) == (other.id, other.name)
    except AttributeError:
        return NotImplemented

Foo.__hash__ = __hash__
Foo.__eq__ = __eq__

现在:

print(set(list1)-set(list2))
# set([(3,c), (1,b)])

当然,您更有可能可以在类定义时在__hash__上定义__eq__Foo,而不需要稍后对其进行猴子补丁:

class Foo(object):
    def __init__(self, id, name):
        self.id = id
        self.name = name

    def __repr__(self):
        return '({},{})'.format(self.id, self.name)

    def __hash__(self):
        return hash((self.id, self.name))

    def __eq__(self, other):
        try:
            return (self.id, self.name) == (other.id, other.name)
        except AttributeError:
            return NotImplemented

为了满足我的好奇心,这里是一个基准:

In [34]: list1 = [Foo(1,'a'),Foo(1,'b'),Foo(2,'b'),Foo(3,'c')]*10000

In [35]: list2 = [Foo(1,'a'),Foo(2,'c'),Foo(2,'b'),Foo(4,'c')]*10000
In [40]: %timeit set1 = set((x.id,x.name) for x in list1); [x for x in list2 if (x.id,x.name) not in set1 ]
100 loops, best of 3: 15.3 ms per loop

In [41]: %timeit set1 = set(list1); [x for x in list2 if x not in set1]
10 loops, best of 3: 33.2 ms per loop

所以@mgilson的方法更快,尽管在__hash__中定义__eq__Foo导致代码更具可读性。


1
投票

您可以使用filter

difference = filter(lambda x: x not in list1, list2)

在Python 2中,它将返回您想要的列表。在Python 3中,它将返回一个filter对象,您可能希望将其转换为列表。


0
投票

也许是这样?

In [1]: list1 = [1,2,3,4,5]

In [2]: list2 = [4,5,6,7]

In [3]: final_list = [x for x in list1 if x not in list2]
© www.soinside.com 2019 - 2024. All rights reserved.