互相比较字典中的所有列表

时间:2018-10-17 13:21:16

标签: python python-object

在python中,可以比较以下结构中的所有对象

我有一个列表字典,每个列表中都有对象,例如

[
      [object1,object2,object3],
      [object4,object5,object6],
      [object7,object8,object9],
]

我想通过每个列表中的属性将所有对象相互比较,并确定每个列表中没有的对象。

根据反馈,请参见下面的示例

from collections import defaultdict
from pprint import pprint

class mytest:
  def __init__(self, no, description):
    self.no = no
    self.description = description

data = []


x = mytest(1,'test1')
x2 = mytest(2,'test1')

x3 = mytest(1,'test2')
x4 = mytest(2,'test2')
x5 = mytest(3,'test2')


x6 = mytest(1,'test3')
x7 = mytest(2,'test3')
x8 = mytest(4,'test3')


data.append(x)
data.append(x2)
data.append(x3)
data.append(x4)
data.append(x5)
data.append(x6)
data.append(x7)
data.append(x8)


groups = defaultdict(list)

for obj in data:
    groups[obj.description].append(obj)

new_list = groups.values()


#i want to find out what items are not in each list
for list in new_list:
    pprint(list)


#example x8 = mytest(4,'test3') is only in one of the list so is missing from list 1 and 2

希望这会有所帮助

1 个答案:

答案 0 :(得分:1)

我认为这就是您要寻找的。我们创建一组obj.no的可能值,然后使用集合差异运算符(在两个集合上使用-来使元素丢失)。

# Get a set of all the no. values present in the data.
combined_set_of_values = set([item.no for item in data])

# Get the sets of obj.no values grouped by description.
for obj in data:
    groups[obj.description].append(obj.no)

new_list = groups.values()


# Print the list, and the elements missing from that list
for list in new_list:
    print("Values in list:")
    print(list)
    # Use set difference to see what's missing from list.
    print("Missing from list:")
    print(combined_set_of_values - set(list))

输出为:

Values in list:
[1, 2]
Missing from list:
{3, 4}
Values in list:
[1, 2, 3]
Missing from list:
{4}
Values in list:
[1, 2, 4]
Missing from list:
{3}