I need to merge three dictionaries with array values into a single dict based on if they have same values inside the array. The dictionaries is like this:
JavaScript
x
6
1
data = {
2
'A1':['Cheese','Cupcake', 'Salad','Sandwich'],
3
'A2':['Cheese','Cupcake', 'Pasta','Pudding'],
4
'A3':['Pudding','Pasta', 'Salad','Sandwich']
5
}
6
Then, the output would be like this:
JavaScript
1
6
1
{
2
'A1,A2':['Cheese','Cupcake']
3
'A1,A3':['Salad', 'Sandwich']
4
'A2,A3':['Pudding','Pasta']
5
}
6
I’ve tried this:
JavaScript
1
8
1
tmp = {}
2
for key, value in data.items():
3
if value in tmp:
4
tmp[value].append(key)
5
else:
6
tmp[value] = [ key ]
7
print(tmp)
8
But it only works if the values isn’t a list or array. Any solution?
Advertisement
Answer
Given you use case, you could use itertools.combinations
and set
intersection
:
JavaScript
1
12
12
1
data = {
2
'A1':['Cheese','Cupcake', 'Salad','Sandwich'],
3
'A2':['Cheese','Cupcake', 'Pasta','Pudding'],
4
'A3':['Pudding','Pasta', 'Salad','Sandwich']
5
}
6
7
8
from itertools import combinations
9
10
out = {f'{a},{b}': list(set(data[a]).intersection(data[b]))
11
for a,b in combinations(data, 2)}
12
output:
JavaScript
1
4
1
{'A1,A2': ['Cupcake', 'Cheese'],
2
'A1,A3': ['Sandwich', 'Salad'],
3
'A2,A3': ['Pasta', 'Pudding']}
4