I want to make a generalized function to merge n
nested dictionaries in python.
I have created a function to merge three dictionaries, but I want to generalize it for n
nested dictionaries.
The function that I have created is:
def mergedicts(dict1, dict2, dict3):
for k in set(dict1.keys()).union(dict2.keys()).union(dict3.keys()):
if k in dict1 and k in dict2 and k in dict3 :
if isinstance(dict1[k], dict) and isinstance(dict2[k], dict) and isinstance(dict3[k], dict):
yield (k, dict(mergedicts(dict1[k], dict2[k], dict3[k])))
else:
# If one of the values is not a dict, you can't continue merging it.
# Value from first and second dict are written in form of lists.
yield (k, [dict1[k],dict2[k], dict3[k]])
# Alternatively, replace this with exception raiser to alert you of value conflicts
elif k in dict1:
yield (k, dict1[k])
elif k in dict2:
yield(k,dict2[k])
else:
yield (k, dict3[k]
dict1 = {"canada":{'america':189,'asia':175,'europe': 186},
"norway":{'australia': 123,'africa':124,'brazil':125}}
dict2= {"canada":{'america':13,'asia':14,'europe': 15},
"norway":{'australia': 17,'africa':18,'brazil':19}}
dict3= {"canada":{'america':127,'asia':256,'europe': 16},
"norway":{'australia': 17,'africa':18,'brazil':19}}
# After running the above function I have got this output
{'canada': {'europe': [186, 15, 16], 'america': [189, 13, 127], 'asia': [175, 14, 256]}, 'norway': {'australia': [123, 17, 17], 'brazil': [125, 19, 19], 'africa': [124, 18, 18]}}
Is there any way to generalize the function so that I could merge n
nested dictionaries in Python. (e.g. I may want to merge 20 nested dictionaries in python in a manner similar to the above, but my approach only allows for merging three nested dictionaries.)
CodePudding user response:
You can use a nested for
loop to generate the desired output.
Create the dictionary structure using two dictionary comprehensions. Then, use for
loops to build up the list values in the nested dictionaries:
data = [dict1, dict2, dict3]
result = {k: {ik: [] for ik in dict1[k].keys()} for k in dict1.keys()}
for entry in data:
for key, value in entry.items():
for inner_key, inner_value in value.items():
result[key][inner_key].append(inner_value)
print(result)
This outputs:
{
'canada': {
'america': [189, 13, 127],
'asia': [175, 14, 256],
'europe': [186, 15, 16]
},
'norway': {
'australia': [123, 17, 17],
'africa': [124, 18, 18],
'brazil': [125, 19, 19]
}
}
CodePudding user response:
With *args
:
def mergedicts(*args):
# Keys are identical (comments), make base dict
x = {
"canada": {
'america': [],
'asia': [],
'europe': []},
"norway": {
'australia': [],
'africa': [],
'brazil': []}
}
for d in args:
for k, v in d.items():
for ki, vi in v.items():
x[k][ki].append(vi)
return x
>>> mergedicts(dict1, dict2, dict3)
{'canada': {'america': [189, 13, 127],
'asia': [175, 14, 256],
'europe': [186, 15, 16]},
'norway': {'africa': [124, 18, 18],
'australia': [123, 17, 17],
'brazil': [125, 19, 19]}}