1

我有 2 个实例列表:

list1
list2

每个实例都包含变量,例如 id、name 等...

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

例如..

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

我希望找到一种方法来做到这一点,而无需双重 for 循环。有没有简单的方法?

4

4 回答 4

13

我可能会做类似的事情:

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)) 算法。

于 2013-02-06T03:52:10.390 回答
7

只是一个想法...

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代码更具可读性。

于 2013-02-06T04:07:55.990 回答
2

您可以使用filter

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

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

于 2013-02-06T03:45:40.073 回答
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]
于 2013-02-06T03:45:34.557 回答